37

我正在使用通过控制台应用程序创建的 app.config 文件,我可以使用ConfigurationSettings.AppSettings["key1"].ToString()

<configuration>  
    <startup> 
        <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.0" />
    </startup>  
    <appSettings>
        <add key="key1" value="val1" />
        <add key="key2" value="val2" />  
    </appSettings> 
</configuration>

但是我有太多的键和值要对它们进行分类。

我发现了一些难以在我的应用程序中使用的东西,因为我想以与上述类似的方式访问密钥

显示所有节点并且在没有获取所有节点的情况下无法读取节点

例如我想做什么:

<appSettings>
    <Section1>
        <add key="key1" value="val1" />
    </Section1>
    <Section2>
        <add key="key1" value="val1" />
    <Section2>
</appSettings>

如果有办法使用 ConfigurationSettings.AppSettings["Section1"].["key1"].ToString()

4

2 回答 2

78

您可以在 app.config 中添加自定义部分,而无需编写其他代码。您所要做的就是configSections像这样在节点中“声明”新部分

<configSections>
      <section name="genericAppSettings" type="System.Configuration.AppSettingsSection, System.Configuration, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a" />
  </configSections>

然后你可以定义这个部分,用键和值填充它:

  <genericAppSettings>
      <add key="testkey" value="generic" />
      <add key="another" value="testvalue" />
  </genericAppSettings>

要从此部分获取键的值,您必须添加System.Configurationdll 作为对项目的引用,添加using和使用GetSection方法。例子:

using System.Collections.Specialized;
using System.Configuration;

namespace ConsoleApplication1
{
    class Program
    {
        static void Main(string[] args)
        {
            NameValueCollection test = (NameValueCollection)ConfigurationManager.GetSection("genericAppSettings");

            string a = test["another"];
        }
    }
}

好消息是,如果需要,您可以轻松地制作部分组:

<configSections>
    <sectionGroup name="customAppSettingsGroup">
      <section name="genericAppSettings" type="System.Configuration.AppSettingsSection, System.Configuration, Version=2.0.0.0, Culture=neutral, PublicKeyToken=b03f5f7f11d50a3a" />
 // another sections
    </sectionGroup>
</configSections>

  <customAppSettingsGroup>
    <genericAppSettings>
      <add key="testkey" value="generic" />
      <add key="another" value="testvalue" />
    </genericAppSettings>
    // another sections
  </customAppSettingsGroup>

{group name}/{section name}如果您使用组,要访问部分,您必须使用以下格式访问它们:

NameValueCollection test = (NameValueCollection)ConfigurationManager.GetSection("customAppSettingsGroup/genericAppSettings");
于 2013-02-11T13:19:32.697 回答
0

AFAIK 您可以在 appsettings 之外实现自定义部分。例如,Autofac 和 SpecFlow 等框架使用这些类型的会话来支持它们自己的配置模式。您可以查看MSDN 文章以了解如何执行此操作。希望有帮助。

于 2013-02-11T12:46:48.167 回答