跨线程更新UI是写多线程程序尤为是通讯类的程序常常遇到的问题,这里面主要的问题是冲突,好比数据线程想要更新UI的时候,用户同时也在更新UI,就会出现争用。C#里能够用多线程
Control.CheckForIllegalCrossThreadCalls = false;
来关闭跨线程检测。可是这样作有必定的风险,容易让程序崩溃。函数
最好的办法是经过Invoke,这篇博客只是提供一个示例,至于那些线程同步、Invoke和BeginInvoke,Invoke底层实现神马的,有空再说吧。测试
一个简单的例子以下:(注,Form1 加入了一个名为txt的TextBox)ui
using System;using System.Collections.Generic;using System.ComponentModel;using System.Data;using System.Drawing;using System.Linq;using System.Text;using System.Windows.Forms;using System.Threading;namespace testThread{ public partial class Form1 : Form { private delegate void InvokeCallback(string msg); //定义回调函数(代理)格式 public Form1() { InitializeComponent(); Control.CheckForIllegalCrossThreadCalls = false;//关闭跨线程调用检测 MyMessage m = new MyMessage();//一个消息源 //启动一个线程,把界面对象传递过去 Thread t = new Thread(new ParameterizedThreadStart(m.Test)); t.Start((object)this); } //Invoke回调函数 public void UpdateText(string text) { if (txt.InvokeRequired)//当前线程不是建立线程 txt.Invoke(new InvokeCallback(UpdateText),new object[]{text});//回调 else//当前线程是建立线程(界面线程) txt.Text = text;//直接更新 } } //消息源 class MyMessage { public void Test(object para) { Form1 form = (Form1)para; form.UpdateText("测试"); } } }
上面的例子很简单,主要是须要判断一下当前线程是否是控件的建立线程,若是是就直接更新,不然创建一个Invoke对象,设置好代理和参数,而后调用Invoke。须要注意的是创建线程的时候若是须要传参数,应该经过ParameterizedThreadStart创建而且以object格式传递参数。this