我有一个自定义二进制协议响应,我从TCP服务器收到以下格式:
响应结构
名称 长度说明
标题 2个字节标题是固定值Hex 0x0978。
状态 1个字节值为0表示成功。 0以外的值表示错误。下面描述了每种可能错误的完整描述
长度 4个字节总请求长度的无符号整数,包括请求中的所有字节(服务器返回小端UInt32)
数据 变量,0到1,048,576字节根据所请求的操作,从客户端发送到服务器以进行编码或解码的数据。
校验和 1字节从Header到Data的请求中的字节校验和(即不包括校验和字节)。
我遇到的问题是数据的大小可变,所以我不知道从流中读取响应的字节数组的大小。我怎样才能做到这一点?
编辑:我希望前七个字节也包含在最终字节数组中的数据中。
答案 0 :(得分:0)
一种可能的解决方案:
class Program
{
private static byte[] data = new byte[8]
{
// header
0,
0,
// status
1,
// message size
8,
0,
0,
0,
// data
1
};
static byte[] Read(Stream stream)
{
const int headerLength = 7;
const int sizePosition = 3;
var buffer = new byte[headerLength];
stream.Read(buffer, 0, headerLength);
// for BitConverter to work
// the order of bytes in the array must
// reflect the endianness of the computer system's architecture
var size = BitConverter.ToUInt32(buffer, sizePosition);
var result = new byte[size];
Array.Copy(buffer, result, headerLength);
stream.Read(result, headerLength, (int)size - headerLength);
return result;
}
static void Main(string[] args)
{
var stream = new MemoryStream(data);
byte[] bytes = Read(stream);
foreach (var b in bytes)
{
Console.WriteLine(b);
}
}
}