C语言中的单引号用来表示字符字面量
- ‘a’表示字符字面量,在内存中占1个字节。‘a’+1表示‘a’的ASCII码加1,结果为‘b’。
C语言中的双引号用来表示字符串字面量
- “a”表示字符串字面量,在内存中占2个字节。“a”+1表示指针运算,结果指向“a”结束符‘\0’
示例代码:单引号和双引号的本质
#include <stdio.h> int main() { char* p1 = 1 ; //Error char* p2 = '1'; //Error char* p3 = "1" ; printf ("%s, %s, %s" , p1 , p2 , p3 ); printf ('\n' ); //Error printf ("\n" ); return 0 ; }
编译得到警告信息
test.c:6: warning: initialization makes pointer from integer without a cast
test.c:7: warning: initialization makes pointer from integer without a cast
test.c:12: warning: passing argument 1 of ‘printf’ makes pointer from integer without a cast
/usr/include/stdio.h:359: note: expected ‘const char * restrict’ but argument is of type ‘int’
test.c:12: warning: format not a string literal and no format arguments
运行后我们发现,程序发生段错误。分析得知:
(1)从错误信息我们可以知道: char* p1 = 1 ; 和 char* p2 = ‘1’; 是一样的错误,就是我们吧一个整数赋给指针变量了。导致指针访问了不该访问的地址,产生了段错误。
(2)而我们知道 printf函数是这样使用的printf(“\n”),也就是说 printf函数的第一个参数是字符串,而当我们输入的是 printf(‘\n’); 时,会发现程序也报段错误,也就是说: printf函数吧字符串当做内存地址解析了。
结论:
1. 字符字面量被编译为对应的ASCII码(也就是字符对应的整数)
2. 字符串字面量被编译为对应的内存地址
3. printf的第一个参数被当成字符串内存地址
4. 内存的低地址空间不能在程序中随意访问(系统不同,不能访问的地址空间范围不同)
示例代码:混淆概念的代码
#include <stdio.h> int main() { char a = "string" ; char c = " " ; while ( (c == "\t" ) || (c == " " ) || (c == "\n" ) ) { scanf ( "%c" , &c ); } printf ("0x%x\n" ,a ); printf ("%p\n" , "string" ); return 0 ; }
输出结果:
0x70
0x8048570
分析:
明显, while循环体没有被执行。因为双引号代表的是字符串,而字符串字面量被编译成对应的内存地址,所以 while循环判断不会为真,自然不会执行循环体了。
问题:为什么 char c = ” “;并且 while中有(c == ” “),为什么这两个不相等呢?
1.编译后字符串”string”的内存地址被赋值给变量 c
2.内存地址占用 4个字节,而变量c只占用 1个字节
3.由于类型不同,赋值后产生截断
具体可以参考代码中的 char a = “string”;