BeginInvoke与EndInvoke方法解决多线程接收委托返回值问题(附源码下载)
大家可以先看看我上次写的文章
C#多线程解决界面卡死问题的完美解决方案,BeginInvoke而不是委托delegate
本例子的源码在文章最下方
在这个例子中只是使用委托,在子线程中设置主线程的数据,而没有说明怎么样取返回值,
当今天有一个用户在问这个问题时我感觉应该写一下了
问题帖子是http://www.sufeinet.com/thread-3706-1-1.html
其实这个很简单先看下面界面
这是怎么实现的呢其实
很简单
直接看代码吧
[C#] 纯文本查看 复制代码
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 WindowsFormsApplication3
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
//创建一个委托,是为访问TextBox控件服务的。
public delegate string UpdateTxt(string msg);
//定义一个委托变量
public UpdateTxt updateTxt;
//修改TextBox值的方法。
public string UpdateTxtMethod(string msg)
{
richTextBox1.AppendText(msg + "\r\n");
return msg;
}
//此为在非创建线程中的调用方法,其实是使用TextBox的Invoke方法。
public void ThreadMethodTxt(string n)
{
IAsyncResult ar = this.BeginInvoke(updateTxt, n);
//这里就是你要的返回数据
string result = this.EndInvoke(ar).ToString();
this.BeginInvoke(updateTxt, "返回数据:" + result);
}
//开启线程
private void button1_Click(object sender, EventArgs e)
{
Thread objThread = new Thread(new ThreadStart(delegate
{
ThreadMethodTxt(textBox1.Text.Trim());
}));
objThread.Start();
}
private void Form1_Load_1(object sender, EventArgs e)
{
//实例化委托
updateTxt = new UpdateTxt(UpdateTxtMethod);
}
}
}
提供源码下载
WindowsFormsApplication3.zip
(49.22 KB, 下载次数: 1137)
其实就是这两句
[C#] 纯文本查看 复制代码 IAsyncResult ar = this.BeginInvoke(updateTxt, n);
//这里就是你要的返回数据
string result = this.EndInvoke(ar).ToString();
这样就可以取到返回的数据了this.EndInvoke(ar)返回的是一个对象,如是其它类型大家可以使用Convert进行相应的转化就行了。
|