将数据从UI线程传递到c#中的另一个线程

时间:2013-09-30 09:46:59

标签: c# multithreading thread-safety

如何将数据从主线程传递到连续运行在不同线程中的方法?我有一个计时器,其中值将连续递增,并且数据将在每个计时器tick事件的不同线程中传递给该方法。请帮忙。我对线程知识不多。

2 个答案:

答案 0 :(得分:0)

您可以使用队列将数据发送到您锁定以进行访问的其他线程。这可确保最终处理发送到另一个线程的所有数据。您并不需要将其视为“将”数据“发送”到另一个线程,而是管理对共享数据的锁定,以便它们不会同时访问它(这可能会导致灾难!)

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);
    }
}

答案 1 :(得分:0)

如果您使用的是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线程中。

以上答案完全来自这个帖子。重复标记。

Possible Duplicate