Delay.cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading;
namespace LearnThread
{
class Delay
{
public int Convert()
{
int ErrorCode = 1;
//something
//takes long time. about 9 hours.
return ErrorCode;
}
}
}
Form1.cs的
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 LearnThread
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void btnStart_Click(object sender, EventArgs e)
{
Delay delay = new Delay();
Thread t = new Thread(delay.Convert);
//something
MessageBox.Show("Success");
}
}
}
延迟延迟=新延迟();这里是错误,因为它期望返回值。我想要返回值,因为它包含错误代码。我怎样才能做到这一点?后台工作者比Thread更好?请帮忙。 (当delay.Convert()正在运行时,我不应该失去对表单的控制。)
答案 0 :(得分:4)
如Juergen所述,您可以使ErrorCode成为类成员,然后在线程完成执行后访问它。如果您尝试并行运行多个转换,则需要创建Delay类的新实例。
您还可以使用委托来获取btnStart_Click函数中变量的返回值,如下所示:
private void button1_Click(object sender, EventArgs e)
{
Delay delay = new Delay();
int delayResult = 0;
Thread t = new Thread(delegate() { delayResult = delay.Convert(); });
t.Start();
while (t.IsAlive)
{
System.Threading.Thread.Sleep(500);
}
MessageBox.Show(delayResult.ToString());
}
如果您计划在此并行运行Convert,则必须根据需要创建任意数量的局部变量,或者以其他方式处理它。
答案 1 :(得分:2)
让ErrorCode
成为班级成员。这样你就可以在事后得到它。
class Delay
{
public int ErrorCode { get; private set; }
public void Convert()
{
ErrorCode = 1;
...
}
}
private void btnStart_Click(object sender, EventArgs e)
{
Delay delay = new Delay();
Thread t = new Thread(delay.Convert);
//something
int error = delay.ErrorCode;
MessageBox.Show("Success");
}