串口通讯C#

时间:2013-01-02 19:30:29

标签: c# oop serial-port

我正在编写一个C#应用程序,通过串口与微控制器进行通信。关于如何处理收到的消息,我有几个问题。下面是我目前正在使用的代码,它收到的消息完全正常,但是我无法更新表单,或者将数据存储在此方法之外的任何位置(因为它在另一个线程中)。

com.DataReceived += new SerialDataReceivedEventHandler(OnReceived);


public void OnReceived(object sender, SerialDataReceivedEventArgs c) // This is started in another thread...
    {
        com.DiscardOutBuffer();
        try
        {
            test = com.ReadExisting();
            MessageBox.Show(test);       
        }
        catch (Exception exc) 
        {
            MessageBox.Show(exc.ToString());
        }
    }

当我尝试更改表单或从此处调用另一个方法时,这是我收到的错误消息:“Cross Thead操作无效”。

我希望能够在其他地方显示信息,甚至更好地将信息放入数组中以便以后存储为文件。我有什么方法可以做到这一点吗?

再次感谢!

2 个答案:

答案 0 :(得分:1)

您需要使用InvokeBeginInvoke

在主线程上调用
public void OnReceived(object sender, SerialDataReceivedEventArgs c)
{
    if (this.InvokeRequired)
    {
        this.BeginInvoke(new EventHandler<SerialDataReceivedEventArgs>(OnReceived), sender, c);
        return;
    }

    com.DiscardOutBuffer();
    try
    {
        test = com.ReadExisting();
        MessageBox.Show(test);       
    }
    catch (Exception exc) 
    {
        MessageBox.Show(exc.ToString());
    }
}

或者你可以将事件处理程序的一部分分解出来(比如显示一个消息框)并调用它。

答案 1 :(得分:1)

您遇到的问题是您正在尝试从非ui线程更新UI。您需要做的是在UI线程上调用MessageBox调用。

类似的东西:

public void OnReceived(object sender, SerialDataReceivedEventArgs c) // This is started in another thread...
{
    com.DiscardOutBuffer();
    try
    {
        test = com.ReadExisting();
        SetValue(test);       
    }
    catch (Exception exc) 
    {
        SetValue(exc.ToString());
    }
}


delegate void valueDelegate(string value);

private void SetValue(string value)
{   
    if (this.InvokeRequired)
    {
        this.Invoke(new valueDelegate(SetValue),value);
    }
    else
    {
        MessageBox.Show(value);
    }
}