23

如果检测到某些特殊情况,我将使用 switch 语句提前从我的主函数返回。特殊情况使用枚举类型编码,如下所示。

typedef enum {
    NEG_INF,
    ZERO,
    POS_INF,
    NOT_SPECIAL
} extrema;

int main(){

    // ...

    extrema check = POS_INF;

    switch(check){
        NEG_INF: printf("neg inf"); return 1;
        ZERO: printf("zero"); return 2;
        POS_INF: printf("pos inf"); return 3;
        default: printf("not special"); break;
    }

    // ...

    return 0;

}

奇怪的是,当我运行它时,字符串not special被打印到控制台,而 main 函数的其余部分继续执行。

如何让 switch 语句在这里正常运行?谢谢!

4

3 回答 3

28

没有case标签。你现在有goto标签了。尝试:

switch(check){
    case NEG_INF: printf("neg inf"); return 1;
    case ZERO: printf("zero"); return 2;
    case POS_INF: printf("pos inf"); return 3;
    default: printf("not special"); break;
}
于 2013-03-06T02:06:25.830 回答
3

您没有使用关键字“case”。下面给出的版本可以正常工作。

typedef enum {
    NEG_INF,
    ZERO,
    POS_INF,
    NOT_SPECIAL

} extrema;

int main(){

    extrema check = POS_INF;

    switch(check){
        case NEG_INF: printf("neg inf"); return 1;
        case ZERO: printf("zero"); return 2;
        case POS_INF: printf("pos inf"); return 3;
        default: printf("not special"); break;
    }

    return 0;

}
于 2013-03-06T02:10:41.537 回答
2

你错过了最重要的case

switch(check){
    case NEG_INF: printf("neg inf");     return 1;
    case ZERO:    printf("zero");        return 2;
    case POS_INF: printf("pos inf");     return 3;
    default:      printf("not special"); break;
}

您创建了一些与枚举常量同名的(未使用的)标签(这就是它编译的原因)。

于 2013-03-06T02:08:28.013 回答