1

有没有更可爱的方法来做到这一点?给定一个字节流,将其转换为所需的数字类型。

(假设调用代码将处理与流中字节数相关的数据类型)。

    public void GetValue(byte[] bytes, ref UInt16 value)
    {
        if (BitConverter.IsLittleEndian)
            Array.Reverse(bytes);
        value = BitConverter.ToUInt16(bytes, 0);
    }
    public void GetValue(byte[] bytes, ref UInt32 value)
    {
        if (BitConverter.IsLittleEndian)
            Array.Reverse(bytes);
        value = BitConverter.ToUInt32(bytes, 0);
    }
    public void GetValue(byte[] bytes, ref UInt64 value)
    {
        if (BitConverter.IsLittleEndian)
            Array.Reverse(bytes);
        value = BitConverter.ToUInt64(bytes, 0);
    }
    etc...

我想有一个更好的方法,例如通过切换值的类型,而不是复制重载。

4

1 回答 1

6

好吧,您可以提取数组反转的条件,我根本不会使用重载:

public ushort GetUInt16(byte[] bytes)
{
    ReverseIfLittleEndian(bytes);
    return BitConverter.ToUInt16(bytes, 0);
}

public uint GetUInt32(byte[] bytes)
{
    ReverseIfLittleEndian(bytes);
    return BitConverter.ToUInt32(bytes, 0);
}

public ulong GetUInt64(byte[] bytes)
{
    ReverseIfLittleEndian(bytes);
    return BitConverter.ToUInt64(bytes, 0);
}

private static void ReverseIfLittleEndian(byte[] bytes)
{
    if (BitConverter.IsLittleEndian)
    {
        Array.Reverse(bytes);
    }
}

如果您真的打算使用单一方法,我会避免尝试变得“可爱”并坚持“简单易读”。是的,您最终会得到几种类似的方法 - 但每种方法都易于理解、易于调用,并且基本上是零维护。听起来不错...

于 2015-04-15T16:18:40.693 回答