strstr
是符合C99的功能,其类型签名如下:
char *strstr(const char *haystack,const char *needle);
是否可以实现这个功能,而不会把const放在某处?
作为参考,这里是Apple’s implementation,这里是GNU’s implementation.两端都抛弃了const.
解决方法
您不能以某种方式违反const正确性来实现strstr().演员是最直接的方法.你可能会以某种方式隐藏违例行为(例如你可以使用memcpy()来复制指针值),但没有必要这样做.
问题是strstr()接受一个指向一个字符串的const char *,并返回一个指向相同字符串的非const char *.
例如,这个程序:
#include <stdio.h> #include <string.h> int main(void) { const char s[] = "hello"; char *result = strstr(s,"hello"); *result = 'H'; puts(result); }
修改(或至少尝试修改)const限定对象,而不使用指针转换或任何其他明显不安全的构造.
早在1989年,ANSI C委员会就可以通过定义两个不同的功能来避免这个问题:
const char *strcstr(const char *haystack,const char *needle); char *strstr ( char *haystack,const char *needle);
一个返回一个指向const char的指针给一个const参数,另一个返回指向可修改的char的指针,给出一个可修改的参数. (C,继承C标准库,通过重载).
strstr()是具有这个问题的几个标准字符串函数之一.