2

我正在嵌入式系统(STM32F4)上开发,并尝试将一些数据发送到 PC 端的简单 Windows Forms 客户端程序。当我使用基于字符的字符串格式时,一切正常,但是当我更改为二进制包以提高性能时,我遇到了转义字符的问题。

我正在使用 nanopb 实现 Google 协议缓冲区进行传输,我观察到在 5% 的包中,我在客户端程序中收到异常,告诉我我的包已损坏。

我在 WireShark 中调试,发现在这个损坏的包中,大小比原始包大小小 2-4 个字节。经过进一步检查,我发现损坏的包始终包含二进制值 27,而其他包从未包含此值。我搜索它,发现这个值代表一个转义字符,这可能会导致问题。

我正在使用的 Wi-Fi 模块的技术文档(Gainspan GSM2100)提到命令前面有一个转义字符,所以我认为我需要在我的包中去掉这个值。

我找不到解决问题的方法,因此如果有经验丰富的人能引导我找到解决此问题的正确方法,我将不胜感激。

4

1 回答 1

2

你是如何发送数据的?您是在使用库还是发送原始字节?根据手册,您的数据命令应以转义序列开头,但还应指定数据长度

// Each escape sequence starts with the ASCII character 27 (0x1B),
// the equivalent to the ESC key. The contents of < > are a byte or byte stream.
// - Cid is connection id (udp, tcp, etc)
// - Data Length is 4 ASCII char represents decimal value
//   i.e. 1400 bytes would be '1' '4' '0' '0' (0x31 0x34 0x30 0x30).
// - Data size must match with specified length. 
//   Ignore all command or esc sequence in between data pay load.
<Esc>Z<Cid><Data Length xxxx 4 ascii char><data>

请注意有关数据大小的注释:“忽略数据有效负载之间的所有命令或 esc 序列”

例如,GSCore.cpp 中的GSCore::writeData 函数如下所示:

// Including a trailing 0 that snprintf insists to write
uint8_t header[8]; 

// Prepare header: <esc> Z <cid> <ascii length>
snprintf((char*)header, sizeof(header), "\x1bZ%x%04d", cid, len);

// First, write the escape sequence up to the cid. After this, the
// module responds with <ESC>O or <ESC>F.
writeRaw(header, 3);

if (!readDataResponse()) {
    if (GS_LOG_ERRORS && this->error)
        this->error->println("Sending bulk data frame failed");
    return false;
}

// Then, write the rest of the escape sequence (-1 to not write the
// trailing 0)
writeRaw(header + 3, sizeof(header) - 1 - 3);+

// And write the actual data
writeRaw(buf, len);

这很可能会起作用。或者,一个肮脏的黑客可能是在发送之前“转义转义字符”,即在发送之前用两个字符(0x27 0x27)替换每个0x27 - 但这只是一个疯狂的猜测,我假设你应该只查看手册。

于 2016-05-02T10:05:41.827 回答