首页 > 代码库 > C99标准新特性的说明
C99标准新特性的说明
#include <stdio.h> int main(int argc, char *argv[]) { int a1 = 10; printf("a1 = %d\n", a1); int a2 = 20; printf("a2 = %d\n", a2); return 0; }
2.2 长度可变的数组variable-length arrays
-------------------------------------------------
数组在C语言中定义时,只能用常量表达式来指定其长度,可变长度的数组在定义时可以使用变量来指定数组的长度,这样以来,就可以定必须等到运行时才能知道大小的数组。
#include <stdbool.h> int main(int argc, char *argv[]) { int size; scanf("%d", &size); int arr[size]; //使用运行时才能确定其值的变量作为数组长度来定义数组 for (int i = 0; i < size; i++) { scanf("%d", &arr[i]); } for (int i = 0; i < size; i++) { printf("%d ", arr[i]); } printf("\n"); return 0; }
2.3 支持单行注释one-line comments
------------------------------------------
support for one-line comments beginning with //, as in BCPL, C++ and Java.
#include <stdio.h> int main(int argc, char *argv[]) { //this a one line comment return 0; }
2.4 for语句内的变量声明
----------------------------
C99中,可以在for语句的初始化部分定义一个或多个变量,这些变量的作用域仅于本for语句所控制的循环体内。
#include <stdio.h> int main(int argc, char *argv[]) { int arr[5] = {1, 2, 3, 4, 5}; for (int i = 0; i < sizeof(arr)/sizeof(arr[0]); i++) { printf("%d ", arr[i]); } printf("\n"); return 0; }
#include <stdio.h> inline int add(int a, int b) { return (a + b); } int main(int argc, char *argv[]) { printf("%d + %d = %d\n", 10, 20, add(10, 20)); return 0; }
several new data types, including long long int, optional extended integer types, an explicit boolean data type, and a complex type to represent complex numbers
1 long long int
C99标准中引进了long long int(-(2e63 - 1)至2e63 - 1)和unsigned long long int(0 - 2e64 - 1)。long long int能够支持的整数长度为64位。
2 _Bool
_Bool是作为关键字引入的。_Bool类型的变量的值是0或1。
C99中增加了头文件夹<stdbool.h>,在其中定义bool、true以及false宏的, 以便程序员能够编写同时兼容于C与C++的应用程序。在编写新的应用程序时,应该包含<stdbool.h>头文件,并且使用bool宏来定义_Bool类型的变量,通过用true和false这两个宏来为_Bool类型的变量赋值。
3 _Complex和_Imaginary
_Complex关键字用来代表复数类型,_Imaginary关键字用来代表虚数类型。
这两个关键字和float、double以及long double组合,可以形成如下的六种类型:
float _Complex
float _Imaginary
double _Complex
double _Imaginary
long double _Complex
long double _Imaginary
同时,C99新增了<complex.h>头文件,在其中定义了complex和imaginary宏,它们可以扩展为_Complex和_Imaginary。因此在编写新的应用程序时,应该在程序中包含<complex.h>头文件,并且使用中的complex和imaginary来定义复数变量和虚数变量。
_Imaginary关键字gcc暂时不支持。
#include <stdio.h> #include <stdbool.h> #include <complex.h> int main(int argc, char *argv[]) { long long ll = 10; printf("ll = %d\n", ll); _Bool b1 = true; printf("b1 = %d\n", b1); bool b2 = true; printf("b2 = %d\n", b2); float complex fc = 1.0f + 2.0j; double complex dc = 3.0 + 4.0j; long double complex ldc = 5.0 + 6.0i; //下面的代码在gcc无法编译通过 //float imaginary fi = 2.0j; //double imaginary di = 3.0j; //long double imaginary = 4.0i; return 0; }
以上六个特性是非常常用,而且有用的特性。
2.7 其余待续
---------------
C99标准新特性的说明