例如,如何实现三元比较运算符来确定 的布尔值a < b < c
?
问问题
645 次
2 回答
7
解决方案:在编写比较代码时,将返回类型设为comparison
可以链接其他比较的对象,但可以隐式转换为bool
. 这甚至可以(在某种程度上)与未按此意图编码的类型一起使用,只需comparison
手动将它们转换为类型即可。
执行:
template<class T>
class comparison {
const bool result;
const T& last;
public:
comparison(const T& l, bool r=true) :result(r), last(l) {}
operator bool() const {return result;}
comparison operator<(const T& rhs) const {return comparison(rhs, (result && last<rhs));}
comparison operator<=(const T& rhs) const {return comparison(rhs, (result && last<=rhs));}
comparison operator>(const T& rhs) const {return comparison(rhs, (result && last>rhs));}
comparison operator>=(const T& rhs) const {return comparison(rhs, (result && last>=rhs));}
};
一个有用的例子:
#include <iostream>
int main() {
//testing of chained comparisons with int
std::cout << (comparison<int>(0) < 1 < 2) << '\n';
std::cout << (comparison<int>(0) < 1 > 2) << '\n';
std::cout << (comparison<int>(0) > 1 < 2) << '\n';
std::cout << (comparison<int>(0) > 1 > 2) << '\n';
}
输出:
1
0
0
0
注意:这是由Mooing Duck创建的,可以在http://ideone.com/awrmK上找到经过编译的更强大的示例
于 2012-06-13T22:52:34.437 回答
4
为什么需要运营商?
inline bool RangeCheck(int a, int b, int c)
{
return a < b && b < c;
}
或者:
#define RANGE_CHECK(a, b, c) (((a) < (b)) && ((b) < (c)))
于 2012-06-13T23:02:21.063 回答