GetProcessesByName 不会在您的应用程序中查找线程,而是在您的机器中查找进程。事实上,在您自己的应用程序中没有很好的方法来查询线程(除了编写调试器之外,还有一个问题)。
对于你想要的,你可以为你的线程创建一个包装类,这样你就可以查询它们是否正在运行。或者通过其他方式自己跟踪线程。
您还可以考虑拥有一个Lazy<Thread>
在需要时将被初始化的字段,并且您可以查询线程是否处于活动状态。经过测试Lazy<Thread>
不是一个好主意。
源自西蒙的回答:
private int running;
public void runThread()
{
if (Interlocked.CompareExchange(ref running, 1, 0) == 0)
{
Thread t = new Thread
(
() =>
{
try
{
go();
}
catch
{
//Without the catch any exceptions will be unhandled
//(Maybe that's what you want, maybe not*)
}
finally
{
//Regardless of exceptions, we need this to happen:
running = 0;
}
}
);
t.IsBackground = true;
t.Name = "myThread";
t.Start();
}
else
{
System.Diagnostics.Debug.WriteLine("myThreadis already Running.");
}
}
public void go()
{
//My work goes here
}
*:必须抓住 所有的人
Wajid和Segey是对的。你可以只拥有一个 Thread 字段。请允许我提供示例:
private Thread _thread;
public void runThread()
{
var thread = _thread;
//Prevent optimization from not using the local variable
Thread.MemoryBarrier();
if
(
thread == null ||
thread.ThreadState == System.Threading.ThreadState.Stopped
)
{
var newThread = new Thread(go);
newThread.IsBackground = true;
newThread.Name = "myThread";
newThread.Start();
//Prevent optimization from setting the field before calling Start
Thread.MemoryBarrier();
_thread = newThread;
}
else
{
System.Diagnostics.Debug.WriteLine("myThreadis already Running.");
}
}
public void go()
{
//My work goes here
}
注意:最好使用第一个替代方案(源自 Simon 的答案),因为它是线程安全的。也就是说,如果有多个线程同时调用 runThread 方法,则不会有创建多个线程的风险。