如果我在我的C程序中使用#define或const声明常量,则会出错

时间:2011-09-24 09:05:17

标签: c gcc

我使用gcc版本4.3.2(Debian 4.3.2-1.1)。 我在C中编写了一个简单的程序来实现和测试整数堆栈。堆栈由STACK结构实现。我使用一个名为STACKSIZE的常量来定义STACK的大小。 我的程序代码如下所示:

#include<stdio.h>
#include<stdlib.h>

#define STACKSIZE 10;

typedef struct {
    int size;
    int items[STACKSIZE];
} STACK;

void push(STACK *ps, int x)
{
    if (ps->size == STACKSIZE) {
        fputs("Error: stack overflow\n", stderr);
        abort();
    } else
        ps->items[ps->size++] = x;
}

int pop(STACK *ps)
{
    if (ps->size == 0){
        fputs("Error: stack underflow\n", stderr);
        abort();
    } else
    return ps->items[--ps->size];
}

int main() {
    STACK st;
    st.size = 0;
    int i;
    for(i=0; i < STACKSIZE + 1; i++) {
        push(&st, i);
    }
    while(st.size != 0)
        printf("%d\n", pop(&st));
    printf("%d\n", pop(&st));
    return 0;
}

我用的时候     #define STACKSIZE 10; gcc将返回以下错误:

ex_stack1.c:8: error: expected ‘]’ before ‘;’ token
ex_stack1.c:9: warning: no semicolon at end of struct or union
ex_stack1.c: In function ‘push’:
ex_stack1.c:13: error: expected ‘)’ before ‘;’ token
ex_stack1.c:17: error: ‘STACK’ has no member named ‘items’
ex_stack1.c: In function ‘pop’:
ex_stack1.c:26: error: ‘STACK’ has no member named ‘items’
ex_stack1.c: In function ‘main’:
ex_stack1.c:33: error: expected ‘)’ before ‘;’ token

当我使用

const int STACKSIZE=10;

gcc将返回以下错误:

ex_stack1.c:8: error: variably modified ‘items’ at file scope

当我使用

enum {STACKSIZE=10};

gcc会成功编译我的程序。

发生了什么?我该如何修改我的程序才能使用

#define STACKSIZE 10;

const int STACKSIZE=10;

3 个答案:

答案 0 :(得分:5)

删掉分号,这是错误的

#define STACKSIZE 10;
                    ^

如果你保留它,预处理器会将int items[STACKSIZE];翻译成明显错误的int items[10;];

对于const位,有一个C FAQ

  

const限定对象的值不是常量表达式   完全意义上的术语,不能用于数组维度,   案例标签等。

答案 1 :(得分:1)

为了将来参考,您可以通过使用gcc的-E选项来查看预处理器的结果。也就是说,

gcc -E ex_stack1.c -o ex_stack1.i 

检查生成的ex_stack1.i文件会使问题更加明显。

答案 2 :(得分:0)

#define进行文字替换。既然你有:

#define STACKSIZE 10;

然后

typedef struct {
    int size;
    int items[STACKSIZE];
} STACK;

变为:

typedef struct {
    int size;
    int items[10;];
} STACK;

在C中,const用于声明无法(轻松)修改的变量。它们不是编译时常量。

但是,

enum确定了编译时常量。一般情况下,您应该尽可能enum而不是const int而不是#define。 (见Advantage and disadvantages of #define vs. constants?)。