Multiple asynchronous UI updates in Silverlight

前端 未结 2 1248
名媛妹妹
名媛妹妹 2021-01-07 08:38

How does one execute several UI updates from a Silverlight callback?

For example, I would like the user to click a button, have the UI make a change, do some work,

2条回答
  •  星月不相逢
    2021-01-07 09:18

    Silverlight uses a queue of work items to handle rendering and logic on the UI thread. Since your logic also runs on the UI thread (in your button_Click handler) the renderer doesn't get a chance to draw the screen until your method is done executing AND the internal message loop gets around to drawing the screen.

    Your BeginInvoke immediately places your function on the Silverlight work queue to execute on the UI thread (and returns immediately). The order Silverlight processes this is probably something like:

    • User clicks the button, placing a click event on the work queue
    • Silverlight sees the click event and calls button_Click (which places a new action on the work queue)
    • Process the next work queue item which is probably your Thread.Sleep action, pausing the UI thread for 5 seconds
    • Finally Silverlight gets around to painting the screen

    What you want to do is start a new thread to do your work, then BeginInvoke back to the UI thread:

    var thread = new Thread(() => {
      Thread.Sleep(5000);
      Dispatcher.BeginInvoke(() => { 
        // update UI 
        textBox.Text = "2";
      });
    });
    
    textBox.Text = "1";
    thread.Start();
    

    I should add that Silverlight 5 adds a composition thread that can perform certain actions to update the UI without blocking the UI thread like playing animations and doing GPU accelerated rendering where possible.

提交回复
热议问题