如何将枚举保存到ApplicationData.Current.LocalSettings中

时间:2012-10-05 15:01:17

标签: c# windows-8 windows-runtime

当您尝试存储枚举值时,WinRT保存设置的能力会引发异常。 MSDN在页面"Accessing app data with the Windows Runtime"上说只支持"Runtime Data Types"

那么,你如何保存枚举?

2 个答案:

答案 0 :(得分:5)

这是一种非常奇怪的行为。但很容易解决。

首先,您需要某种类型的解析例程,如下所示:

T ParseEnum<T>(object value)
{
    if (value == null)
        return default(T);
    return (T)Enum.Parse(typeof(T), value.ToString());
}

注意:ENUM的默认值始终是其0值成员。

然后你可以这样与它互动:

var _Settings = ApplicationData.Current.LocalSettings.Values;

// write
_Settings["Color"] = MyColors.Red.ToString()

// read
return ParseEnum<MyColors>(_Settings["Color"]);

基本上,我们只是将其转换为字符串。

答案 1 :(得分:1)

通过利用基础类型的枚举来序列化值

来实现该目标的另一种方法
public void Write<T>(string key, T value)
{
    var settings = ApplicationData.Current.LocalSettings;

    if (typeof(T).GetTypeInfo().IsEnum)
    {
        settings.Values[key] = Convert.ChangeType(value, Enum.GetUnderlyingType(typeof(T)));
        return;
    }

    settings.Values[key] = value;
}

public bool TryRead<T>(string key, out T value)
{
    var settings = ApplicationData.Current.LocalSettings;

    object tmpValue;
    if (settings.Values.TryGetValue(key, out tmpValue))
    {
        if (tmpValue == null)
        {
            value = default(T);
            return true;
        }

        if (typeof(T).GetTypeInfo().IsEnum)
        {
            value = (T)Enum.ToObject(typeof(T), tmpValue);
            return true;
        }

        if (tmpValue is T)
        {
            value = (T) tmpValue;
            return true;
        }
    }

    value = default(T);
    return false;
}

使用示例

// write
Write("Color", MyColors);

// read
MyColor value;
TryRead<MyColor>("Color", out value)