0

我在 Delhpi 中有这个函数,可以计算传输消息的 CRC。此函数应返回 2 字节的 CRC,但对于某些消息,CRC 的长度为 3 字节。

这里有几个例子:

消息 0588080168F8 --> CalculateCRC(0588080168F8,5)=083D9B (3 bytes)

消息 0588080168F0 --> CalculateCRC(0588080168F0,5)=BC93 (2 bytes)

这是原始的delphi代码:

procedure CalculateCRC(var Message: TMessage);
var
  counter: byte;
  counter1: byte;
begin
  for counter := 1 to Message.MessageLength + 1 do
  begin
    if counter = 1 then
      Message.CRC := 0 xor (word(Message.MessageLength) shl 8)
    else
      Message.CRC := Message.CRC xor (word(Message.Data[counter-1]) shl 8);

    for counter1 := 1 to 8 do
    begin
      if (Message.CRC and $8000) = $8000 then
        Message.CRC := (Message.CRC shl 1) xor $1021
      else
        Message.CRC := Message.CRC shl 1;
    end;
  end;
end;

这是我的 Java 函数:

  public static byte[] calculateCRC(byte[] msg, int len)
  {
    int crc=0;

    for(int i=1; i<=len+1;i++)
    {
      if(i==1)
        crc= 0 ^ (len<<8);
      else
        crc=crc ^ ((msg[i-1] & 0xff) << 8);

      for(int j=1; j<=8;j++)
      {
        if((crc & 0x8000) == 0x8000)
          crc= (crc <<1 ) ^ 0x1021;
        else
          crc= (crc <<1 ) ;
      }
    }

    return new byte[] {(byte)((crc >>16) & 0xff),(byte) ((crc>>8) & 0xff),(byte)(crc & 0xff)};
  }

使用这种方法,我将 HEX 字符串转换为字节数组:

  private static byte[] hexToBytes(String s) 
  {
   int len = s.length();
   byte[] data = new byte[len / 2];
   for (int i = 0; i < len; i += 2) 
   {
    data[i / 2] = (byte) ((Character.digit(s.charAt(i), 16) << 4) + Character.digit(s.charAt(i+1), 16));
   }
   return data;
  }

我的代码适用于 2 字节 CRC,但未能在 3 字节消息上给出正确的 CRC……有什么帮助或想法吗?谢谢,佩德罗

4

1 回答 1

2

在这部分 Delphi 代码中:

for counter := 1 to Message.MessageLength + 1 do
  begin
    if counter = 1 then
      Message.CRC := 0 xor (word(Message.MessageLength) shl 8)
    else
      Message.CRC := Message.CRC xor (word(Message.Data[counter-1]) shl 8);

您从 1 数到 MessageLength+1。而且逻辑似乎暗示 Message.Data 中的第一个索引是 1。所以我猜这段代码是基于 Delphi 中的字符串索引从 1 开始的事实。但在 Java 中并非如此,它们从 0 开始。所以您可能应该以这种方式重写您的 Java 方法:

    for (int i = 0; i <= len; i++)
    {
        if (i == 0)
            crc = 0 ^ (len << 8);
        else
            crc = crc ^ ((msg[i - 1] & 0xff) << 8);
于 2013-02-26T19:31:21.137 回答