我使用的功能是was posted as an answer on another Stackoverflow question。發佈此的用戶請注意:it does not handle consecutive delimiters
。如何修改字符串拆分函數以忽略連續分隔符?
我想知道如何修改它,以便它可以處理連續的分隔符?當我有一個額外的delminator時,我基本上忽略它。
例如說我有這樣的事情:
h2,3 d3,4 j3,3 y4,1 g4,3
我想這個分成每個空間的字符串數組,但你可以在某些情況下,看到裏面有多個空格。我只是想忽略額外的分隔符。
編輯:只是要清楚,這是我從我掛到上面的答案使用的代碼:
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <assert.h>
char** str_split(char* a_str, const char a_delim)
{
char** result = 0;
size_t count = 0;
char* tmp = a_str;
char* last_comma = 0;
char delim[2];
delim[0] = a_delim;
delim[1] = 0;
/* Count how many elements will be extracted. */
while (*tmp)
{
if (a_delim == *tmp)
{
count++;
last_comma = tmp;
}
tmp++;
}
/* Add space for trailing token. */
count += last_comma < (a_str + strlen(a_str) - 1);
/* Add space for terminating null string so caller
knows where the list of returned strings ends. */
count++;
result = malloc(sizeof(char*) * count);
if (result)
{
size_t idx = 0;
char* token = strtok(a_str, delim);
while (token)
{
assert(idx < count);
*(result + idx++) = strdup(token);
token = strtok(0, delim);
}
assert(idx == count - 1);
*(result + idx) = 0;
}
return result;
}
int main()
{
char months[] = "JAN,FEB,MAR,APR,MAY,JUN,JUL,AUG,SEP,OCT,NOV,DEC";
char** tokens;
printf("months=[%s]\n\n", months);
tokens = str_split(months, ',');
if (tokens)
{
int i;
for (i = 0; *(tokens + i); i++)
{
printf("month=[%s]\n", *(tokens + i));
free(*(tokens + i));
}
printf("\n");
free(tokens);
}
return 0;
}
視情況而定,忽略可能不是正確的方法。順序中的兩個分隔符只意味着它們之間有一個空字符串。 – Havenard 2015-03-13 19:49:37
@Havenard這是'strsep()'不同的地方嗎?使用適當的功能。 – 2015-03-13 19:50:52