0

我有一个类可以解析一些传入的串行数据。在解析之后,一个方法应该返回一个包含一些解析数据的字节数组。传入的数据长度未知,所以我的返回数组总是不同的。

到目前为止,我的方法分配了一个比我需要返回的更大的数组,并用我的数据字节填充它,我保留了一个索引,以便我知道我在字节数组中放入了多少数据。我的问题是我不知道如何从实例方法中返回它。

void HEXParser::getParsedData()
{
    byte data[HEX_PARSER_MAX_DATA_SIZE];
    int dataIndex = 0;

    // fetch data, do stuff
    // etc, etc...

    data[dataIndex] = incomingByte;
    _dataIndex++;

    // At the very end of the method I know that all the bytes I need to return
    // are stored in data, and the data size is dataIndex - 1
}

在其他语言上,这很简单,但我对 C++ 不是很精通,而且我完全被卡住了。

谢谢!

4

1 回答 1

2

您正在使用只有一点 RAM 的微控制器。您需要仔细评估“未知长度”是否也意味着无限长度。您无法处理无限长度。可靠操作的最佳方法是使用最大大小的固定缓冲区设置。

此类操作的常见模式是将缓冲区传递给函数,并返回已使用的内容。您的函数看起来很像许多 C 字符串函数:

const size_t HEX_PARSER_MAX_DATA_SIZE = 20;
byte data[HEX_PARSER_MAX_DATA_SIZE];

n = oHexP.getParsedData(data, HEX_PARSER_MAX_DATA_SIZE);

int HEXParser::getParsedData(byte* data, size_t sizeData)
{
  int dataIndex = 0;

  // fetch data, do stuff
  // etc, etc...

  data[dataIndex] = incomingByte;
  dataIndex++;
  if (dataIndex >= sizeData) {
     // stop
  }

  // At the very end of the method I know that all the bytes I need to return
  // are stored in data, and the data size is dataIndex - 1

  return dataIndex;
}
于 2013-07-15T03:51:52.563 回答