我正在寻找一种方法来存储可以使用Application Settings在运行时写入的应用程序或机器级别设置。用户设置允许读/写,但应用程序设置不允许。我一直在使用用户设置在运行时保存这样的设置,但由于以下原因,这已被证明是不切实际的:
我们公司的机器只能由一个用户使用,因此通常不需要用户特定的设置。
否则我真的很喜欢使用应用程序设置,并希望尽可能继续使用它们。如果设置可以驻留在与
注意:这是一个WPF应用程序而不是ASP.net Web应用程序,所以没有web.config。
答案 0 :(得分:9)
好吧,我还不想在运行时更改应用程序设置(这就是我使用的用户设置),但我能够做的是在安装时编写应用程序设置。我认为类似的方法可能在运行时工作。您可以尝试一下,因为似乎没有任何其他提出的解决方案ATM。
exePath = Path.Combine( exePath, "MyApp.exe" );
Configuration config = ConfigurationManager.OpenExeConfiguration( exePath );
var setting = config.AppSettings.Settings[SettingKey];
if (setting != null)
{
setting.Value = newValue;
}
else
{
config.AppSettings.Settings.Add( SettingKey, newValue);
}
config.Save();
希望有所帮助!
答案 1 :(得分:6)
这种方法可让您更改 <AppSettings>
中的条目:
internal static bool SetSetting(string Key, string Value)
{
bool result = false;
try
{
System.Configuration.Configuration config =
ConfigurationManager.OpenExeConfiguration(
ConfigurationUserLevel.None);
config.AppSettings.Settings.Remove(Key);
var kvElem= new KeyValueConfigurationElement(Key, Value);
config.AppSettings.Settings.Add(kvElem);
// Save the configuration file.
config.Save(ConfigurationSaveMode.Modified);
// Force a reload of a changed section.
ConfigurationManager.RefreshSection("appSettings");
result = true;
}
finally
{ }
return result;
} // function
注意我发现有必要在更新后刷新appSettings
部分。
该函数在添加密钥之前删除密钥以避免双重输入。如果以前不存在密钥,这也适用。如果有任何错误,则返回 false ,成功 true 。读取设置的方法很简单,只是列出了完整性:
internal static string GetSetting(string Key)
{
string result = null;
try
{
result = ConfigurationManager.AppSettings[Key];
}
finally
{ }
return result;
} // function
注意我已经用 try ... finally 块包围它来抑制错误。如果发生任何错误,则GetSetting只返回null,而SetSetting返回false。这使处理更容易,但是如果您需要例外,您仍然可以添加
catch (Exception) { throw; }
将异常抛给调用者。或者,为了进行调试,您可以添加:
#if DEBUG
catch (Exception ex) {
System.Diagnostics.Debug.WriteLine(ex.ToString());
}
#endif
如果您选择了“Debug”配置,那么将在Visual Studio的输出窗口中显示异常,但会继续使用代码。
注意(对类似主题的交叉引用):
applicationSettings 部分不同,因为它区分“用户”和“应用程序”范围,并且它支持不同的数据类型,而不仅仅是字符串。如果您想知道如何处理 applicationSettings ,可以在此处找到它(在stackoverflow上):
How to access applicationSettings
如果您不确定是否应该使用AppSettings
或applicationSettings
,然后在决定之前使用 read this 。
如果您遇到警告 'ConfigurationSettings.AppSettings' is obsolete
,则 this hint can help you.
答案 2 :(得分:3)
WPF应用程序能够通过
访问app.config文件,就像WinForms应用程序一样ConfigurationManager.OpenExeConfiguration()
方法。诀窍是在App.config文件的AppSettings标记中获取要访问的值(也可在WPF应用程序中使用)。
所有这一切的诀窍是确保在完成修改属性后调用以下方法:
MyConfig.Save(ConfigurationSaveMode.Modified)
ConfigurationManager.RefreshSection("appSettings")
我在一段时间内写了一篇完整的“如何”,解释了所有here。