我正在使用C#通过modbus rs485 rs232
与两个相位表进行通信,其中包括电源电压。
我必须通过公交车发送数据,以便我能收到读数 我连接了普通电线并短接了发送和接收。
收到数据并触发此事件:
private void port_DataReceived(object sender, SerialDataReceivedEventArgs e)
{
SerialPort sp = (SerialPort)sender;
byte[] buff = new byte[sp.BytesToRead];
//Read the Serial Buffer
sp.Read(buff, 0, buff.Length);
string data= sp.ReadExisting();
foreach (byte b in buff)
{
AddBuffer(b); //Add byte to buffer
}
}
然后将此缓冲区发送到另一个函数:
private void AddBuffer(byte b)
{
buffer.Add(b);
byte[] msg = buffer.ToArray();
//Make sure that the message integrity is correct
if (this.CheckDataIntegrity(msg))
{
if (DataReceived != null)
{
ModbusEventArgs args = new ModbusEventArgs();
GetValue(msg, args);
DataReceived(this, args);
}
buffer.RemoveRange(0, buffer.Count);
}
}
我认为问题在于数据完整性检查:
public bool CheckDataIntegrity(byte[] data)
{
if (data.Length < 6)
return false;
//Perform a basic CRC check:
byte[] CRC = new byte[2];
GetCRC(data, ref CRC);
if (CRC[0] == data[data.Length - 2] && CRC[1] == data[data.Length - 1])
return true;
else
return false;
}
有CRC检查,奇怪的是它永远不会成真。 CRC计算:
private void GetCRC(byte[] message, ref byte[] CRC)
{
ushort CRCFull = 0xFFFF;
byte CRCHigh = 0xFF, CRCLow = 0xFF;
char CRCLSB;
for (int i = 0; i < (message.Length) - 2; i++)
{
CRCFull = (ushort)(CRCFull ^ message[i]);
for (int j = 0; j < 8; j++)
{
CRCLSB = (char)(CRCFull & 0x0001);
CRCFull = (ushort)((CRCFull >> 1) & 0x7FFF);
if (CRCLSB == 1)
CRCFull = (ushort)(CRCFull ^ 0xA001);
}
}
CRC[1] = CRCHigh = (byte)((CRCFull >> 8) & 0xFF);
CRC[0] = CRCLow = (byte)(CRCFull & 0xFF);
}
答案 0 :(得分:2)
问题是使用ReadExisting()。它不能以这种方式使用,因为缓冲区充满了来自串行端口的无用数据。 @glace在评论中确定了这个问题!
答案 1 :(得分:1)
您首先需要通过一些现有的MODBUS主应用程序(例如 MODPOLL )与您的仪表建立通信。然后,一旦您的通信工作并从您的设备获得有效的回复,然后才开始测试您的代码。通过这种方式,您可以确保问题只能在您的代码中,而不是其他内容。
例如,要同时连接两个从设备,必须使用RS485代替RS232,这要求在PC端使用不同的接线和RS485到RS232转换器。
在RS232中连接RX和TX用于模拟目的不是一个好主意,因为来自主设备的每个MODBUS消息(广播消息除外)需要一个不同于消息回送的回复。此外,来自主站的每条MODBUS消息都嵌入了MODBUS客户端地址,只有单个客户端应该回复它(MODBUS是单主多从站协议)。
对于CRC计算,这可能有助于MODBUS RTU协议(ASCII不同):
function mb_CalcCRC16(ptr: pointer to byte; ByteCount: byte): word;
var
crc: word;
b, i, n: byte;
begin
crc := $FFFF;
for i := 0 to ByteCount do
if i = 0 then // device id is 1st byte in message, and it is not in the buffer
b := mb_GetMessageID; // so we have to calculate it and put it as 1st crc byte
else
b := ptr^;
Inc(ptr);
endif;
crc := crc xor word(b);
for n := 1 to 8 do
if (crc and 1) = 1 then
crc := (crc shr 1) xor $A001;
else
crc := crc shr 1;
endif;
endfor;
endfor;
Return(crc);
end;
function mb_CalcCRC: word; // Calculate CRC for message in mb_pdu
begin // this message can be one that is just received, or in a reply we have just composed
Return(mb_CalcCRC16(@mb_pdu[1], mb_GetEndOfData));
end;
这是一个工作的嵌入式AVR设备的引用,其中实现了MODBUS RTU从属协议。