如何添加和读取 web.config 文件中的值?
答案 0 :(得分:127)
给出以下web.config:
<appSettings>
<add key="ClientId" value="127605460617602"/>
<add key="RedirectUrl" value="http://localhost:49548/Redirect.aspx"/>
</appSettings>
使用示例:
using System.Configuration;
string clientId = ConfigurationManager.AppSettings["ClientId"];
string redirectUrl = ConfigurationManager.AppSettings["RedirectUrl"];
答案 1 :(得分:66)
我建议你不要修改web.config,因为每次更改时,都会重启你的应用程序。
但是,您可以使用System.Configuration.ConfigurationManager.AppSettings
答案 2 :(得分:17)
如果您需要基础知识,可以通过以下方式访问密钥:
string myKey = System.Configuration.ConfigurationManager.AppSettings["myKey"].ToString();
string imageFolder = System.Configuration.ConfigurationManager.AppSettings["imageFolder"].ToString();
要访问我的Web配置键,我总是在我的应用程序中创建一个静态类。这意味着我可以在任何需要的地方访问它们,而且我没有在我的应用程序中使用字符串(如果它在Web配置中发生变化,我必须经历所有更改它们的事件)。这是一个示例:
using System.Configuration;
public static class AppSettingsGet
{
public static string myKey
{
get { return ConfigurationManager.AppSettings["myKey"].ToString(); }
}
public static string imageFolder
{
get { return ConfigurationManager.AppSettings["imageFolder"].ToString(); }
}
// I also get my connection string from here
public static string ConnectionString
{
get { return ConfigurationManager.ConnectionStrings["ConnectionString"].ConnectionString; }
}
}
答案 3 :(得分:6)
假设密钥包含在<appSettings>
节点内:
ConfigurationSettings.AppSettings["theKey"];
至于“写作” - 简单地说,不要。
web.config不是为此设计的,如果您要不断更改值,请将其放在静态助手类中。
答案 4 :(得分:3)
Ryan Farley在他的博客中发表了一篇很好的帖子,其中包括为什么不写回web.config文件的所有原因: Writing to Your .NET Application's Config File
答案 5 :(得分:0)
我是siteConfiguration类,用于以这种方式调用我的所有appSetting。如果能帮到任何人,我会分享它。
在“web.config”
添加以下代码<configuration>
<configSections>
<!-- some stuff omitted here -->
</configSections>
<appSettings>
<add key="appKeyString" value="abc" />
<add key="appKeyInt" value="123" />
</appSettings>
</configuration>
现在您可以定义一个类来获取所有appSetting值。像这样
using System;
using System.Configuration;
namespace Configuration
{
public static class SiteConfigurationReader
{
public static String appKeyString //for string type value
{
get
{
return ConfigurationManager.AppSettings.Get("appKeyString");
}
}
public static Int32 appKeyInt //to get integer value
{
get
{
return ConfigurationManager.AppSettings.Get("appKeyInt").ToInteger(true);
}
}
// you can also get the app setting by passing the key
public static Int32 GetAppSettingsInteger(string keyName)
{
try
{
return Convert.ToInt32(ConfigurationManager.AppSettings.Get(keyName));
}
catch
{
return 0;
}
}
}
}
现在添加上一课程的引用并访问密钥调用,如bellow
string appKeyStringVal= SiteConfigurationReader.appKeyString;
int appKeyIntVal= SiteConfigurationReader.appKeyInt;
int appKeyStringByPassingKey = SiteConfigurationReader.GetAppSettingsInteger("appKeyInt");