标签:
今天在自己实现strlen函数的时候碰到碰到了一个很有意思的warning:
warning: deprecated conversion from string constant to ‘char*‘ [-Wwrite-strings]
1 #include <stdio.h>
2
3 int strlen(char *str) {
4 char *s;
5 for (s=str; *s; s++);
6 return s - str;
7 }
8
9 int main()
10 {
11 char *s1 = "abc";
12 char s2[] = "abc";
13 printf("%d\n", strlen(s1));
14 printf("%d\n", strlen(s2));
15 return 0;
16 }
由于之前竞赛一直在回避指针,所以一直使用的是"[]" 也就是数组的方式来定义。现在使用"*"也就是指针的方式来定义的时候竟然产生warning,一时还百思不得其解。
但是我觉得,跟函数传值这里应该是没有关系的,于是我把代码删掉只剩下定义语句,再次编译。
1 #include <stdio.h>
2
3 int main()
4 {
5 char *s1 = "abc";
6 return 0;
7 }
没错,就是只有这个定义语句,警告依然存在。
大致理解了以下警告信息,说是弃用从字符串常量转化为char指针?看得云里雾里的,但是觉得就是不让写嘛!
于是我试着修改s1的值:
1 #include <stdio.h>
2
3 int main()
4 {
5 char *s1 = "abc";
6 *s1 = "bcd";
7 return 0;
8 }
这会得到的是error了!
error: invalid conversion from ‘const char*‘ to ‘char‘ [-fpermissive]
于是,不让修改的值,不就是常量么!
于是我果断加上const:
1 #include <stdio.h>
2
3 int main()
4 {
5 const char *s1 = "abc";
6 return 0;
7 }
世界清静了!
但是为什么字符串指针必须要const修饰呢?
脑子秀逗了,很明显我们是把一个字符串常量"abc"地址赋值给s1指针,那么s1指针就应该使用const 指针来接收(规范)。
那么你要想修改的话怎么办呢?答案是数组:
1 #include <stdio.h> 2 3 4 int main() 5 { 6 const char *s1 = "abc"; 7 char s2[] = "111"; 8 *s2 = ‘2‘; 9 printf("%s\n", s2); 10 return 0; 11 }
那么,这个时候输出的值就是 "211" 了。
标签:
原文地址:http://www.cnblogs.com/marginalman/p/4728787.html