3

这是一个有趣的奇怪行为(阅读:错误)。我的简单测试应用程序中有以下两种方法:

    private void Save()
    {
        var settings = IsolatedStorageSettings.ApplicationSettings;
        settings["foo"] = new DateTimeOffset(2012, 12, 12, 12, 12, 12, TimeSpan.Zero);
        settings["bar"] = new DateTimeOffset(2011, 11, 11, 11, 11, 11, TimeSpan.Zero);
        settings.Save();
    }

    private void Load()
    {
        var settings = IsolatedStorageSettings.ApplicationSettings;
        string foo = settings["foo"].ToString();
        string bar = settings["bar"].ToString();
    }

当我运行我的应用程序时,我可以调用 Save 然后 Load 并获得保存的值。但是,当我停止应用程序,再次启动它并尝试加载时,有第一次机会InvalidOperationException(在ApplicationSettings属性内),然后设置对象为空(我的值丢失了)。异常说:

类型“System.DateTimeOffset”无法添加到已知类型列表,因为另一个类型“System.Runtime.Serialization.DateTimeOffsetAdapter”具有相同的数据合同名称“ http://schemas.datacontract.org/2004/07/System:DateTimeOffset ' 已经存在。

当我使用 ISETool.exe 查看保存到_ApplicationSettings文件的内容时,我可以看到有两种DateTimeOffset类型引用,这可能是问题所在。换句话说,IsolatedStorageSettings.Save()创建一个以后无法加载的损坏文件。

如果我将不同的类型保存到“栏”设置,一切正常。仅当我保存两个或多个 DateTimeOffset 值时才会出现此问题。作为一种解决方法,我可以将所有 DateTimeOffset 值手动序列化为字符串。不过我想避免这种情况。

4

1 回答 1

3

您似乎确实发现了 AppliationSettings 对象的错误。如果您打算在 ApplicationSettings 中存储 DateTimeOffset 值,那么这种方法将起作用。

使用您的设置创建一个类:

    public class MyAppSettings
    {
        public DateTimeOffset Foo { get; set; }
        public DateTimeOffset Bar { get; set; }
    }

改变你的方法如下:

    private void Save()
    {
        Collection<MyAppSettings> myAppSettings = new Collection<MyAppSettings>();
        myAppSettings.Add(new MyAppSettings
        {
            Foo = new DateTimeOffset(2012, 12, 12, 12, 12, 12, TimeSpan.Zero),
            Bar = new DateTimeOffset(2011, 11, 11, 11, 11, 11, TimeSpan.Zero)
        });
        IsolatedStorageSettings.ApplicationSettings["MyAppSettings"] = myAppSettings;
    }

    private void Load()
    {
        Collection<MyAppSettings> myAppSettings = (Collection<MyAppSettings>)IsolatedStorageSettings.ApplicationSettings["MyAppSettings"];
        string foo = myAppSettings.First().Foo.ToString();
        string bar = myAppSettings.First().Bar.ToString();
    }

但是,我会阅读此答案以了解将此类信息存储在您自己的设置文件中的技术。 windows phone 7 隔离存储设置.ApplicationSettings 复杂数据

此外,您可以更简单地处理此问题,并通过如下更改 Save 和 Load 方法来避免使用 Collection。

    private void Save()
    {
        MyAppSettings myAppSettingsSimple = new MyAppSettings
        {
            Foo = new DateTimeOffset(2012, 12, 12, 12, 12, 12, TimeSpan.Zero),
            Bar = new DateTimeOffset(2011, 11, 11, 11, 11, 11, TimeSpan.Zero)
        };
        IsolatedStorageSettings.ApplicationSettings["MyAppSettingsSimple"] = myAppSettingsSimple;
    }

    private void Load()
    {
        MyAppSettings myAppSettingsSimple = (MyAppSettings)IsolatedStorageSettings.ApplicationSettings["MyAppSettingsSimple"];
        txtFoo.Text = myAppSettingsSimple.Foo.ToString();
        txtBar.Text = myAppSettingsSimple.Bar.ToString();
    }
于 2013-03-09T20:13:15.983 回答