字符指针
指向字符型数据的指针变量。每个字符串在内存中都占用一段连续的存储空间,并有唯一确定的首地址。即将字符串的首地址赋值给字符指针,可让字符指针指向一个字符串。
话不多说,直接上代码
test1
int main()
{
char ch = 'w';
char * pc = &ch;
const char* p = "hello bit";
printf("%s\n", p);
printf("%c\n", *p);
return 0;
}
上面这段代码打印的结果是怎么样的呢?
char ch = ‘w’; char * pc = &ch;
pc是指向一个字符变量。
const char* p = “hello bit”;
如果这时候进行进行 *p = 'w'; 操作会样呢?答案肯定是报错,"hello bit"是一个常量字符串,存放在内存的常量。上面表达式的作用是:把常量字符串"hello bit"的第一个字符h的地址赋给p。
test2
本题出自《剑指offer》
int main()
{
char str1[] = "abcdef";
char str2[] = "acbdef";
const char* str3 = "abcdef";
const char* str4 = "abcdef";
if (str1 == str2)
printf("str1 and str2 are same\n");
else
printf("str1 and str2 are not same\n");
if (str3 == str4)
printf("str1 and str2 are same\n");
else
printf("str1 and str2 are not same\n");
return 0;
}
猜到结果了吗?hxd
const char* str3 = “abcdef”; const char* str4 = “abcdef”;
常量字符串,不能被修改.
char str1[] = “abcdef”; char str2[] = “acbdef”;
str1,str2分别开辟各自的空间,地址自然不相同。
|