【坑1】
[Error] ISO C++ forbids comparison between pointer and integer [-fpermiss
错误代码:
if(a[i]=="G"&&b[i]!="C")
return false;
改正后的代码:
if(a[i]=='G'&&b[i]!='C')
return false;
解释:两种不同类型的数据不能做比较,a[i]表示的是一个字符,“C”表示的是一个字符串的收地址,所以应该把“C”改为‘C’
【坑2】关于char[ ] 的赋值报错问题
error: invalid array assignment
需要用strcpy拷贝数组,不能直接给字符串赋值。
【坑3】两个字符串相比较出现:
warning:comparison with string literal results in unspecified behaviour
举个例子:
char* pstr = "enable";
if (pstr == "enable") PerformTask();
但在程序运行的时候,发现PerformTask()始终没有被调用到。
解决方法:
1 . 在C中,该种字符串比较方式具有很大的欺骗性和杀伤力,因为,程序编译也能通过,但实际上所比较的条件总不能成立,所以条件成立后所执行的操作总不能完成;
2 . 为了防止这类错误在C语言中出现,自己编译测试程序的时候应该把Wall选项打开,这样,编译的时候会有错误提示:
warning: comparison with string literal results in unspecified behavior [-Waddress]
提示应该使用正确的字符串处理方式。
3 . 示例代码:
#include <stdio.h>
#include <string.h>
int main() {
printf("\n========================================================================\n");
char str1[] = "1/6";
char* delim1 = "/";
char* seq_no = NULL;
char* total_no = NULL;
seq_no = strtok(str1, delim1);
printf("seq_no is: %s\n", seq_no);
total_no = strtok(NULL, delim1);
printf("total_no is: %s\n", total_no);
// if (seq_no == "1") {
if (!strcmp(seq_no, "1")) {
printf("This is seq number %s\n", seq_no);
}
return 0;
}
运行结果:
u1204@u1204-zhw:~/wrk/tmp/cpp_src/c_exer$ ./test_strtok
========================================================================
seq_no is: 1
total_no is: 6
This is seq number 1
u1204@u1204-zhw:~/wrk/tmp/cpp_src/c_exer$
问题解决。