我的背景不在C中(它在Real Studio中 - 类似于VB)而且我真的很难分割逗号分隔的字符串,因为我不习惯低级字符串处理。
我正在通过串口向Arduino发送字符串。这些字符串是特定格式的命令。例如:
@20,2000,5!
@10,423,0!
'@'是表示新命令和'!'的标题是标记命令结束的终止页脚。 '@'后面的第一个整数是命令id,剩下的整数是数据(作为数据传递的整数数可能是0到10个整数)。
我写了一个获取命令的草图(剥离了'@'和'!')并在有一个命令要处理时调用一个名为handleCommand()
的函数。问题是,我真的不知道如何拆分这个命令来处理它!
这是草图代码:
String command; // a string to hold the incoming command
boolean commandReceived = false; // whether the command has been received in full
void setup() {
// put your setup code here, to run once:
Serial.begin(9600);
}
void loop() {
// main loop
handleCommand();
}
void serialEvent(){
while (Serial.available()) {
// all we do is construct the incoming command to be handled in the main loop
// get the incoming byte from the serial stream
char incomingByte = (char)Serial.read();
if (incomingByte == '!')
{
// marks the end of a command
commandReceived = true;
return;
}
else if (incomingByte == '@')
{
// marks the start of a new command
command = "";
commandReceived = false;
return;
}
else
{
command += incomingByte;
return;
}
}
}
void handleCommand() {
if (!commandReceived) return; // no command to handle
// variables to hold the command id and the command data
int id;
int data[9];
// NOT SURE WHAT TO DO HERE!!
// flag that we've handled the command
commandReceived = false;
}
说我的电脑发送Arduino字符串“@ 20,2000,5!”。我的草图最后得到一个包含“20,2000,5”的String变量(名为command
),并且commandRecieved
布尔变量设置为True,因此调用handleCommand()
函数。 / p>
我想在(当前无用的)handleCommand()
函数中做的是将20分配给名为id
的变量,将2000和5分配给名为data
的整数数组,即:data[0] = 2000
,data[1] = 5
等
我已经阅读了strtok()
和atoi()
,但坦率地说,我无法理解他们和指针的概念。我确信我的Arduino草图也可以进行优化。
答案 0 :(得分:7)
由于您使用的是Arduino核心String
类型,因此strtok
和其他string.h
函数不合适。请注意,您可以更改您的代码以使用标准C以null结尾的字符串,但使用Arduino String
将允许您在不使用指针的情况下执行此操作。
String
类型为您提供indexOf
和substring
。
假设删除了@
和!
的字符串,找到您的命令和参数将如下所示:
// given: String command
int data[MAX_ARGS];
int numArgs = 0;
int beginIdx = 0;
int idx = command.indexOf(",");
String arg;
char charBuffer[16];
while (idx != -1)
{
arg = command.substring(beginIdx, idx);
arg.toCharArray(charBuffer, 16);
// add error handling for atoi:
data[numArgs++] = atoi(charBuffer);
beginIdx = idx + 1;
idx = command.indexOf(",", beginIdx);
}
data[numArgs++] = command.substring(beginIdx);
这将为您提供data
数组中的整个命令,包括data[0]
处的命令编号,同时您已指定只有args应位于data
中。但必要的变化很小。
答案 1 :(得分:-1)
似乎有效,可能是错误的:
#include<stdio.h>
#include <string.h>
int main(){
char string[]="20,2000,5";
int a,b,c;
sscanf(string,"%i,%i,%i",&a,&b,&c);
printf("%i %i %i\n",a,b,c);
a=b=c=0;
a=atoi(strtok(string,","));
b=atoi(strtok(0,","));
c=atoi(strtok(0,","));
printf("%i %i %i\n",a,b,c);
return 0;
}