アプリケーション設定が利用可能かどうかを確認するにはどうすればよいですか?
すなわちapp.config
<?xml version="1.0" encoding="utf-8" ?>
<configuration>
<appSettings>
<add key ="someKey" value="someValue"/>
</appSettings>
</configuration>
およびコードファイル内
if (ConfigurationManager.AppSettings.ContainsKey("someKey"))
{
// Do Something
}else{
// Do Something Else
}
MSDN:Configuration Manager.AppSettings
if (ConfigurationManager.AppSettings[name] != null)
{
// Now do your magic..
}
または
string s = ConfigurationManager.AppSettings["myKey"];
if (!String.IsNullOrEmpty(s))
{
// Key exists
}
else
{
// Key doesn't exist
}
if (ConfigurationManager.AppSettings.AllKeys.Contains("myKey"))
{
// Key exists
}
else
{
// Key doesn't exist
}
ジェネリックとLINQを介して安全にデフォルト値を返しました。
public T ReadAppSetting<T>(string searchKey, T defaultValue, StringComparison compare = StringComparison.Ordinal)
{
if (ConfigurationManager.AppSettings.AllKeys.Any(key => string.Compare(key, searchKey, compare) == 0)) {
try
{ // see if it can be converted.
var converter = TypeDescriptor.GetConverter(typeof(T));
if (converter != null) defaultValue = (T)converter.ConvertFromString(ConfigurationManager.AppSettings.GetValues(searchKey).First());
}
catch { } // nothing to do just return the defaultValue
}
return defaultValue;
}
次のように使用します。
string LogFileName = ReadAppSetting("LogFile","LogFile");
double DefaultWidth = ReadAppSetting("Width",1280.0);
double DefaultHeight = ReadAppSetting("Height",1024.0);
Color DefaultColor = ReadAppSetting("Color",Colors.Black);
探しているキーが設定ファイルにない場合、.ToString()を使用して文字列に変換することはできません。値がnullになり、「オブジェクト参照が設定されていませんオブジェクトのインスタンスへ」エラー。文字列表現を取得する前に、値が存在するかどうかを最初に確認するのが最善です。
if (!String.IsNullOrEmpty(ConfigurationManager.AppSettings["myKey"]))
{
String myKey = ConfigurationManager.AppSettings["myKey"].ToString();
}
または、Code Monkeyが提案したように:
if (ConfigurationSettings.AppSettings["myKey"] != null)
{
// Now do your magic..
}
上部オプションはあらゆる方法に柔軟に対応します。キータイプがわかっている場合は、それらを解析してみてくださいbool.TryParse(ConfigurationManager.AppSettings["myKey"], out myvariable);
var isAlaCarte = ConfigurationManager.AppSettings.AllKeys.Contains( "IsALaCarte")&& bool.Parse(ConfigurationManager.AppSettings.Get( "IsALaCarte"));
私はLINQ式が最高だと思う:
const string MyKey = "myKey"
if (ConfigurationManager.AppSettings.AllKeys.Any(key => key == MyKey))
{
// Key exists
}
codebender's answer が好きでしたが、C++/CLIで動作するために必要でした。これが私がやったことです。 LINQの使用法はありませんが、機能します。
generic <typename T> T MyClass::ReadAppSetting(String^ searchKey, T defaultValue) {
for each (String^ setting in ConfigurationManager::AppSettings->AllKeys) {
if (setting->Equals(searchKey)) { // if the key is in the app.config
try { // see if it can be converted
auto converter = TypeDescriptor::GetConverter((Type^)(T::typeid));
if (converter != nullptr) { return (T)converter->ConvertFromString(ConfigurationManager::AppSettings[searchKey]); }
} catch (Exception^ ex) {} // nothing to do
}
}
return defaultValue;
}