C语言不可修改的(常量)变量

示例

const int a = 0; /* This variable is "unmodifiable", the compiler
                    should throw an error when this variable is changed */
int b = 0; /* This variable is modifiable */

b += 10; /* Changes the value of 'b' */
a += 10; /* Throws a compiler error */

该const资格只意味着我们没有更改数据的权限。这并不意味着价值不能在我们背后改变。

_Bool doIt(double const* a) {
   double rememberA = *a;
   // 做冗长而复杂的事情,调用其他函数

   return rememberA == *a;
}

在执行其他调用期间*a可能已更改,因此此函数可能返回false或true。

警告


具有const限定条件的变量仍可以使用指针进行更改:

const int a = 0;

int *a_ptr = (int*)&a; /* This conversion must be explicitly done with a cast */
*a_ptr += 10;          /* This has undefined behavior */

printf("a = %d\n", a); /* May print: "a = 10" */

但是这样做是导致未定义行为的错误。此处的困难在于,这样做的行为可能像在简单示例中所预期的那样,但是在代码增长时会出错。