12

我想在我的配置中有以下结构:

<MySection>  
  <add key="1" value="one" />  
  <add key="2" value="two" />
  <add key="3" value="three" />
</MySection>

我有一个限制,即 MySection 不能使用 AppSettingsSection,因为它必须从不同的父自定义部分继承。我需要将此部分解析为 NameValueCollection,这样当我调用类似以下内容时:

ConfigurationManager.GetConfig("MySection")

它应该返回一个 NameValueCollection。如何去做这件事?我在 NameValueConfigurationCollection 上找到了一些信息,但这不是我想要的。

4

2 回答 2

8

这有效 -
代码:

class Program
{
    static void Main(string[] args)
    {
        NameValueCollection nvc = ConfigurationManager.GetSection("MyAppSettings") as NameValueCollection;
        for(int i=0; i<nvc.Count; i++)
        {
            Console.WriteLine(nvc.AllKeys[i] + " " + nvc[i]);
        } 
        Console.ReadLine();
    }
}

class ParentSection : ConfigurationSection
{ 
    //This may have some custom implementation
}

class MyAppSettingsSection : ParentSection
{
    public static MyAppSettingsSection GetConfig()
    {
        return (MyAppSettingsSection)ConfigurationManager.GetSection("MyAppSettings");
    }


    [ConfigurationProperty("", IsDefaultCollection = true)]
    public NameValueConfigurationCollection Settings
    {
        get
        {
            return (NameValueConfigurationCollection)base[""];
        }
    }
}

配置:

<?xml version="1.0" encoding="utf-8" ?>
<configuration>
  <configSections>
    <!-- <section name="MyAppSettings" type="CustomAppSettings.MyAppSettingsSection, CustomAppSettings"/> -->
    <section name="MyAppSettings" type="System.Configuration.AppSettingsSection, System.Configuration, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a"/>

  </configSections>

  <MyAppSettings>
    <add key="1" value="one"/>
    <add key="2" value="two"/>
    <add key="3" value="three"/>
    <add key="4" value="four"/>
  </MyAppSettings>
</configuration>

我主要担心的是我的部分需要从自定义部分继承,并且我想在调用 ConfigurationManager.GetSection("MyAppSettings") 时返回 NameValueCollection。
我将 type 属性更改为 AppSettingsSection,即使它在图片中没有任何位置并且它有效。现在我需要弄清楚它是如何工作的,但现在好消息是我有一个工作样本:)

更新:不幸的是,这不是实现预期目标的预期方式,因为现在自定义部分根本没有出现,所以不幸的是,这不是最好的方法。

当然,如果您只是想重命名您的 appsettings 部分,这将非常有用。

于 2011-09-20T05:02:30.907 回答
2

您应该创建一个派生自的类ConfigurationSection

在此处查看完整示例:如何:使用 ConfigurationSection 创建自定义配置部分

于 2011-09-19T12:55:22.813 回答