strtok() 嵌套时只分词一次

strtok() tokenizes only once when nested

假设我有以下字符串:0:1,2,3.

我想首先使用 : 作为分隔符,当它到达第二部分时(即 1,2,3)并尝试在其上使用 strtok(使用 ,) 它没有按预期工作。

#include <stdio.h>
#include <stdbool.h>

int main(void){
    char s[10];
    strcpy(s, "0:1,2,3");
    char* token1 = strtok(s, ":");
    //To let me know it is on the second part
    bool isSecondToken = false;
    while (token1) {
        printf("token1: %s\n", token1);
        if(isSecondToken == true){
            char* token2 = strtok(token1, ",");
            while (token2) {
                printf("token2: %s\n", token2);
                token2 = strtok(NULL, " ");
            }
        }
        token1 = strtok(NULL, " ");
        isSecondToken = true;
    }
}

我得到的输出:

token1: 0
token1: 1,2,3
token2: 1
token2: 2,3

预期输出:

token1: 0
token1: 1,2,3
token2: 1
token2: 2
token2: 3

更新 token1token2 指针时,您需要使用相同的令牌拆分器:

#include <stdio.h>
#include <stdbool.h>
#include <string.h>

int main(void){
    char s[10];
    strcpy(s, "0:1,2,3");
    char* token1 = strtok(s, ":");
    //To let me know it is on the second part
    bool isSecondToken = false;
    while (token1) {
        printf("token1: %s\n", token1);
        if(isSecondToken == true){
            char* token2 = strtok(token1, ",");
            while (token2) {
                printf("token2: %s\n", token2);
                token2 = strtok(NULL, ",");
            }
        }
        token1 = strtok(NULL, ":");
        isSecondToken = true;
    }
}

另外 strcpy 需要 string.h 库,因此您可能还会收到一些隐式声明的警告。