在web系统开发中,我们经常需要读取和设置一些系统配置项,常见的例如数据库连接字符串、上传路径等等。
在最初的asp系统中,比较常用的方法是将值保存为application或session变量;在asp.net系统中,目前比较常见的简单方法是把相应的配置项写入web.config中,例如
<?xml version="1.0" encoding="utf-8" ?>
<configuration>
<system.web>
…
</system.web>
<appsettings>
<add key="connectionstring" value="server=(local);database=dbname;uid=username;pwd=password"/>
</appsettings>
</configuration>
然后在程序中通过如下方式读取
string connstring = configurationsettings.appsettings["connectionstring"];
这种方法在系统规模较小复杂度较低的时候也不失为一种简单明了的轻量级方法,不过如果系统较复杂,配置项会较多,同时我们需要按不同模块对配置进行划分,并且还希望能以面向对象方法来对其进行封装,那么如果仍然采用这种过于简化方式就不太合时宜了。
—————————————————————–
下面,我讲述一下通过xml类序列化解决系统配置问题的方法。
关于xml类序列化和反序列化(另外一种描述是串行化和并行化)的技术细节,大家可以查看msdn了解;这里简单讲两句,xml序列化是把一个对象序列化到xml文档的过程,反序列化则是从xml输出中重新创建原始状态的对象。
直观表现就是如下图模式
看了这个图,就很清楚了,通过序列化,可以采用面向对象的方法,非常自然和方便的读取和设置系统配置;.net framework承担了对象和xml文件映射工作,我们只需要简单的使用就ok。下面我们讲一下具体内容。
上面图示已经表明,首先需要一个xml配置文件,格式内容如上图,具体配置项可以自行增减。
然后我们需要编写一个类,如上图所示;特殊的一点,为了使类能够实现xml序列化,需要在类的所有属性声明前添加属性信息xmlelement,如下所示。
[xmlelement]
public string connectionstring
{
get { return connectionstring; }
set { connectionstring = value; }
}
由于appconfig类本身没有实现方法,因此我们需要一个配置类appconfigsetting.cs。类的结构很简单,只需要两个静态方法,get()获取appconfig对象,save()保存appconfig对象。
另外,我们需要在 web.config中添加该xml配置文件的地址。
<appsettings>
<add key="appconfigpath" value="/filepath/file.config"/>
</appsettings>
public class appconfigsetting
{
//获取配置对象
public static appconfig get()
{
//尝试获取缓存中的对象
appconfig config = (appconfig)httpcontext.current.cache["appconfig"];
//如果缓存中没有该配置对象,则直接获取对象
if (config == null)
{
//新建序列化对象并指定其类型
xmlserializer serial = new xmlserializer(typeof(appconfig));
try
{
string file = httpcontext.current.server.mappath(getfile());
//读取文件流
filestream fs = new filestream(file, filemode.open);
//文件流反序列化为对象
config = (appconfig)serial.deserialize(fs);
fs.close();
//将对象加入到缓存中
httpcontext.current.cache.insert("appconfig", config, new cachedependency(file));
}
catch (system.io.filenotfoundexception)
{
config = new appconfig();
}
}
return config;
}
//保存配置对象
public static void save(appconfig config)
{
string file = httpcontext.current.server.mappath(getfile());
xmlserializer serial = new xmlserializer (typeof(appconfig));
filestream fs = new filestream(file, filemode.create);
//对象序列化为文件
serial.serialize(fs, config);
fs.close();
}
//获取配置文件路径
private static string getfile()
{
string path = (string)httpcontext.current.cache["filepath"];
if (path == null)
{
path=configurationsettings.appsettings["appconfigpath"];
httpcontext.current.cache["filepath"] = path;
}
return path;
}
}
类的使用非常简单,基本方式如下
//代码仅为使用演示
appconfig config = appconfigsetting.get();
string connstring = config.connectionstring;
…
config.connectionstring = connstring;
appconfigsetting.save(config);
看到这样的代码,不禁有令人赏心悦目之感;相对于原来的直接读取appsetting,可谓解脱矣! 🙂
ok,就此结束了。这篇文章只涉及对象序列化的非常简单的应用,没有涉及太多的技术原理和细节,大家要深入了解请参考msdn。
希望文章能对大家有所补益和启发。 🙂