我是C#的新手,所以请多多包涵!
我正在编写一个程序,以通过RS232将代码发送到自制望远镜支架。
希望我目前遇到的问题非常简单(但对我来说很难!)
例如,我有一个按钮,我想在按下鼠标左键时执行循环(这将是连续的232数据流),然后当释放鼠标左键时我需要循环停止并执行另一行代码。
我衷心希望我提供的信息足够,有人可以帮助我(我已经在互联网上搜索了答案,相信我!)
非常感谢。
最佳答案
钩上按钮上的MouseDown和MouseUp事件。 MouseDown事件应产生一个线程,或向该线程发出信号以开始执行循环。 MouseUp事件应向线程发出信号,以停止执行循环。
像这样:
public class InterruptibleLoop
{
private volatile bool stopLoop;
private Thread loopThread;
public void Start() {
// If the thread is already running, do nothing.
if (loopThread != null) {
return;
}
// Reset the "stop loop" signal.
stopLoop = false;
// Create and start the new thread.
loopThread = new Thread(LoopBody);
loopThread.Start();
}
public void Stop() {
// If the thread is not running, do nothing.
if (loopThread == null) {
return;
}
// Signal to the thread that it should stop looping.
stopLoop = true;
// Wait for the thread to terminate.
loopThread.Join();
loopThread = null;
}
private void LoopBody() {
while (!stopLoop) {
// Do your work here
}
}
}