How to apply encoding when reading from a serial port(从串口读取时如何应用编码)
问题描述
我正在从串行端口读取数据.我读了这篇文章:http://social.msdn.microsoft.com/Forums/en-US/vbgeneral/thread/a709d698-5099-4e37-9e10-f66ff22cdd1e
I'm reading data from a serial port. I read this posting: http://social.msdn.microsoft.com/Forums/en-US/vbgeneral/thread/a709d698-5099-4e37-9e10-f66ff22cdd1e
他正在写我遇到的许多问题,但在他的文章中他提到使用:System.Text.Encoding.GetEncoding("Windows-1252").我遇到的问题是何时以及如何应用它.在我看来,有三个潜在的地方.定义串口对象时:
He is writing about many of the issues I have encounter, but in his writing he refers to using: System.Text.Encoding.GetEncoding("Windows-1252"). The problem I'm having is when and how to apply this. There are three potitional spots in my opinion. When the serial port object is define:
private SerialPort comport = new SerialPort();
事件处理程序:
comport.DataReceived += new SerialDataReceivedEventHandler(port_DataReceived);
或者在读取数据时:
string data = comport.ReadExisting();
无论我在哪里添加它.我似乎得到了错误.如何使用编码?
No matter where I add it. I seem to get errors. How would one use Encoding?
推荐答案
不使用 ReadExisting,而是使用端口的 Read 方法获取字节,然后将其转换为具有所需编码的字符串,如下所示:
Instead of using ReadExisting, use the port's Read method to get the bytes and then convert them to a string with the desired encoding, like this:
void port_DataReceived(object sender, SerialDataReceivedEventArgs e)
{
SerialPort port = (SerialPort)sender;
byte[] data = new byte[port.BytesToRead];
port.Read(data, 0, data.Length);
string s = Encoding.GetEncoding("Windows-1252").GetString(data);
}
更新:根据 João 的回答,这是一个更简单、仍然对 C#-2.0 友好的版本.在你实例化你的 SerialPort 对象后,像这样设置它的 Encoding 属性:
Update: Here's a simpler, still-C#-2.0-friendly version based on João's answer. After you instantiate your SerialPort object, set its Encoding property like so:
port.Encoding = Encoding.GetEncoding("Windows-1252");
那么你的 DataReceived 方法就变成了这样:
Then your DataReceived method becomes just this:
void port_DataReceived(object sender, SerialDataReceivedEventArgs e)
{
SerialPort port = (SerialPort)sender;
string s = port.ReadExisting();
}
这篇关于从串口读取时如何应用编码的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持编程学习网!
本文标题为:从串口读取时如何应用编码
基础教程推荐
- 全局 ASAX - 获取服务器名称 2022-01-01
- 错误“此流不支持搜索操作"在 C# 中 2022-01-01
- 如何动态获取文本框中datagridview列的总和 2022-01-01
- 经典 Asp 中的 ResolveUrl/Url.Content 等效项 2022-01-01
- 从 VS 2017 .NET Core 项目的发布目录中排除文件 2022-01-01
- 在 VS2010 中的 Post Build 事件中将 bin 文件复制到物 2022-01-01
- 是否可以在 asp classic 和 asp.net 之间共享会话状态 2022-01-01
- 首先创建代码,多对多,关联表中的附加字段 2022-01-01
- JSON.NET 中基于属性的类型解析 2022-01-01
- 将事件 TextChanged 分配给表单中的所有文本框 2022-01-01
