3

我正在尝试将短类型转换为 2 字节类型以存储在字节数组中,这是“到目前为止”运行良好的片段。

if (type == "short")
{
   size = data.size;
   databuffer[index+1] = (byte)(data.numeric_data >> 8);
   databuffer[index] = (byte)(data.numeric_data & 255);
   return size;
}

Numeric_data 是 int 类型。在我处理值 284(十进制)之前,这一切都很好。原来 284 >> 8 是 1 而不是 4。

主要目标是:

byte[0] = 28
byte[1] = 4
4

5 回答 5

3

这是你想要的:

    static void Main(string[] args)
    {
        short data=284;

        byte[] bytes=BitConverter.GetBytes(data);
        // bytes[0] = 28
        // bytes[1] = 1
    }
于 2013-02-08T06:58:50.743 回答
2

只是为了好玩:

public static byte[] ToByteArray(short s)
{
    //return, if `short` can be cast to `byte` without overflow
    if (s <= byte.MaxValue) 
        return new byte[] { (byte)s };

    List<byte> bytes = new List<byte>();
    byte b = 0;
    //determine delta through the number of digits
    short delta = (short)Math.Pow(10, s.ToString().Length - 3);
    //as soon as byte can be not more than 3 digits length
    for (int i = 0; i < 3; i++) 
    {
        //take first 3 (or 2, or 1) digits from the high-order digit
        short temp = (short)(s / delta);
        if (temp > byte.MaxValue) //if it's still too big
            delta *= 10;
        else //the byte is found, break the loop
        {
            b = (byte)temp;
            break;
        }
    }
    //add the found byte
    bytes.Add(b);
    //recursively search in the rest of the number
    bytes.AddRange(ToByteArray((short)(s % delta))); 
    return bytes.ToArray();
}

这种递归方法至少可以使用任何正值来满足 OP 的需求short

于 2013-02-08T06:57:59.320 回答
1

为什么284 >> 84

为什么会284被分成等于28and的两个字节4

的二进制表示2840000 0001 0001 1100。如您所见,有两个字节(八位),分别是0000 0001256十进制)和0001 110028十进制)。

284 >> 81( 0000 0001) 并且是正确的。

284应该分成两个字节等于25624

你的转换是正确的!

于 2013-02-08T06:29:15.463 回答
1

如果你坚持:

short val = 284;
byte a = (byte)(val / 10);
byte b = (byte)(val % 10);

免责声明:

这没有多大意义,但这是你想要的。我假设你想要从 0 到 99 的值。合乎逻辑的做法是使用 100 作为分母,而不是 10。但话又说回来,我不知道你想做什么。

于 2013-02-08T06:41:26.267 回答
1

放弃您正在使用的无意义转换并继续System.BitConverter.ToInt16

  //to bytes
  var buffer = System.BitConverter.GetBytes(284); //your short value

  //from bytes
  var value = System.BitConverter.ToInt16(buffer, 0);
于 2013-02-08T07:17:33.983 回答