线程冻结主UI

本文关键字:UI 冻结 线程 | 更新日期: 2023-09-27 18:17:10

你好
我目前正在编写一个服务器监控应用程序。

    public class Server
    {
            public string SERVERNAME;
            public string ENVIRONMENT;
            public string VERSION;
            public string CPU_PERCETAGE;
            public string CPU_NAME;
            public string CPU_DESCRIPTION;
            public string CPU_VOLTAGE;
    }

我目前有一个页面在我的主窗口,我执行和填写数据:

try
 {
   {
    Thread test = new Thread(() =>
    {
     datagrid_Disks.Dispatcher.BeginInvoke(
      new Action(() =>
      {
        datagrid_Disks.ItemsSource = Server.GetDisksInfo(textbox_Username.Text,
                                                           textbox_password.Password,
                                                           textbox_IP.Text,
                                                           textbox_Domain.Text);
      }));
     });
     test.Start();
  }
  catch (UnauthorizedAccessException)
  {
    Worker.ShowModernBox("Onjuiste gebruiksersnaam" + Environment.NewLine + "of wachtwoord.");
  }
  catch (ManagementException)
  {
   Worker.ShowModernBox("Server geeft geen Response." + Environment.NewLine + "Controleer Aub de instelling.");
  }

我的主线程等待线程完成,似乎不明白为什么会发生这种情况。

感谢所有的帮助!

线程冻结主UI

问题是Dispatcher。Invoke阻塞UI线程,所以任何Invoke都应该尽可能小。

将耗时的代码放在调用之外以解决问题。

,因为它已经由@RohitVals指出,你不能从后台线程访问UI控件,所以你将不得不使用2调用-一个获取文本值,一个设置ItemsSource:

Thread test = new Thread(() =>
{
    String text, password, ipText, domainText;
    // !!!!!!This one should be simple Invoke because otherwise variables may not get their         
    // values before calls. Thanks @ScottChamberlain.!!!!!!
    datagrid_Disks.Dispatcher.Invoke(
      new Action(() =>
      {
          text = textbox_Username.Text;
          password = textbox_password.Password;
          ipText = textbox_IP.Text,
          domainText = textbox_Domain.Text
      }));

     var result = Server.GetDisksInfo(text, 
         password, 
         ipText,
         domainText);
     datagrid_Disks.Dispatcher.BeginInvoke(
      new Action(() =>
      {
        datagrid_Disks.ItemsSource = result;
      }));
 });
 test.Start();

OR(感谢@RohitVals)

您可以在运行线程之前获取这些值,以避免双重调度:

text = textbox_Username.Text;
// ...
Thread test = ...

您可以尝试MVVM模式- http://msdn.microsoft.com/en-us/magazine/dd419663.aspx。它可能看起来令人生畏,而且太复杂,一开始没有或很少有好处,但随着时间的推移,你会看到它的优点。

本文讨论MVVM和dispatcher - http://msdn.microsoft.com/en-us/magazine/dn630646.aspx

注::如果你的GetDisksInfo方法使用延迟执行(如LINQ),那么你应该在使用它之前枚举结果:

 var result = Server.GetDisksInfo(text, 
         password, 
         ipText,
         domainText).ToArray();