Voici la méthode Arduino pour diviser une chaîne en réponse à la question "Comment diviser une chaîne en sous-chaîne?" déclarée comme un duplicata de la présente question.
L'objectif de la solution est d'analyser une série de positions GPS enregistrées dans un fichier de carte SD . Au lieu d'avoir une chaîne reçue de Serial
, la chaîne est lue à partir d'un fichier.
La fonction consiste à StringSplit()
analyser une chaîne sLine = "1.12345,4.56789,hello"
en 3 chaînes sParams[0]="1.12345"
, sParams[1]="4.56789"
& sParams[2]="hello"
.
String sInput
: les lignes d’entrée à analyser,
char cDelim
: le caractère séparateur entre les paramètres,
String sParams[]
: le tableau de sortie en sortie de paramètres,
int iMaxParams
: le nombre maximum de paramètres,
- Sortie
int
: le nombre de paramètres analysés,
La fonction est basée sur String::indexOf()
et String::substring()
:
int StringSplit(String sInput, char cDelim, String sParams[], int iMaxParams)
{
int iParamCount = 0;
int iPosDelim, iPosStart = 0;
do {
// Searching the delimiter using indexOf()
iPosDelim = sInput.indexOf(cDelim,iPosStart);
if (iPosDelim > (iPosStart+1)) {
// Adding a new parameter using substring()
sParams[iParamCount] = sInput.substring(iPosStart,iPosDelim-1);
iParamCount++;
// Checking the number of parameters
if (iParamCount >= iMaxParams) {
return (iParamCount);
}
iPosStart = iPosDelim + 1;
}
} while (iPosDelim >= 0);
if (iParamCount < iMaxParams) {
// Adding the last parameter as the end of the line
sParams[iParamCount] = sInput.substring(iPosStart);
iParamCount++;
}
return (iParamCount);
}
Et l'utilisation est vraiment simple:
String sParams[3];
int iCount, i;
String sLine;
// reading the line from file
sLine = readLine();
// parse only if exists
if (sLine.length() > 0) {
// parse the line
iCount = StringSplit(sLine,',',sParams,3);
// print the extracted paramters
for(i=0;i<iCount;i++) {
Serial.print(sParams[i]);
}
Serial.println("");
}