C#/Flatbuffers - 如何将 ByteBuffer 转换为 byte[] 并在其前面加上 ushort

C#/Flatbuffers - How to make a ByteBuffer into byte[] and prefix it with ushort

所以基本上这是我用 C++ 做的:

enum ServerOpcode : uint16_t{
    SERVER_AUTH_CONNECTION_RESPONSE                    = 0x001,
    SERVER_LOGIN_REQUEST_RESPONSE                      = 0x002,
    SERVER_NUM_MSG_TYPES                               = 0x003,
};

uint8_t* Vibranium::Packet::PreparePacket(ServerOpcode& serverOpcode, flatbuffers::FlatBufferBuilder& builder) {
    size_t size = builder.GetSize();
    uint8_t *buf = builder.GetBufferPointer();
    uint8_t *actualBuffer = new uint8_t[size + 2];
    actualBuffer[1] = (serverOpcode >> 8);
    actualBuffer[0] = (serverOpcode&0xFF);
    memcpy(actualBuffer + 2, buf, size);
    return actualBuffer;
}

我知道 uint16_t 恰好是 2 个字节,这就是我添加 +2.

的原因

有人可以在 C# 中举例说明如何将 ByteBuffer 转换为 byte[] 并在其前面加上:

public enum ServerOpcode : ushort
{
    SERVER_AUTH_CONNECTION_RESPONSE                    = 0x001,
    SERVER_LOGIN_REQUEST_RESPONSE                      = 0x002,
    SERVER_NUM_MSG_TYPES                               = 0x003,

}

在 C# 中,我发现 uint16_t 等价于 ushort

所以我的问题是如何将 ByteBuffer 转换为 byte[] 并在其前面加上 ushort

任何人都可以在 C# 中显示 PreparePacket 的答案吗?

P.S。 请注意,我熟悉 file_identifier 但我想手动执行此操作。希望有人能提供一个C#的例子

解决方法如下:

    public static Byte[] PrependServerOpcode(ByteBuffer byteBuffer, ServerOpcode code)
    {
        var originalArray = byteBuffer.ToArray(0, byteBuffer.Length);
        byte[] buffer = new byte[originalArray.Length + 2];
        buffer[0] = (byte)((ushort)code / 0x0100); 
        buffer[1] = (byte)code;
        Array.Copy(originalArray, 0, buffer, 2, originalArray.Length);
        return buffer;
    }

        public enum ServerOpcode : ushort
        {
            SERVER_AUTH_CONNECTION_RESPONSE = 0x001,
            SERVER_LOGIN_REQUEST_RESPONSE = 0x002,
            SERVER_NUM_MSG_TYPES = 0x003
        }

或者选择:

public static ByteBuffer PrependServerOpcode(ByteBuffer byteBuffer, ServerOpcode code)
{
    var originalArray = byteBuffer.ToArray(0, byteBuffer.Length);
    byte[] buffer = new byte[originalArray.Length + 2];
    buffer[0] = (byte)((ushort)code / 0x0100);
    buffer[1] = (byte)code;
    Array.Copy(originalArray, 0, buffer, 2, originalArray.Length);
    return new ByteBuffer(buffer);
}

用法:

    static void Main(string[] args)
    {
        var bb = new ByteBuffer(new byte[] { 0x01 });
        var result = PrependServerOpcode(bb, ServerOpcode.SERVER_NUM_MSG_TYPES);
    }