我一直在阅读有关将字符串转换为整数,“atoi”和“strol”C标准库函数以及其他一些我似乎无法理解的事情。
我最初尝试做的是从字符串中获取一系列数字并将它们放入int数组中。这是字符串的片段(单个字符串中有多行):
getldsscan
AngleInDegrees,DistInMM,Intensity,ErrorCodeHEX
0,0,0,8035
1,0,0,8035
2,1228,9,0
3,4560,5,0
...
230,1587,80,0
231,0,0,8035
232,1653,89,0
233,1690,105,0
234,0,0,8035
...
358,0,0,8035
359,0,0,8035
ROTATION_SPEED,4.99
输出来自我的真空机器人,“Neato XV-21”。我已经通过COM端口连接获得了上面的输出,并且我已经将它存储在一个字符串中。 (因为机器人可以输出各种不同的东西)。在这个例子中,我正在读取字符串neatoOutput ,它在我从激光扫描仪请求更新之后容纳了机器人的输出。
“getldsscan”是我发送机器人的命令,当我得到COM输出时它才被读回来,所以我们跳过它。下一行只是有关输出的每个值的有用信息,可以跳过它。从那时起,输出有趣的数据。
我正在尝试获取每行数据中第二个数字的值。该数字是扫描仪到障碍物的距离。我希望有一个漂亮整洁的 int distanceArray [360] ,其中包含从机器人报告的所有距离值。机器人将输出360个距离值。
我没有对错误检查或从每行数据中读取其他值感到困惑,因为一旦我了解了如何提取我想要的当前基本数据,我将在稍后得到它们。到目前为止,我可以使用类似的东西:
int startIndex = 2 + neatoOutput.find("X",0); //Step past end of line character
所以 startIndex 应该为我提供数据开始位置的字符索引,但正如您在上面的示例中所看到的,每个数字的值的大小范围从单个字符到最多4个字符。因此,只需在字符串中前进一定量,就无法使用。
我正在考虑做的事情就像......
neatoOutput.find("\n",startIndex );
使用更多代码,我应该能够一次解析一行。但我仍然对如何在行中提取第二个数字感到困惑。
如果有人对机器人的黑客攻击/编码感兴趣,你可以转到: -
更新:已解决
感谢大家的帮助,这是我将在短期内与之合作的代码。您会注意到我最终不需要知道我认为需要使用的 int startIndex 变量。
//This is to check that we got data back
signed int dataValidCheck = neatoOutput.find("AngleInDegrees",0);
if (dataValidCheck == -1)
return;
istringstream iss(neatoOutput);
int angle, distance, intensity, errorCode;
string line;
//Read each line one by one, check to see if its a line that contains distance data
while (getline(iss,line))
{
if (line == "getldsscan\r")
continue;
if (line == "AngleInDegrees,DistInMM,Intensity,ErrorCodeHEX\r")
continue;
sscanf(line.c_str(),"%d,%d,%d,%d",&angle,&distance,&intensity,&errorCode); //TODO: Add error checking!
distanceArray[angle] = distance;
}
答案 0 :(得分:2)
试试这个(未经测试,可能是小错误):
#include <iostream>
#include <sstream>
#include <string>
#include <cstdio>
using namespace std;
int main()
{
string s("3,2,6,4\n2,3,4,5\n");
istringstream iss(s);
int a, b, c, d;
string line;
while (getline(iss,line))
{
// Method 1: Using C
sscanf(line.c_str(),"%d,%d,%d,%d",&a,&b,&c,&d);
// Method 2: Using C++
std::stringstream lineStream(line);
char comma;
lineStream >> a >> comma >> b >> comma >> c >> comma >> d;
// do whatever
}
}
答案 1 :(得分:1)
您可以自己解析字符串。这很简单。
代码:
int ParseResult(const char *in, int *out)
{
int next;
const char *p;
p = in;
next = 0;
while (1)
{
/* seek for next number */
for (; !*p && !isdigit(*p); ++p);
if (!*p)
break; /* we're done */
out[next++] = atoi(p); /* store the number */
/* looking for next non-digit char */
for (; !*p && isdigit(*p); ++p);
}
return next; /* return num numbers we found */
}