我有一个带串口接口的磁卡读卡器。
我使用以下C#.net代码向读卡器发送命令。
System.IO.Ports.SerialPort myport = new System.IO.Ports.Serialport("COM1", 9600, Parity.Nonek, 8, StopBits.One);
myport.Open();
// initiates the card reader to read.
myport.write("command to initiate card reader");
// Once the card is swiped it shows the read data.
MessageBox.Show(myport.ReadExisting());
myport.Close();
当我在Messagebox之前暂停一下时,上面的代码会运行良好。但我不想暂停。我想在刷卡的时候发起消息箱。
我们怎么能这样做?
我正在用户登录系统中实现这一点。
答案 0 :(得分:3)
我假设您想要在刷卡时更新某种GUI。我假设您有一个表单,其中包含一个名为“textBox1”的文本框和一个标记为“开始”(button1)的按钮。
using System;
using System.Windows.Forms;
using System.IO;
using System.IO.Ports;
namespace SerialPortExample {
public partial class Form1 : Form {
SerialPort myport;
public Form1() {
InitializeComponent();
myport = new SerialPort("COM1", 9600, Parity.None, 8, StopBits.One);
myport.DataReceived += new SerialDataReceivedEventHandler(myport_DataReceived);
myport.ErrorReceived += new SerialErrorReceivedEventHandler(myport_ErrorReceived);
}
delegate void SerialDataReceivedDelegate(object sender, SerialDataReceivedEventArgs e);
delegate void SerialErrorReceivedDelegate(object sender, SerialErrorReceivedEventArgs e);
void myport_ErrorReceived(object sender, SerialErrorReceivedEventArgs e) {
if (this.InvokeRequired) {
this.Invoke(new SerialErrorReceivedDelegate(myport_ErrorReceived_Client), sender, e);
} else {
myport_ErrorReceived_Client(sender, e);
}
}
void myport_ErrorReceived_Client(object sender, SerialErrorReceivedEventArgs e) {
MessageBox.Show("Error recieved: " + e.EventType);
}
void myport_DataReceived(object sender, SerialDataReceivedEventArgs e) {
if (this.InvokeRequired) {
this.Invoke(new SerialDataReceivedDelegate(myport_DataRecieved_Client), sender, e);
} else {
myport_DataRecieved_Client(sender, e);
}
}
void myport_DataRecieved_Client(object sender, SerialDataReceivedEventArgs e) {
textBox1.Text = myport.ReadExisting();
}
private void button1_Click(object sender, EventArgs e) {
try {
if (myport.IsOpen) {
myport.Close();
button1.Text = "Start";
} else {
myport.Open();
button1.Text = "Stop";
}
} catch (IOException ex) {
MessageBox.Show(ex.Message);
}
}
}
}
我没有用于测试此代码的串行设备,但它应该是正确的。
分解,重要的部分是方法myport_DataRecieved
。只要数据到达串行端口,即刷卡时,就会调用此方法。
其他感兴趣的领域是Form1
构造函数,我们在其中初始化SerialPort(但是,尚未打开),以及我们打开/关闭端口的方法button1_Click
(并更改按钮的文本反映了这一点。我们也处理异常,以防我们由于某种原因无法打开端口。
编辑:感谢Hans的评论,我已经更新了答案。您无法直接从数据事件访问UI控件,因为它们在不同的线程上运行。我将事件方法分成两半,以便我可以在它们上面调用Invoke
,并在适当的上下文中运行它们。