44

我目前在我的应用程序中有一个 app.config,如下所示:

 <?xml version="1.0" encoding="utf-8" ?>
<configuration>
  <configSections>
    <sectionGroup name="DeviceSettings">
      <section name="MajorCommands" type="System.Configuration.DictionarySectionHandler"/>
    </sectionGroup>
  </configSections>
  <appSettings>
    <add key="ComPort" value="com3"/>
    <add key="Baud" value="9600"/>
    <add key="Parity" value="None"/>
    <add key="DataBits" value="8"/>
    <add key="StopBits" value="1"/>
    <add key="Ping" value="*IDN?"/>
    <add key="FailOut" value="1"/>
  </appSettings>
  <DeviceSettings>
    <MajorCommands>
      <add key="Standby" value="STBY"/>
      <add key="Operate" value="OPER"/>
      <add key="Remote" value="REMOTE"/>
      <add key="Local" value="LOCAL"/>
      <add key="Reset" value="*RST" />
    </MajorCommands>
  </DeviceSettings>
</configuration>

我目前的目标是将 MajorCommands 中的所有值读取或简单地读取为Dictionary<string, string>格式为Dictionary<key, value>. 我已经使用 System.Configuration 尝试了几种不同的方法,但似乎都没有奏效,而且我无法为我的确切问题找到任何详细信息。有没有合适的方法来做到这一点?

4

3 回答 3

59

使用类,您可以从文件ConfigurationManager中获取整个部分,如果您愿意,可以将其转换为:app.configHashtableDictionary

var section = (ConfigurationManager.GetSection("DeviceSettings/MajorCommands") as System.Collections.Hashtable)
                 .Cast<System.Collections.DictionaryEntry>()
                 .ToDictionary(n=>n.Key.ToString(), n=>n.Value.ToString());

您需要添加对System.Configuration程序集 的引用

于 2013-07-15T20:52:22.287 回答
45

您快到了 - 您只是将 MajorCommands 嵌套得太深了。只需将其更改为:

<configuration>
  <configSections>
    <section
      name="MajorCommands"
      type="System.Configuration.DictionarySectionHandler" />
  </configSections>
  <startup>
    <supportedRuntime version="v4.0" sku=".NETFramework,Version=v4.5" />
  </startup>
  <MajorCommands>
    <add key="Standby" value="STBY"/>
    <add key="Operate" value="OPER"/>
    <add key="Remote" value="REMOTE"/>
    <add key="Local" value="LOCAL"/>
    <add key="Reset" value="*RST" />    
  </MajorCommands>
</configuration>

然后以下内容将为您工作:

var section = (Hashtable)ConfigurationManager.GetSection("MajorCommands");
Console.WriteLine(section["Reset"]);

请注意,这是一个哈希表(不是类型安全的),而不是字典。如果你想要它,Dictionary<string,string>你可以像这样转换它:

Dictionary<string,string> dictionary = section.Cast<DictionaryEntry>().ToDictionary(d => (string)d.Key, d => (string)d.Value);
于 2013-07-15T20:58:18.887 回答
-2

我可能会将配置文件视为 xml 文件。

Dictionary<string, string> myDictionary = new Dictionary<string, string>();
XmlDocument document = new XmlDocument();
document.Load("app.config");
XmlNodeList majorCommands = document.SelectNodes("/configuration/DeviceSettings/MajorCommands/add");

foreach (XmlNode node in majorCommands)
{
    myDictionary.Add(node.Attributes["key"].Value, node.Attributes["value"].Value)
}

如果 document.Load 不起作用,请尝试将配置文件转换为 xml 文件。

于 2013-07-15T20:41:28.007 回答