我有一个自定义类,可以从IsolatedStorage读取和写入。除图像外,我的所有值都被正确保存和检索。这是我的设置
Setting.cs
//Encapsulates a key/value pair stored in Isolated Storage ApplicationSettings
public class Setting<T>
{
string name;
T value;
T defaultValue;
bool hasValue;
public Setting(string name, T defaultValue)
{
this.name = name;
this.defaultValue = defaultValue;
}
public T Value
{
get
{
//Check for the cached value
if (!this.hasValue)
{
//Try to get the value from Isolated Storage
if (!IsolatedStorageSettings.ApplicationSettings.TryGetValue(this.name, out this.value))
{
//It hasn't been set yet
this.value = this.defaultValue;
IsolatedStorageSettings.ApplicationSettings[this.name] = this.value;
}
this.hasValue = true;
}
return this.value;
}
set
{
//Save the value to Isolated Storage
IsolatedStorageSettings.ApplicationSettings[this.name] = value;
this.value = value;
this.hasValue = true;
}
}
public T DefaultValue
{
get { return this.defaultValue; }
}
// Clear cached value
public void ForceRefresh()
{
this.hasValue = false;
}
}
Settings.cs
//Transparent Background
public static readonly Setting<BitmapImage> TransparentBackground = new Setting<BitmapImage>("TransparentBackground", null);
这是我使用PhotoChooserTask收集图像并将结果保存到IsolatedStorage的地方
Settings.Page.xaml.cs
private void Browse_Click(object sender, RoutedEventArgs e)
{
photoChooserTask.Show();
}
void photoChooserTask_Completed(object sender, PhotoResult e)
{
if (e.TaskResult == TaskResult.OK)
{
//Code to display the photo on the page in an image control named TransparentModeViewBoxImage.
BitmapImage bmp = new BitmapImage();
bmp.SetSource(e.ChosenPhoto);
TransparentModeViewBoxImage.Source = Settings.TransparentBackground.Value = bmp;
}
}
在同一个应用程序实例中,我可以将MainPage背景设置为Settings.TransparentBackground.Value
,但效果很好,但是当我完全重启应用程序Settings.TransparentBackground.Value
时返回null。
MainPage.xaml.cs中
ImageBrush ib = new ImageBrush();
if(Settings.TransparentBackground.Value == null)
//Use no background image
else
ib.ImageSource = Settings.TransparentBackground.Value;
LayoutRoot.Background = ib;
关闭后应用程序中没有任何地方我将Settings.TransparentBackground.Value
重置为null。我无法弄清楚为什么只有这个值不能保存在IsolatedStorage中。
答案 0 :(得分:1)
您正在尝试将其存储到IsolatedStorageSettings.ApplicationSettings字典中。通常,这用于较小的数据,更重要的是 - 可以序列化的数据。
键值对由唯一键标识符和关联标识符组成 在散列表中找到的数据值.IsolatedStorageSettings是一个 用于将数据保存或检索为键/值对的字典类。您 可以使用字符串在此字典中存储任何可序列化对象 键。
来源 - Quickstart: Working with settings for Windows Phone 8
因此,您需要手动存储BitmapImage。请参阅有关将图像存储到本地存储的许多其他旧问题,例如this one。