在C语言中使用函数strtok()进行斗争

时间:2016-02-07 17:09:57

标签: c string strtok

我需要使用strtok函数来分析某些字符串中的每个单词。 我写了一个代码:

char *token;
token=strtok(string,symbol);
while(token!=NULL){
   functionX(token); //this is a function that anlayze the token
   token=strtok(NULL,symbol);
}

但是“functionX”只接收字符串的第一个单词,然后是空指针。 如果我把

printf("%s",token);

而不是functionX它打印每一个字符串。 我该如何解决这个问题?

这就是我所说的“functionX”:

void match(char *token, char *code){
FILE *rules;
char *tmp_token;
char stream[15];
int found;
rules=fopen("rules.vk","r");
found=0;
while((fgets(stream,sizeof(stream),rules))>0){
    tmp_token=strtok(stream,";");
    if((strcmp(tmp_token,token))==0){
        strcpy(code,strtok(NULL,";"));
        found=1;
    }
}
if(found==0) strcpy(code,token);

}

1 个答案:

答案 0 :(得分:2)

这是使用strtok的难点之一。它在例程中具有内部状态,它跟踪最初传递的字符串中的位置(即第一个strtok(string, symbol);调用)。

当您更改内部指针时,在strtok内调用functionX时,此信息会搞乱。然后当你回来时,你正在使用这个错误的状态。

您需要使用的是strtok_r例程,该例程保留此指针的私有副本,您必须将其传递给strtok_r的调用。

作为原始例程的示例,您可以将其更改为:

char *token;
char *save;
token=strtok_r(string,symbol, &save);
while(token!=NULL){
   functionX(token); //this is a function that anlayze the token
   token=strtok_r(NULL,symbol, &save);
}

并且内部例程可以更改为:

void match(char *token, char *code){
    FILE *rules;
    char *tmp_token;
    char *save;
    char stream[15];
    int found;
    rules=fopen("rules.vk","r");
    found=0;
    while((fgets(stream,sizeof(stream),rules))>0){
        tmp_token=strtok_r(stream,";", &save);
        if((strcmp(tmp_token,token))==0){
            strcpy(code,strtok_r(NULL,";", &save));
            found=1;
        }
    }
    if(found==0) strcpy(code,token);
}