gcc与字符串类型不一致

时间:2014-08-28 21:40:44

标签: c++ gcc ternary-operator stdstring operator-precedence

我有以下测试程序:

#include <string>
#include <iostream>

int main()
{
    std::string s;
    std::string a = "sd";

    std::cout << a==s ? "y" : "n";

    return 0;
}

尝试使用g++ test.cpp进行编译会产生以下隐藏错误:

error: no match for 'operator==' (operand types are 'std::basic_ostream<char>' and 'std::string {aka std::basic_string<char>}')
  std::cout << a==s ? "y" : "n";
                ^

似乎s正确编译为std::string类型,而a正在编译为std::basic_ostream<char> !? HELP !!

2 个答案:

答案 0 :(得分:9)

由于operators precedence,编译器将您的语句解析为((std::cout << a) == s) ? "y" : "n";:您需要括号。

std::cout << (a==s ? "y" : "n");

答案 1 :(得分:5)

编译器的错误消息在这里非常有用。它说运算符的LHS类型为std::basic_ostream<char>,而运算符的RHS类型为std::string {aka std::basic_string<char>}

即。这条线

std::cout << a==s ? "y" : "n";

被解释为

(std::cout << a) == s ? "y" : "n";

要更改编译器以为==运算符选择正确的对象,您必须使用parantheses来覆盖该行为。

std::cout << (a==s ? "y" : "n");