C&C++字符串比较避坑之Comparison with string literal results in unspecified behaviour

例子

在比较两个字符串的时候,很多情况下你可能首先就想到了==运算符,看下面一个例子:

if ("connection" == nextElement->Name()){  //比较节点名是否等于"connection",此处"connection"被当做char*处理,而Name()返回的是const char*.
...
}

使用GCC编译代码时遇到以下警告:warning: comparison with string literal results in unspecified behaviour [-Waddress]
if ("connection"== nextElement->Name())
结果运行的时候,怎么也进不去这个判断条件。

· 原因

在C ++中,== 仅在内部为原始类型(如int、char、bool…)实现,而 const char* 不是原始类型,因此const char* 和字符串会作为两个char* 比较,即两个指针的比较,而这是两个不同的指针,“connection”== nextElement->Name()不可能为真。
参考 StackOverflow 上的讨论。

· 解决办法

1. 使用std::string保存字符串,通过其"==" 运算符重载比较两字符串,无需获取指针;
2. 使用 strcmp 比较char*和const char*,字符串相等则返回0;
修改为如下的方式判断即可:

if (0 == strcmp("connection",nextElement->Name())){

}

你可能感兴趣的:(C/C++,c++,c语言,C字符串比较)