将数据从UI线程传递到c#中的另一个线程
Posted
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了将数据从UI线程传递到c#中的另一个线程相关的知识,希望对你有一定的参考价值。
如何将数据从主线程传递到在不同线程中连续运行的方法?我有一个计时器,其中值将连续递增,并且数据将在每个计时器tick事件的不同线程中传递给该方法。请帮忙。我对线程知识不多。
答案
您可以使用队列将数据发送到您锁定以进行访问的其他线程。这可确保最终处理发送到另一个线程的所有数据。您实际上并不需要将其视为“将”数据“发送”到其他线程,而是管理对共享数据的锁定,以便它们不会同时访问它(这可能会导致灾难!)
Queue<Data> _dataQueue = new Queue<Data>();
void OnTimer()
{
//queue data for the other thread
lock (_dataQueue)
{
_dataQueue.Enqueue(new Data());
}
}
void ThreadMethod()
{
while (_threadActive)
{
Data data=null;
//if there is data from the other thread
//remove it from the queue for processing
lock (_dataQueue)
{
if (_dataQueue.Count > 0)
data = _dataQueue.Dequeue();
}
//doing the processing after the lock is important if the processing takes
//some time, otherwise the main thread will be blocked when trying to add
//new data
if (data != null)
ProcessData(data);
//don't delay if there is more data to process
lock (_dataQueue)
{
if (_dataQueue.Count > 0)
continue;
}
Thread.Sleep(100);
}
}
另一答案
如果您使用的是Windows窗体,则可以执行以下操作:
在您的表单添加属性
private readonly System.Threading.SynchronizationContext context;
public System.Threading.SynchronizationContext Context
{
get{ return this.context;}
}
在“表单”构造函数中设置属性
this.context= WindowsFormsSynchronizationContext.Current;
使用此属性将其作为构造函数参数传递给后台工作程序。这样您的工作人员就会了解您的GUI上下文。在后台工作程序中创建类似的属性。
private readonly System.Threading.SynchronizationContext context;
public System.Threading.SynchronizationContext Context
{
get{ return this.context;}
}
public MyWorker(SynchronizationContext context)
{
this.context = context;
}
更改您的Done()方法:
void Done()
{
this.Context.Post(new SendOrPostCallback(DoneSynchronized), null);
}
void DoneSynchronized(object state)
{
//place here code You now have in Done method.
}
在DoneSynchronized中您应始终在您的GUI线程中。
上面的答案完全来自这个帖子。重复标记。
以上是关于将数据从UI线程传递到c#中的另一个线程的主要内容,如果未能解决你的问题,请参考以下文章