如何加载图像,然后等待几秒钟,然后播放mp3声音?

ibm*_*ahm 2 c# picturebox

按下按钮后,我想显示一个图像(使用图片框),等待几秒然后播放mp3声音,但我不能让它工作.我等了几秒钟System.Threading.Thread.Sleep(5000).问题是,图像总是出现等待时间之后,但是我希望它首先显示,然后等待,然后播放mp3 ...我尝试使用WaitOnLoad = true但是它不起作用,不应该首先加载图像并继续阅读下一个代码行?

这是我尝试过的代码(不起作用):

private void button1_Click(object sender, EventArgs e) {
    pictureBox1.WaitOnLoad = true;
    pictureBox1.Load("image.jpg");
    System.Threading.Thread.Sleep(5000);
    MessageBox.Show("test");//just to test, here should be the code to play the mp3
}
Run Code Online (Sandbox Code Playgroud)

我还尝试使用"LoadAsync"加载图像并将代码放在等待并在"LoadCompleted"事件中播放mp3,但这不起作用......

Pet*_*hki 6

我会使用LoadCompleted事件并在加载图像后以5秒的间隔启动一个计时器,这样就不会阻止UI线程:

   private void button1_Click(object sender, EventArgs e)
    {
        pictureBox1.WaitOnLoad = false;
        pictureBox1.LoadCompleted += new AsyncCompletedEventHandler(pictureBox1_LoadCompleted);
        pictureBox1.LoadAsync("image.jpg");
    }

    void pictureBox1_LoadCompleted(object sender, AsyncCompletedEventArgs e)
    {
        //System.Timers.Timer is used as it supports multithreaded invocations
        System.Timers.Timer timer = new System.Timers.Timer(5000); 

        timer.Elapsed += new System.Timers.ElapsedEventHandler(timer_Elapsed);

        //set this so that the timer is stopped once the elaplsed event is fired
        timer.AutoReset = false; 

        timer.Enabled = true;
    }

    void timer_Elapsed(object sender, System.Timers.ElapsedEventArgs e)
    {
        MessageBox.Show("test"); //just to test, here should be the code to play the mp3
    }
Run Code Online (Sandbox Code Playgroud)