我有一些需要从多个文件访问的字符串常量。由于这些常量的值可能会不时更改,因此我决定将它们放在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"]];
//...
}
有没有办法做到这一点?我对此很陌生,我承认这可能是可怕的设计。
最佳答案
您无需将键数组放在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"];
//...
}
关于c# - C#AppSettings数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/46208348/