欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

C# WinForm开发中使用XML配置文件实例

程序员文章站 2024-02-16 13:50:40
本文介绍在使用c#开发winform程序时,如何使用自定义的xml配置文件。虽然也可以使用app.config,但命名方面很别扭。 我们在使用c#开发软件程序时,经常需要...

本文介绍在使用c#开发winform程序时,如何使用自定义的xml配置文件。虽然也可以使用app.config,但命名方面很别扭。

我们在使用c#开发软件程序时,经常需要使用配置文件。虽然说visual studio里面也自带了app.config这个种配置文件,但用过的朋友都知道,在编译之后,这个app.config的名称会变成app.程序文件名.config,这多别扭啊!我们还是来自己定义一个配置文件吧。

配置文件就是用来保存一些数据的,那用xml再合适不过。那本文就介绍如何使用xml来作为c#程序的配置文件。

1、创建一个xml配置文件

比如我们要在配置文件设置一个数据库连接字符串,和一组smtp发邮件的配置信息,那xml配置文件如下:

复制代码 代码如下:

<?xml version="1.0" encoding="utf-8" ?>
<root>
  <connstring>provider=sqloledb;data source=127.0.0.1;initial catalog=splaybow;user id=splaybow;password=splaybow;</connstring>
  <!--email smtp info-->
  <smtpip>127.0.0.1</smtpip>
  <smtpuser>splaybow@jb51.net</smtpuser>
  <smtppass>splaybow</smtppass>
</root>

熟悉xml的朋友一看就知道是什么意思,也不需要小编多做解释了。

2、设置参数变量来接收配置文件中的值

创建一个配置类,这个类有很多属性,这些属性对应xml配置文件中的配置项。

假如这个类叫cconfig,那么cconfig.cs中设置如下一组变量:

复制代码 代码如下:

//数据库配置信息
public static string connstring = "";
//smtp发信账号信息
public static string smtpip = "";
public static string smtpuser = "";
public static string smtppass = "";

3、读取配置文件中的值

复制代码 代码如下:

/// <summary>
/// 一次性读取配置文件
/// </summary>
public static void loadconfig()
{
    try
    {
        xmldocument xml = new xmldocument();
        string xmlfile = getxmlpath();
        if (!file.exists(xmlfile))
        {
            throw new exception("配置文件不存在,路径:" + xmlfile);
        }
        xml.load(xmlfile);
        string tmpvalue = null;
        //数据库连接字符串
        if (xml.getelementsbytagname("connstring").count > 0)
        {
            tmpvalue = xml.documentelement["connstring"].innertext.trim();
            cconfig.connstring = tmpvalue;
        }
        //smtp
        if (xml.getelementsbytagname("smtpip").count > 0)
        {
            tmpvalue = xml.documentelement["smtpip"].innertext.trim();
            cconfig.smtpip = tmpvalue;
        }
        if (xml.getelementsbytagname("smtpuser").count > 0)
        {
            tmpvalue = xml.documentelement["smtpuser"].innertext.trim();
            cconfig.smtpuser = tmpvalue;
        }
        if (xml.getelementsbytagname("smtppass").count > 0)
        {
            tmpvalue = xml.documentelement["smtppass"].innertext.trim();
            cconfig.smtppass = tmpvalue;
        }
    }
    catch (exception ex)
    {
        cconfig.savelog("cconfig.loadconfig() fail,error:" + ex.message);
        environment.exit(-1);
    }
}

4、配置项的使用

在程序开始时应该调用cconifg.loadconfig()函数,将所有配置项的值载入到变量中。然后在需要用到配置值的时候,使用cconfig.connstring即可。

关于c#开发winform时使用自定义的xml配置文件,本文就介绍这么多,希望对您有所帮助,谢谢!