根据微软MSDN提供的文档,创建自定义配置节可以有两种方式:
1 编程模型,可以参考MSDN的ConfigurationSection类型中的示例。
2 声明性(属性化)模型,可以参考ConfigurationElement类型中的示例。
这两种模型的区别就在于前者是显式的在自定义配置节类型中为每个特性(Attribute)定义一个ConfigurationProperty对象,而后者是通过特性(Attribute)声明的方式完成的。
举例来说,假设我们的自定义配置节中有一个Name特性(Attribute),它的类型是String,缺省值是空字符"none",且该特性必须存在。那么,编程模型会像下面这样定义一个ConfigurationProperty私有字段来对应公开的相应属性(Property):
示例1
// 私有ConfigurationProperty字段
private static readonly ConfigurationProperty _name =
new ConfigurationProperty("name", typeof(String), "none", ConfigurationPropertyOptions.IsRequired);
// 以及公开的相应Name属性(Property)
public String Name
{
get
{
return (String)this["myAttrib1"];
}
set
{
this["myAttrib1"] = value;
}
}
而声明性(属性化)模型更为方便,也是微软推荐的做法(因为MSDN不推荐在程序中直接使用ConfigurationProperty)。它只需要把上面_name字段通过特性声明的方式附加到对应的Name属性(Property)上即可:
示例2
[ConfigurationProperty("name", DefaultValue ="none", IsRequired = true)]
public String Name
{
get
{
return (String)this["myAttrib1"];
}
set
{
this["myAttrib1"] = value;
}
}
由于Name属性(Property)的类型是已知的,所以特性(Attribute)中就不需要声明类型了。
看起来,前者更像是后者的后台实现,说不定.NET内部真就是这么干的,呵呵。