如何在C中执行此操作(来自Java)

时间:2014-03-13 00:02:23

标签: java c

我目前正在学习精彩的Arduino和一些C,我正在努力让它发挥作用。如何在C中执行以下操作!

String val = "";
while(true) {
    thisChar = "2"; // this will be a "char" in C, this is finished in C, it's reading from a stream, the "2" is just an example
    if(val.length < 3) {
        val = val + thisChar;
    } else {
        int num = val;
        // i will do something with my new int thing
        val = "";
    }
}

所以我试图基本上获取一个char,将其中的三个串成一个字符串,将其转换为int然后用它做一些事情。三分之一的数字是000到100之间的任何数字!

我会发布我的想法。

char val[];
if (client.available() > 0) { //finns åtmminstone 1 klient?
  char thisChar = client.read(); //läser av nästa byte från servern
  if( thisChar == 'H' ){
    Serial.println("HIGH from client");
    digitalWrite(led, HIGH); // lys LED
  }
  else if( thisChar == 'L' ){
    Serial.println("LOW from client");
    digitalWrite(led, LOW); // släck LED
  }
  else {
    Serial.println(thisChar);
    int len = strlen(val);
    if(len < 3) { // saknas fortfarande tecken tex 0 eller 02
      val = val + 
    }
    else { // värdet är komplett tex 010 eller 100
      val = "";
    }
  }
}

解答: 感谢@morgano的聊天,他能够拼凑出三个答案中的以下代码!

  static char val[4] = {0}; //we only care about 3 digit numbers. 
  static int len = 0; 
  //... code blabla
  char thisChar = client.read(); //läser av nästa byte från servern
  //... code blabla
  else { 
    val[len] = thisChar; 
    len++;  
    if(len > 2) { // värdet är komplett tex 010 eller 100 
      int i;
      sscanf(val, "%d", &i);
      Serial.println(i);
      //Serial.println(val);
      len = 0; 
      //val[3] = 0; 
    }
  }

3 个答案:

答案 0 :(得分:1)

你看起来很不错 - 你只需要决定如何将“附加”文字添加到你的char数组中。

我会保留一个描述字符串当前“长度”的变量。所以,你可以尝试类似的东西:

char val[4]; //we only care about 3 digit numbers. 
int valLength = 0; //No characters in the string yet.

char thisChar = client.read();

val[3] = '\0';  /* Need to terminate the string, or else... */
if (valLength < 3) {
  val[valLength] = thisChar;
  valLength++;
}
else {
  int myIntVal = strtol(val, 0, 10); //I believe this is the right syntax.  I'm not 100% sure.
  val[0] = 0;
  val[1] = 0;
  val[2] = 0;
}

答案 1 :(得分:1)

将Java代码直接转换为C语言给了我这个。将数组大小更改为最大字符串大小。

char *val;
char inputchar[10];
int num;
val= malloc(sizeof(char) *20);
while(1){
  inputchar=readclient();
  if(strlen(val) < 3)
   val = strcat(val, inputchar);
  else { 
   num= atoi(val);
   memcpy(val, '\0', 10 );
   } 
  }
 free(val);

你需要检查一下atoi和memcpy的功能。

答案 2 :(得分:1)

添加另一个不暗示使用char []或“string”函数的解决方案:

int val = 0;
int len = 0;

while(1) {
    char thisChar = clientread();
    if(len < 3) {
        val = val * 10 + (thisChar - 0x30);
        len++;
    } else {
        do_something_with_val(val);
        val = 0;
        len = 0;
    }
}