Как получить значения ConfigurationSection типа NameValueSectionHandler
Я работаю с C#, Framework 3.5 (VS 2008).
Я использую ConfigurationManager
загрузить конфигурацию (не файл app.config по умолчанию) в объект конфигурации.
Используя класс конфигурации, я смог получить ConfigurationSection
, но я не смог найти способ получить значения этого раздела.
В конфиге ConfigurationSection
имеет тип System.Configuration.NameValueSectionHandler
,
Для чего это стоит, когда я использовал метод GetSection
из ConfigurationManager
(работает только тогда, когда это было в моем файле app.config по умолчанию), я получил тип объекта, который я мог преобразовать в коллекцию пар ключ-значение, и я просто получил значение как словарь. Я не мог сделать такой бросок, когда я получил ConfigurationSection
класс из класса конфигурации однако.
РЕДАКТИРОВАТЬ: Пример файла конфигурации:
<configuration>
<configSections>
<section name="MyParams"
type="System.Configuration.NameValueSectionHandler" />
</configSections>
<MyParams>
<add key="FirstParam" value="One"/>
<add key="SecondParam" value="Two"/>
</MyParams>
</configuration>
Пример того, как я смог использовать его, когда он был в app.config (метод "GetSection" предназначен только для app.config по умолчанию):
NameValueCollection myParamsCollection =
(NameValueCollection)ConfigurationManager.GetSection("MyParams");
Console.WriteLine(myParamsCollection["FirstParam"]);
Console.WriteLine(myParamsCollection["SecondParam"]);
8 ответов
Пострадали от точного вопроса. Проблема была из-за NameValueSectionHandler в файле.config. Вместо этого вы должны использовать AppSettingsSection:
<configuration>
<configSections>
<section name="DEV" type="System.Configuration.AppSettingsSection" />
<section name="TEST" type="System.Configuration.AppSettingsSection" />
</configSections>
<TEST>
<add key="key" value="value1" />
</TEST>
<DEV>
<add key="key" value="value2" />
</DEV>
</configuration>
тогда в коде C#:
AppSettingsSection section = (AppSettingsSection)ConfigurationManager.GetSection("TEST");
btw NameValueSectionHandler больше не поддерживается в 2.0.
Вот хороший пост, который показывает, как это сделать.
Если вы хотите прочитать значения из файла, отличного от app.config, вам необходимо загрузить его в ConfigurationManager.
Попробуйте этот метод: ConfigurationManager.OpenMappedExeConfiguration ()
Есть пример того, как использовать это в статье MSDN.
Попробуйте использовать AppSettingsSection
вместо NameValueCollection
, Что-то вроде этого:
var section = (AppSettingsSection)config.GetSection(sectionName);
string results = section.Settings[key].Value;
Единственный способ заставить это работать - вручную создать экземпляр типа обработчика раздела, передать ему необработанный XML и привести полученный объект.
Кажется, довольно неэффективно, но вы идете.
Я написал метод расширения для инкапсуляции этого:
public static class ConfigurationSectionExtensions
{
public static T GetAs<T>(this ConfigurationSection section)
{
var sectionInformation = section.SectionInformation;
var sectionHandlerType = Type.GetType(sectionInformation.Type);
if (sectionHandlerType == null)
{
throw new InvalidOperationException(string.Format("Unable to find section handler type '{0}'.", sectionInformation.Type));
}
IConfigurationSectionHandler sectionHandler;
try
{
sectionHandler = (IConfigurationSectionHandler)Activator.CreateInstance(sectionHandlerType);
}
catch (InvalidCastException ex)
{
throw new InvalidOperationException(string.Format("Section handler type '{0}' does not implement IConfigurationSectionHandler.", sectionInformation.Type), ex);
}
var rawXml = sectionInformation.GetRawXml();
if (rawXml == null)
{
return default(T);
}
var xmlDocument = new XmlDocument();
xmlDocument.LoadXml(rawXml);
return (T)sectionHandler.Create(null, null, xmlDocument.DocumentElement);
}
}
В вашем примере вы бы назвали это так:
var map = new ExeConfigurationFileMap
{
ExeConfigFilename = @"c:\\foo.config"
};
var configuration = ConfigurationManager.OpenMappedExeConfiguration(map, ConfigurationUserLevel.None);
var myParamsSection = configuration.GetSection("MyParams");
var myParamsCollection = myParamsSection.GetAs<NameValueCollection>();
Это старый вопрос, но я использую следующий класс, чтобы сделать работу. Это основано на блоге Скотта Дормана:
public class NameValueCollectionConfigurationSection : ConfigurationSection
{
private const string COLLECTION_PROP_NAME = "";
public IEnumerable<KeyValuePair<string, string>> GetNameValueItems()
{
foreach ( string key in this.ConfigurationCollection.AllKeys )
{
NameValueConfigurationElement confElement = this.ConfigurationCollection[key];
yield return new KeyValuePair<string, string>
(confElement.Name, confElement.Value);
}
}
[ConfigurationProperty(COLLECTION_PROP_NAME, IsDefaultCollection = true)]
protected NameValueConfigurationCollection ConfCollection
{
get
{
return (NameValueConfigurationCollection) base[COLLECTION_PROP_NAME];
}
}
Использование просто:
Configuration configuration = ConfigurationManager.OpenExeConfiguration(ConfigurationUserLevel.None);
NameValueCollectionConfigurationSection config =
(NameValueCollectionConfigurationSection) configuration.GetSection("MyParams");
NameValueCollection myParamsCollection = new NameValueCollection();
config.GetNameValueItems().ToList().ForEach(kvp => myParamsCollection.Add(kvp));
Вот несколько примеров из этого блога, упомянутых ранее:
<configuration>
<Database>
<add key="ConnectionString" value="data source=.;initial catalog=NorthWind;integrated security=SSPI"/>
</Database>
</configuration>
получить значения:
NameValueCollection db = (NameValueCollection)ConfigurationSettings.GetConfig("Database");
labelConnection2.Text = db["ConnectionString"];
-
Другой пример:
<Locations
ImportDirectory="C:\Import\Inbox"
ProcessedDirectory ="C:\Import\Processed"
RejectedDirectory ="C:\Import\Rejected"
/>
получить значение:
Hashtable loc = (Hashtable)ConfigurationSettings.GetConfig("Locations");
labelImport2.Text = loc["ImportDirectory"].ToString();
labelProcessed2.Text = loc["ProcessedDirectory"].ToString();
Попробуй это;
Кредит: https://www.limilabs.com/blog/read-system-net-mailsettings-smtp-settings-web-config
SmtpSection section = (SmtpSection)ConfigurationManager.GetSection("system.net/mailSettings/smtp");
string from = section.From;
string host = section.Network.Host;
int port = section.Network.Port;
bool enableSsl = section.Network.EnableSsl;
string user = section.Network.UserName;
string password = section.Network.Password;
Это работает как шарм
dynamic configSection = ConfigurationManager.GetSection("MyParams");
var theValue = configSection["FirstParam"];