C#AppSettings数组

时间:2017-09-13 23:39:23

标签: c# .net configurationmanager appsettings

我需要从多个文件中访问一些字符串常量。由于这些常量的值可能会不时发生变化,因此我决定将它们放在AppSettings而不是常量类中,以便每次更改常量时都不必重新编译。

有时我需要使用单个字符串,有时我需要同时处理所有字符串。我想做这样的事情:

<?xml version="1.0" encoding="utf-8"?>
<configuration>
    <appSettings>
        <add key="CONST1" value="Hi, I'm the first constant." />
        <add key="CONST2" value="I'm the second." />
        <add key="CONST3" value="And I'm the third." />

        <add key="CONST_ARR" value=[CONST1, CONST2, CONST3] />
    </appSettings>
</configuration>

理由是我可以做像

这样的事情
public Dictionary<string, List<double>> GetData(){
    var ret = new Dictionary<string, List<double>>();
    foreach(string key in ConfigurationManager.AppSettings["CONST_ARR"])
        ret.Add(key, foo(key));
    return ret;
}

//...

Dictionary<string, List<double>> dataset = GetData();

public void ProcessData1(){
    List<double> data = dataset[ConfigurationManager.AppSettings["CONST1"]];
    //...
}

有办法做到这一点吗?我对此很陌生,我承认这可能是可怕的设计。

1 个答案:

答案 0 :(得分:2)

您不需要在AppSettings键中放置键数组,因为您可以从代码本身迭代AppSetting的所有键。因此,您的AppSettings应该是这样的:

 <appSettings>
    <add key="CONST1" value="Hi, I'm the first constant." />
    <add key="CONST2" value="I'm the second." />
    <add key="CONST3" value="And I'm the third." />
</appSettings>

在此之后,您可以创建全局静态字典,您可以从程序的所有部分访问该字典:

public static Dictionary<string, List<double>> Dataset
{
       get
       {
            var ret = new Dictionary<string, List<double>>();
            // Iterate through each key of AppSettings
            foreach (string key in ConfigurationManager.AppSettings.AllKeys)
                ret.Add(key, Foo(ConfigurationManager.AppSettings[key]));
            eturn ret;
        }
}

Foo method属性访问static时,需要将Foo方法定义为静态方法。所以,你的Foo方法应如下所示:

private static List<double> Foo(string key)
{
    // Process and return value 
    return Enumerable.Empty<double>().ToList(); // returning empty collection for demo
}

现在,您可以通过以下方式访问数据集dictionary

public void ProcessData1()
{
    List<double> data = Dataset["CONST1"];
    //...
}