根据this部分的代码,我需要一些从SD卡中提取数据的帮助。
当我从SD卡读取数据并将其显示到串行端口时,代码工作,但是当我将数据传递到char *数组并调用将循环数组的函数时,数组显示垃圾(一些不可读的数据)。我正在尝试创建一个函数,我可以使用它以文本文件格式调用从SD卡存储的不同设置。
我有一个名为
的全局变量char* tempStoreParam[10];
将存储要处理的临时数据。存储在文本文件中的数据采用这种格式
-n.command
其中:n =要存储在tempStoreParam[10]
中的数据的int数和索引位置,而命令是存储在tempStoreParam[10]
中的char *数组。
示例:
-1.readTempC
-2.readTempF
-3.setdelay:10
-4.getIpAddr
以下是代码段:
while (sdFiles.available()) {
char sdData[datalen + 1];
byte byteSize = sdFiles.read(sdData, datalen);
sdData[byteSize] = 0;
char* mList = strtok(sdData, "-");
while (mList != 0)
{
// Split the command in 2 values
char* lsParam = strchr(mList, '.');
if (lsParam != 0)
{
*lsParam = 0;
int index = atoi(mList);
++lsParam;
tempStoreParam[index] = lsParam;
Serial.println(index);
Serial.println(tempStoreParam[index]);
}
mList = strtok(0, "-");
}
}
我想获得以下结果:
char* tempStoreParam[10] = {"readTempC","readTempF","setdelay:10","getIpAddr"};
答案 0 :(得分:0)
您的代码存在一些问题 - 按顺序:
此实例中读取的返回值是32位整数 - 您将其截断为字节值,这意味着如果文件内容超过255个字节,您将错误地终止字符串,并且无法读取内容正确地:
byte byteSize = sdFiles.read(sdData, datalen);
其次,您将使用以下行将堆栈变量的地址存储到tempStoreParam
数组中:
tempStoreParam[index] = lsParam;
现在,这将有效,但仅限于sdData
在范围内的时间。之后,sdData
不再有效,很可能导致您遇到的垃圾。您最有可能尝试的是获取数据的副本以将其放入tempStoreParam
。要做到这一点,你应该使用这样的东西:
// The amount of memory we need is the length of the string, plus one
// for the null byte
int length = strlen(lsParam)+1
// Allocate storage space for the length of lsParam in tempStoreParam
tempStoreParam[index] = new char[length];
// Make sure the allocation succeeded
if (tempStoreParam[index] != nullptr) {
// Copy the string into our new container
strncpy(tempStoreParam[index], lsParam, length);
}
此时,您应该能够成功地在函数外部传递该字符串。需要注意的是,在完成数据后,您需要delete
创建数组/再次读取文件。