c((比c有什么优势)

  • c((比c有什么优势)已关闭评论
  • 210 次浏览
  • A+
所属分类:随笔创作

1. 函数检测增强

在C语言中,重复定义多个同名的全局变量是合法的,在C 中,不允许定义多个同名的全局变量。

C语言中多个同名的全局变量最终会被链接到全局数据区的同一个地址空间上。

下面的代码在c中完全合法:

include

include

int g_var;

int g_var = 1;

void main()

{

printf("g_var = %d\n", g_var);

system("pasue");

}

而C 直接拒绝这种二义性的做法。

2. struct类型加强

C语言的struct定义了一组变量的集合,C编译器并不认为这是一种新的类型

C 中的struct是一个新类型的定义声明

下面的代码在c编译器下是通不过的,不过在c 编译器下确可以通过:

include

include

include

struct Student

{

char name[100]; int age;

};

int main(int argc, char *argv[])

{

Student s1 = {"wang", 1};

Student s2 = {"wang2", 2};

return 0;

}

c语言中需要用typedef将Student重命名为Student才能如此大张旗鼓的使用student。

typedef struct Student

{

char name[100];

int age;

}Student;

3. C 中所有的变量和函数都必须有类型

很难想像,下面的代码居然在c编译器下面可以通过:

include

include

include

f(i)

{

printf("i = %d\n", i);

}

g()

{

return 5;

}

int main(int argc, char *argv[])

{

f(10);

printf("g() = %d\n", g(1, 2, 3, 4, 5));

getchar();

return 0;

}

总结:

在C语言中:

int f(); //表示返回值为int,接受任意参数的函数

int f(void);//才表示返回值为int的无参函数

在C 中,

int f()和intf(void)具有相同的意义,都表示返回值为int的无参函数

C 更加强调类型,任意的程序元素都必须显示指明类型。

4. 三目运算符

下面一段代码在c编译器里通不过,不过在c 编译器里可以通过:

include

include

include

int main()

{

int a = 10;

int b = 20; //返回一个最小数 并且给最小数赋值成3

//三目运算符是一个表达式 ,表达式不可能做左值

(a

夜行书生