我一个接一个地运行许多时间\CPU 密集型进程(TimeExpensive 类型)。主线程 (A) 在另一个线程 (B) 中异步启动 TimeExpensive 进程并变为非活动状态。在完成时,线程 B 同步触发调用者的完成处理程序并在线程 B 中启动下一个 TimeExpensive 进程。创建了一个新线程 (C),但在启动 C 后,B 完成。因此,对于 n 个进程,创建了 n 个线程,并且大多数时候,它们并不共存。
有人可能希望它以线性单线程方式实现,但 TimeExpensive 是由第三方实现的,并且在运行时会使用所有系统内核并运行数小时。
//This will run as console app
class Program
{
static void Main(string[] args)
{
new Program().StartJobs();
}
void StartJobs()
{
Main mainJob = new Main();
mainJob.MainCompletionEvent +=
new Action<object, EventArgs>(mainJob_MainCompletionEvent);
mainJob.Start();
}
void mainJob_MainCompletionEvent(object sender, EventArgs e)
{
//if(success) Environment.Exit(0);
}
}
class Main
{
int processCounter = 0;
public event Action<object, EventArgs> MainCompletionEvent;
public void Start()
{
//...do other important tasks here...
processCounter++;
TimeExpensive te = new TimeExpensive();
te.CompletionEvent += new Action(TimeExpensive_CompletionHandler);
Thread aThread = new Thread(te.Run);
aThread.IsBackground = false;
aThread.Name = "TimeExpensive Thread: " + processCounter;
aThread.Start();
}
void TimeExpensive_CompletionHandler()
{
Console.WriteLine("current Thread Name: " + Thread.CurrentThread.Name);
//Start another Process In Background if
if (processCounter < 5)
{
Start();
}
else
{
Console.ReadKey();
if (JobCompletionEvent != null)
JobCompletionEvent(this, new EventArgs());
}
}
}
class TimeExpensive
{
public event Action CompletionEvent;
public void Run()
{
//doing time expensive task
//...
//when finish Notify completion Handler...
if (CompletionEvent != null)
{
CompletionEvent();
}
}
}
//Output
current Thread Name: TimeExpensive Thread: 1
current Thread Name: TimeExpensive Thread: 2
current Thread Name: TimeExpensive Thread: 3
current Thread Name: TimeExpensive Thread: 4
current Thread Name: TimeExpensive Thread: 5
上面的实现模仿了我描述的行为。困扰我的事情是事件处理程序同步运行,直到下一个线程启动,在此期间,它正在执行许多它不是为之设计的任务。
不确定这是否好,有没有办法可以在线程 B 的完成处理程序中返回线程 A?还是我应该更好地使用另一个 delegate.BeginInvoke 启动事件处理程序执行?
我希望用简单而安全的方法来做到这一点。任何帮助是极大的赞赏。
PS 我读了很多帖子,但没有人能很好地处理这种情况。
编辑
添加了静态 main 以显示如何在控制台应用程序中启动此代码。请记住,还可以创建 UI 来启动“主要”工作。它肯定会创建 BackgroundWorker 线程来创建 mainJob 对象并运行它。谢谢!