#include <stdio.h>
int main()
{
char *s = "hello world";
s[0] = 'B';
printf("here!s[0] = %c\n",s[0]);
return 0;
}
我们尝试把字符串中的第一个字母改成B但是编译器一定会奖励给你一个warning,并且printf完全没有输出,说明程序在这之前就已经错了,为什么?
#include <stdio.h>
int main()
{
int i;
const char *s = "hello world";
const char *s2= "hello world";
printf("here!s[0] = %c\n",s[0]);
printf("s = %p\n",s);
printf("s2 = %p\n",s2);
printf("&i = %p",&i);
return 0;
}
?可以看出明显本地变量i的地址在比 s和s2更大的地方,而且s,s2指向了相同的地方,一个字符数组的地址,位于代码段并且是只读的,操作系统的保护机制不会让你对它动手,如果让你写了,说明你的操作系统该换了,如果你想对字符串进行修改,应该使用数组
#include <stdio.h>
int main()
{
int i;
const char *s = "hello world";
const char *s2= "hello world";
char s3[] = "hello world";
s3[0] = 'B';
printf("here!s3[0] = %c\n",s3[0]);
printf("s = %p\n",s);
printf("s2 = %p\n",s2);
printf("&i = %p\n",&i);
printf("s3 = %p\n",s3);
return 0;
}
有什么区别呢?
图一二中,是说这是一个指针,它指向了一个字符串,图三是这个字符串就在我这里,hello world的地址其实还是储存在那个很远的地方(地址小,不可以写),但是编译器会在这里插入一段代码,把那里字符数组的内容拷贝到s3的地址中去。
那我们需要一个字符串的时候,究竟是把它写成一个指针的形式,还是数组的形式?
如果你写成字符串,那么这个数组作为本地变量空间会被自动回收;
如果你写成指针,通常会是这三种情况:
1,我们需要的就是一个不可以写的字符串
2,作为函数的参数,我们已经知道数组作为函数的参数传入时,实际上和指针是一样的,我们不妨就用它来表达函数的参数,反正都是指针;
3,如果你字符串的空间使用malloc得到的,那么当然要使用指针了
总之,如果要构造一个字符串要使用数组,处理一个字符串要用指针
|