c ++中的两个比较运算符,如python

时间:2017-12-22 08:57:52

标签: python c++ logic comparison-operators

比较5 > x > 1是否适用于C ++,就像在python中一样。它没有显示任何编译错误,但似乎也不起作用。

2 个答案:

答案 0 :(得分:8)

在C ++中,5 > x > 1被归为(5 > x) > 1

(5 > x)falsetrue,因此falsetrue转换为0,因此永远不会超过1和1分别。因此

5 > x > 1
对于false的任何值,

在C ++中为x。所以在C ++中你需要用更长的形式

来编写你真正想要的表达式
x > 1 && x < 5

答案 1 :(得分:1)

我从不满足于你不能选项...所以理论上你可以重载像这样的运算符(只是草图,但我想你会得到)要点):

#include <iostream>

template <class T>
struct TwoWayComparison {
    T value;
    bool cond = true;

    friend TwoWayComparison operator >(const T& lhs, const TwoWayComparison& rhs) {
        return {rhs.value, lhs > rhs.value};
    }
    friend TwoWayComparison operator >(const TwoWayComparison& lhs, const T& rhs) {
        return {rhs, lhs.cond && lhs.value > rhs};
    }
    operator bool() {
        return cond;
    }
};

int main() {
    TwoWayComparison<int> x{3};
    if (15 > x > 1) {
        std::cout << "abc" << std::endl;
    }
}

[live demo]