我正在编写一个简单的程序,用于将信息从PC发送到COM端口。到目前为止,我已经在PC和COM端口之间建立了连接,我可以发送信息并查看端口收到了什么,但是我有两个问题,第一个是当我将信息发送到实际的COM端口(COM端口)时第一次收到所有信息时,将其插入USB电缆以回显信号)。然后它变成随机的,有时又是我写的所有内容的,有时只是第一个字符。有时什么也没有。我的假设是发生这种情况,因为我没有设置任何超时或任何超时条件。帮助会很好。
但是我真正的问题是,因为我正在编写与PLC通信的程序,所以我希望从文本框发送的所有信息都以ASCII码发送。
这是代码:
public Form1()
{
InitializeComponent();
}
//BTN new serial port creation - port taken from comport text box
private void button1_Click(object sender, EventArgs e)
{
System.IO.Ports.SerialPort sport = new System.IO.Ports.SerialPort(comport.Text, 9600, System.IO.Ports.Parity.None, 8, System.IO.Ports.StopBits.One);
//opening the com port and sending the information from textbox1
try
{
sport.Open();
sport.Write(textBox1.Text);
}
//if there is an error - show error message
catch (Exception ex)
{
MessageBox.Show(ex.ToString());
}
//Adding timestamp to received info
DateTime dt = DateTime.Now;
String dtn = dt.ToShortTimeString();
//reading the information form the com port
textBox2.AppendText("[" + dtn + "] " + "Recieved: " + sport.ReadExisting() + "\n");
//closing the port
sport.Close();
}
答案 0 :(得分:1)
问题是,您每次单击按钮时都在阅读,并且可能没有收到所有内容。您应该使用SerialPort
类的DataReceived
事件来接收数据。每次通过COM端口接收到数据时都会触发该事件,因此您可以按按钮写入该端口,然后随着数据的传入,您将看到事件随数据触发。
Microsoft有一个很好的定义和示例here。
该事件在单独的线程上,因此要将其写入文本框,您可能必须调用它以将其显示在gui上。请参见下面的示例代码:
private void serialPort1_DataReceived(object sender, System.IO.Ports.SerialDataReceivedEventArgs e)
{
string Data = serialPort1.ReadExisting();
this.Invoke((MethodInvoker)delegate
{
textBox2.AppendText(Data);
});
}