我正在开发自定义初始屏幕(因为standard one不符合我的需求)。但是我想从中获得一个选项 - 自动关闭。但要实现它,我需要了解常见的SplashScreen
如何选择关闭的时刻。
那么,是否有任何事件要向启动画面发送消息,告诉它应该关闭它?常见的闪屏使用什么事件,至少?
答案 0 :(得分:3)
WPF SplashScreen类使用一个非常简单的技巧,它调用Dispatcher.BeginInvoke()。
期望是UI线程正在逐渐消除程序初始化,因此不会调度任何东西。它是"挂"。当然不是永远,只要它完成,它就会重新进入调度程序循环,现在BeginInvoked方法有机会运行ShowCallback()方法。名字不好,应该是" CloseCallback" :) 0.3秒的淡入淡出掩盖了使主窗口渲染的任何额外延迟。
通常,在UI线程上调用Dispatcher.BeginInvoke()看起来像一个奇怪的黑客但是非常有用。解决棘手的重入问题的绝佳方法。
非常简单,不是唯一的方法。主窗口的Load事件可能是一个有用的触发器。
答案 1 :(得分:1)
您可以通过在应用程序的OnStartup事件处理程序中自行创建并显示它来代替将Build Action设置为Splash Screen的图像文件。 SplashScreen的show方法有一个参数来阻止它自动关闭,然后你可以告诉它何时使用Close方法关闭:
首先从App.xaml中删除StartupUri标记:
<Application x:Class="Splash_Screen.App"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
<Application.Resources>
</Application.Resources>
</Application>
将图片文件的Build Action
更改为Resource
然后在OnStartup事件处理程序中创建并显示启动画面:
public partial class App : Application
{
private const int MINIMUM_SPLASH_TIME = 1500; // Miliseconds
private const int SPLASH_FADE_TIME = 500; // Miliseconds
protected override void OnStartup(StartupEventArgs e)
{
// Step 1 - Load the splash screen
SplashScreen splash = new SplashScreen("splash.png");
splash.Show(false, true);
// Step 2 - Start a stop watch
Stopwatch timer = new Stopwatch();
timer.Start();
// Step 3 - Load your windows but don't show it yet
base.OnStartup(e);
MainWindow main = new MainWindow();
// Step 4 - Make sure that the splash screen lasts at least two seconds
timer.Stop();
int remainingTimeToShowSplash = MINIMUM_SPLASH_TIME - (int)timer.ElapsedMilliseconds;
if (remainingTimeToShowSplash > 0)
Thread.Sleep(remainingTimeToShowSplash);
// Step 5 - show the page
splash.Close(TimeSpan.FromMilliseconds(SPLASH_FADE_TIME));
main.Show();
}
}