1. 全局变量检查
test.c
#include <stdio.h>
int s_test = 10;
int s_test;
int main(int argc, char *argv[])
{
printf("a=%d\n", s_test);
return 0;
}
结果s_test=10
test.cpp
#include <iostream>
using namespace std;
int s_test = 10;
int s_test;
int main(int argc, char *argv[])
{
cout << "s_test="<< s_test << endl;
return 0;
}
结果
cpptest.cpp:5:5: error: redefinition of ‘int s_test’
int s_test;
^
cpptest.cpp:4:5: error: ‘int s_test’ previously defined here
int s_test = 10;
2. 函数检查
test.c
#include <stdio.h>
myfun(a, b)
{
return a*b;
}
int main(int argc, char *argv[])
{
printf("myfun=%d\n", myfun(3, 4));
return 0;
}
结果
myfun=12
对于没有给定的参数类型C语言默认为int
test.c
#include <stdio.h>
int myfun(int a, int b)
{
a*b;
}
int main(int argc, char *argv[])
{
printf("myfun=%d\n", myfun(3, 4));
return 0;
}
结果
myfun=4195641
编译与执行都没有报错,但是结果与我们预想的不一致,对于c++这样的代码在编译时会报错.
3. mclloc返回值
test.c
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[])
{
char *p = malloc(10);
free(p);
return 0;
}
对于C这样的代码是没错的
test.cpp
#include <iostream>
#include <stdio.h>
#include <stdlib.h>
using namespace std;
int main(int argc, char *argv[])
{
char *p = (char *)malloc(10);
free(p);
return 0;
}
需要强制转换
4. 结构体
C结构体内不能有函数,但是C++可以
C使用结构体类型的时候需要加struct关键字,但是C++不需要
5. bool类型
C不支持bool, C++支持, 并且sizeof(bool)==1
6. 三目运算符
test.cpp
#include <iostream>
using namespace std;
int main(int argc, char *argv[])
{
int a = 10;
int b = 20;
a > b ? a:b = 100;
cout << "a=" << a << ", b=" << b << endl;
return 0;
}
a=10, b=100
C要达到相同的效果需要这样
test.c
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[])
{
int a = 10;
int b = 20;
*(a > b ? &a:&b) = 100;
printf("a=%d, b=%d\n", a, b);
return 0;
}
a=10, b=100
7.const修饰变量的区别
test.c
#include <stdio.h>
#include <stdlib.h>
int main(int argc, char *argv[])
{
const int s_a = 10;
int *p = (int *)&s_a;
*p = 20;
printf("s_a=%d, *p=%d\n", s_a, *p);
return 0;
}
s_a=20, *p=20
test.cpp
#include <iostream>
using namespace std;
int main(int argc, char *argv[])
{
const int s_a = 10;
int *p = (int *)&s_a;
*p = 20;
cout << "s_a=" << s_a << ",*p=" << *p << endl;
return 0;
}
s_a=10,*p=20
对策const 修饰的全局变量,C与C++无论是直接修改或是间接修改都是不允许的
但是对于局部变量,如上所示两者是有区别的, 直接修改两者都是不允许, 但是间接修改C可以修改变量本身的值, 修改后s_a与p一致,修改成功. C++修改后s_a与p不一致, 修改失败, 原因是使用p指向s_a的时候C++会产生一个临时变量,p实际指向的是临时变量