在WinForm中收发数据,可以使用SerialPort类来进行串口通信。以下是一个简单的示例:
首先,在WinForm的设计视图中,拖动一个SerialPort控件到窗体上。
在窗体的代码文件中,添加以下代码:
using System;
using System.IO.Ports;
namespace SerialPortDemo
{
public partial class Form1 : Form
{
SerialPort serialPort;
public Form1()
{
InitializeComponent();
// 初始化SerialPort对象
serialPort = new SerialPort();
serialPort.BaudRate = 9600; // 设置波特率
serialPort.DataBits = 8; // 设置数据位
serialPort.Parity = Parity.None; // 设置奇偶校验位
serialPort.StopBits = StopBits.One; // 设置停止位
serialPort.DataReceived += SerialPort_DataReceived; // 绑定数据接收事件
}
private void Form1_Load(object sender, EventArgs e)
{
// 获取可用的串口列表,并添加到ComboBox控件中
string[] ports = SerialPort.GetPortNames();
comboBox1.Items.AddRange(ports);
}
private void buttonOpen_Click(object sender, EventArgs e)
{
if (!serialPort.IsOpen)
{
try
{
serialPort.PortName = comboBox1.SelectedItem.ToString(); // 设置串口名称
serialPort.Open(); // 打开串口
buttonOpen.Enabled = false;
buttonClose.Enabled = true;
}
catch (Exception ex)
{
MessageBox.Show(ex.Message);
}
}
}
private void buttonClose_Click(object sender, EventArgs e)
{
if (serialPort.IsOpen)
{
serialPort.Close(); // 关闭串口
buttonOpen.Enabled = true;
buttonClose.Enabled = false;
}
}
private void buttonSend_Click(object sender, EventArgs e)
{
if (serialPort.IsOpen)
{
serialPort.Write(textBoxSend.Text); // 发送数据
}
}
private void SerialPort_DataReceived(object sender, SerialDataReceivedEventArgs e)
{
string data = serialPort.ReadExisting(); // 读取接收到的数据
// 在UI线程中更新UI控件上的数据
Invoke(new Action(() =>
{
textBoxReceive.Text += data;
}));
}
}
}
在上面的示例中,我们通过SerialPort控件来实现串口收发数据。在窗体加载时,我们获取可用的串口列表,并将其添加到ComboBox控件中。点击打开按钮后,我们根据用户选择的串口名称来打开串口。点击关闭按钮后,关闭串口。点击发送按钮后,发送TextBox中的文本数据。当收到数据时,我们通过DataReceived事件来读取接收到的数据,并将其显示在TextBox中。
需要注意的是,串口的配置参数(波特率、数据位、奇偶校验位、停止位)需要根据实际情况进行设置。同时,为了在数据接收事件处理程序中更新UI控件上的数据,我们使用了Invoke方法来在UI线程中执行更新操作。