线程间操作无效: 从不是创建控件的线程访问它的三种解决方法

今天遇到这个问题,百度了下,把解决的方法总结出来。
我们在ui线程创建的子线程操作ui控件时,系统提示错误详细信息为:
线程间操作无效: 从不是创建控件“XXX”的线程访问它。

 

就我知道的有三种方法,先看一下msdn的介绍:

访问 Windows 窗体控件本质上不是线程安全的。如果有两个或多个线程操作某一控件的状态,则可能会迫使该控件进入一种不一致的状态。还可能出现其他与线程相关的 bug,包括争用情况和死锁。确保以线程安全方式访问控件非常重要。

 

看下解决办法吧

1、把CheckForIllegalCrossThreadCalls设置为false

2、利用委托

[csharp]  view plain  copy
  1. delegate void SetTextCallBack(string text);  
  2. private void SetText(string text)  
  3. {  
  4.     if (this.txt_a.InvokeRequired)  
  5.     {  
  6.         SetTextCallBack stcb = new SetTextCallBack(SetText);  
  7.         this.Invoke(stcb, new object[] { text });  
  8.     }  
  9.     else  
  10.     {  
  11.         this.txt_a.Text = text;  
  12.     }  
  13. }  
  14.   
  15. private void LoadData()  
  16. {  
  17.     SetText("测试");  
  18. }  
  19.   
  20.   
  21. //窗体加载时,用线程加载数据  
  22. private void Frm_ImportManager_Load(object sender, EventArgs e)  
  23. {  
  24.     ThreadStart ts = new ThreadStart(LoadData);  
  25.     Thread thread = new Thread(ts);  
  26.     thread.Name = "LoadData";  
  27.     thread.Start();  
  28. }  

3、使用 BackgroundWorker控件

在应用程序中实现多线程的首选方式是使用 BackgroundWorker 组件。BackgroundWorker 组件使用事件驱动模型实现多线程。辅助线程运行 DoWork 事件处理程序,创建控件的线程运行ProgressChanged 和 RunWorkerCompleted 事件处理程序。注意不要从 DoWork 事件处理程序调用您的任何控件。

下面的代码示例不异步执行任何工作,因此没有 DoWork 事件处理程序的实现。TextBox 控件的Text 属性在 RunWorkerCompleted 事件处理程序中直接设置。

[csharp]  view plain  copy
  1. // This event handler starts the form's   
  2. // BackgroundWorker by calling RunWorkerAsync.  
  3. //  
  4. // The Text property of the TextBox control is set  
  5. // when the BackgroundWorker raises the RunWorkerCompleted  
  6. // event.  
  7. private void setTextBackgroundWorkerBtn_Click(  
  8.     object sender,  
  9.     EventArgs e)  
  10. {  
  11.     this.backgroundWorker1.RunWorkerAsync();  
  12. }  
  13.   
  14. // This event handler sets the Text property of the TextBox  
  15. // control. It is called on the thread that created the   
  16. // TextBox control, so the call is thread-safe.  
  17. //  
  18. // BackgroundWorker is the preferred way to perform asynchronous  
  19. // operations.  
  20.   
  21. private void backgroundWorker1_RunWorkerCompleted(  
  22.     object sender,  
  23.     RunWorkerCompletedEventArgs e)  
  24. {  
  25.     this.textBox1.Text =  
  26.         "This text was set safely by BackgroundWorker.";  
  27. }  

博主转后注释:需要异步时,把获取数据的代码写在BackgroundWork控件的DoWork事件中并把获取到的数据赋值给e.Result,然后在RunWorkerCompleted事件中接收e.Result并赋值给控件。

大家可以参考下MSDN:
如何:对 Windows 窗体控件进行线程安全调用

http://msdn.microsoft.com/zh-cn/visualc/ms171728(VS.85,printer).aspx



转载自:http://www.cnblogs.com/luckboy/archive/2010/12/19/1910785.html

猜你喜欢

转载自blog.csdn.net/e_wsq/article/details/80352236