我需要在C ++中检查for循环中的相等性,但是循环需要适用于x等于多种可能性。
例如,现在我有类似的东西:
if(x==a || x==b || x==c || x==d || x==e || x==f || x==g || x==h)
{
//loop body
}
但是有了我的数字,它看起来很乱,我想知道是否有一种简写方式说“if(x ==(任何这些))”或者是否将它们全部写出来是唯一的选择。 / p>
谢谢!
答案 0 :(得分:3)
感谢您提出问题,现在我找到了一个解决方案(我敢说是一个优雅的解决方案),我会自己使用它。
与使用std :: find的解决方案不同:将a)在编译时展开到N次比较b)使用可以与之比较的任何类型
struct TagAnyOf {};
template <typename... Args>
std::tuple <TagAnyOf, Args...> AnyOf (Args&&... args)
{
return std::tuple <TagAnyOf, Args...> (TagAnyOf(), std::forward<Args>(args)...);
}
template <class X, class Tuple, size_t Index, size_t ReverseIndex>
struct CompareToTuple
{
static bool compare (const X& x, const Tuple& tuple)
{
return x == std::get<Index> (tuple) || CompareToTuple<X, Tuple, Index+1, ReverseIndex-1>::compare (x, tuple);
}
};
template <class X, class Tuple, size_t Index>
struct CompareToTuple <X, Tuple, Index, 0>
{
static bool compare (const X& x, const Tuple& tuple)
{
return false;
}
};
template <typename X, typename... Args>
bool operator == (const X& x, const std::tuple<TagAnyOf, Args...>& any)
{
typedef std::tuple <TagAnyOf, Args...> any_of_type;
return CompareToTuple <X, any_of_type, 1, std::tuple_size<any_of_type>::value-1>::compare (x, any);
}
用法
int main()
{
int x = 1;
if (x == AnyOf (1, 2, 3, 4))
{
std::cout << "Yes!" << std::endl;
}
else
{
std::cout << "No!" << std::endl;
}
if (x == AnyOf (4, 3, 2, 1))
{
std::cout << "Yes!" << std::endl;
}
else
{
std::cout << "No!" << std::endl;
}
if (x == AnyOf (2, 3, 4, 5))
{
std::cout << "Yes!" << std::endl;
}
else
{
std::cout << "No!" << std::endl;
}
return 0;
}
答案 1 :(得分:2)
考虑使用带有initializer_list的函数(这是一个c ++ 11特性) 第一个参数是左手值(在你的情况下为x),其余参数将是右手值。
以下是使用模板完成任务的示例。
#include <iostream>
#include <cstdlib>
#include <algorithm>
template<class T>
bool Test(T const& test, std::initializer_list<T> const& values){
return std::find(std::begin(values), std::end(values), test) != std::end(values);
}
int main(){
char var1 = 'a';
char var2 = 'a';
char var3 = 'b';
char var4 = 'c';
char var5 = 'd';
if (Test<char>(var1,{var2,var3,var4,'o',var5})){
std::cout << "true. at least one is equivelent" << std::endl;
}else{
std::cout << "false. none are equivelent" << std::endl;
}
if (Test<char>(var1,{var3,var4,var5})){
std::cout << "true. at least one is equivelent" << std::endl;
}else{
std::cout << "false. none are equivelent" << std::endl;
}
return EXIT_SUCCESS;
}
如果您正在使用类,请确保重载'!='运算符。
编辑:错误已修复。 GManNickG指出
答案 2 :(得分:0)
我想知道是否有简写方式说“if(x ==(任何 这些))“
是的,该标准可让您std::find
和std::find_if
完全回答这个问题:
int a=3,b=5,c=6,d=7;
std::array<int,4> vals{{a,b,c,d}}; // or std::vector
int x=5;
bool foundit= (end(vals) != std::find_if(begin(vals), end(vals),x );
你需要
#include <array>
#include <algorithm>
您也可以使用std::initializer_list<int> booleans{a,b,c,d};
代替vector
或array
如果您的条件比较复杂,可以使用find_if:
bool foundit= (end(vals) !=
std::find_if(begin(vals), end(vals),
[&x](const int &v){return v*(v+x)<x;}));