在C#

时间:2019-02-21 16:05:09

标签: c# arrays serial-port byte bit

我正在尝试使用C#从串行端口读取数据。

用于int或float和bool的普通字节不是问题。 但是,只有一个3字节的序列被重新排序,我无法正确解析它。

这3个字节代表2个无符号的12位整数,一个用于MainSupplyDC,一个用于电动机。 它们以一种在解析之前需要重新排序的方式进行洗牌。

我的上一次尝试以这样的方式结束,但是现在我再次意识到这是不正确的。

    // Main Supply DC
    int MainSupplyDCval = (byte2 >> 4 | byte1);

    // MotorPower
    int MotorPowerVal = (byte3 << 4 | byte2);

我不知道如何正确地调整它。

这是字节序列布局:

enter image description here

文字相同:

    Byte1    |         Byte2            |    Byte3
------------------------------------------------------
  Lowbyte    |  4 Lowbit | 4 Highbit    |   Highbyte
MainSupplyDC | MotorPower| MainSupplyDC |  MotorPower

字节序列的示例:

E5-00-00
MainSupplyDC expected around 230
MotorPower expected 0

E4-A0-06
MainSupplyDC expected around 230
MotorPower expected about 97

E5-90-0F
MainSupplyDC expected around 230
MotorPower expected about 190

现在已经两天了,我的头一直在晃动,只是无法正常工作...

编辑

似乎有两种方法可以解释给定的表。在我的情况下,@ canton7有正确的答案,但我认为如果供应商/制造商以其他方式编码,@ dumetrulo将有正确的答案。

2 个答案:

答案 0 :(得分:1)

我猜两个12位值具有这种结构吗?

MainSupplyDC (low byte) | MainSupplyDC (4 Highbit)
MotorPower (4 lowbit) | MotorPower (Highbyte)

在这种情况下:

var bytes = new byte[] { 0xE4, 0xA0, 0x06 };
int mainSupplyDc = bytes[0] | ((bytes[1] & 0x0F) << 8);
int motorPower = (bytes[1] >> 4) | (bytes[2] << 4);
Console.WriteLine("MainSupplyDC: {0}, MotorPower: {1}", mainSupplyDc, motorPower);

打印:

MainSupplyDC: 228, MotorPower: 106

这看起来正确吗?

答案 1 :(得分:0)

如果我正确阅读了表格,则可以使用以下方法来解决问题:

public static (int, int)
Get12BitValues(byte d1, byte d2, byte d3) =>
    ((int)d1 | ((int)d2 >> 4),
    ((int)d3 << 4) | ((int)d2 & 0x0f));

那么您的两个值将如下获得:

var (v1, v2) = Get12BitValues(byte1, byte2, byte3);
float MainSupplyDCval = (float)v1 / 10.0f;
float MotorPowerVal = (float)v2 / 10.0f;