消息框显示一次
本文关键字:一次 显示 消息 | 更新日期: 2023-09-27 18:35:52
我想知道是否有办法在 WP8 中仅显示一次消息框,即在应用程序打开时。
我已经有以下代码,非常基本。
protected override void OnNavigatedTo(NavigationEventArgs e)
{
base.OnNavigatedTo(e);
MessageBox.Show("Hi");
}
但是,每次打开应用程序时都会显示此信息。 我只希望它第一次显示。
这可能吗?
我已经在WP 8.0 Silverlight应用程序中成功地使用了它。 创建一个可重用的类,OneTimeDialog:
using System.Windows;
using System.IO.IsolatedStorage;
namespace MyApp
{
public static class OneTimeDialog
{
private static readonly IsolatedStorageSettings _settings = IsolatedStorageSettings.ApplicationSettings;
public static void Show(string uniqueKey, string title, string message)
{
if (_settings.Contains(uniqueKey)) return;
MessageBox.Show(message, title, MessageBoxButton.OK);
_settings.Add(uniqueKey, true);
_settings.Save();
}
}
}
然后在应用中的任何位置使用它,如下所示:
OneTimeDialog.Show("WelcomeDialog", "Welcome", "Welcome to my app! You'll only see this once.")
仅在许多不同类型的应用程序中显示一次"提示"或"欢迎"对话框很有帮助,因此我实际上将上面的代码放在可移植类库中,以便我可以从多个项目中引用它。
由于需要跨会话保留状态,因此独立存储键值对是一个不错的选择。 只需在之前检查,然后更新:
protected override void OnNavigatedTo(NavigationEventArgs e)
{
base.OnNavigatedTo(e);
var settings = IsolatedStorageSettings.ApplicationSettings;
if (settings.ContainsKey("messageShown") && (bool)settings["messageShown"] == true)
{
MessageBox.Show("Hi");
settings["messageShown"] = true;
}
}