为什么ConfigurationSection需要用字符串来查找东西?

本文关键字:查找 字符串 ConfigurationSection 为什么 | 更新日期: 2023-09-27 18:11:05

我在网上找到的ConfigurationSection示例(例如)都有看起来像这样的代码:

public class ConnectionSection  : ConfigurationSection
{
    [ConfigurationProperty("Servers")]
    public ServerAppearanceCollection ServerElement
    {
        get { return ((ServerAppearanceCollection)(base["Servers"])); }
        set { base["Servers"] = value; }
    }
}

为什么要使用方括号从基数访问值"Servers"?是在从xml创建这个对象时使用setter,还是使用setter覆盖xml文件中的值?如果是,为什么要在这个属性上设置属性?

为什么ConfigurationSection需要用字符串来查找东西?

为什么要使用方括号从基数访问值"Servers"?

因为基类ConfigurationSection不知道它的继承者将要实现什么属性。

因此它公开了一个字符串索引器:this[string],它允许您访问从配置中读取的值。

这是一个设计决策。. net团队也可以选择使用反射来获取和设置继承者的属性,但他们决定不这样做。(好吧,当然有很多反射在配置部分,但不是直到点public ServerAppearanceCollection ServerElement { get; set; }将工作)。

对@CodeCaster的回答的一点补充
使用c# 6,您可以使您的生活更轻松:

class MyConfigSection : ConfigurationSection
{
    [ConfigurationProperty(nameof(SomeProperty))]
    public int SomeProperty
    {
        get { return ((int)(base[nameof(SomeProperty)])); }
        set { base[nameof(SomeProperty)] = value; }
    }
}
特别是

,如果这个代码块将被转换成代码片段。