How to split a string using a specific delimiter i

2019-01-28 03:41发布

I have a String variable and I want to extract the three substrings separeted by ; to three string variables.

String application_command = "{10,12; 4,5; 2}";

I cannot use substring method because this string can be like any of the following or similar patterns also.

String application_command = "{10,12,13,9,1; 4,5; 2}"

String application_command = "{7; 1,2,14; 1}"

The only thing that is common in these patterns is there are three sections separated by ;.

Any insight is much appreciated. Thank you

标签: arduino
1条回答
甜甜的少女心
2楼-- · 2019-01-28 04:33

I think you need a split-string-into-string-array function with a custom separator character.

There are already several sources on the web and at stackoverflow (e.g. Split String into String array).

// https://stackoverflow.com/questions/9072320/split-string-into-string-array
String getValue(String data, char separator, int index)
{
  int found = 0;
  int strIndex[] = {0, -1};
  int maxIndex = data.length()-1;

  for(int i=0; i<=maxIndex && found<=index; i++){
    if(data.charAt(i)==separator || i==maxIndex){
        found++;
        strIndex[0] = strIndex[1]+1;
        strIndex[1] = (i == maxIndex) ? i+1 : i;
    }
  }

  return found>index ? data.substring(strIndex[0], strIndex[1]) : "";
}

You can use this function as follows (with ";" as separator):

String part01 = getValue(application_command,';',0);
String part02 = getValue(application_command,';',1);
String part03 = getValue(application_command,';',2);

EDIT: correct single quotes and add semicolons in the example.

查看更多
登录 后发表回答