std::tuple 逐个成员比较失败
std::tuple member by member comparison fails
我想测试 this very interesting answer 并得出了这个最小的实现:
class A
{
enum M { a };
std::tuple<int> members;
public:
A() { std::get<M::a>(members) = 0; }
A(int value) { std::get<M::a>(members) = value; }
A(const A & other) { members = other.members; }
int get() const { return std::get<M::a>(members); }
bool operator==(A & other) { return members == other.members; }
};
和一个简单的测试:
int main() {
A x(42);
A y(x);
std::cout << (x==y) << std::endl;
return 0;
}
一切都很好,直到我定义了一个简单的 struct B {};
并尝试将其实例添加为成员。我一写
std::tuple<int, B> members;
operator==
不再正常,我从编译器 (gcc 5.4.1) 收到此消息:
error: no match for ‘operator==’ (operand types are ‘std::__tuple_element_t<1ul, std::tuple<int, B> > {aka const B}’ and ‘std::__tuple_element_t<1ul, std::tuple<int, B> > {aka const B}’)
return bool(std::get<__i>(__t) == std::get<__i>(__u))
^
我尝试向 B
提供 operator==
:
struct B
{
bool operator==(const B &){ return true; }
};
并且从编译器那里得到了额外的:
candidate: bool B::operator==(const B&) <near match>
bool operator==(const B &){ return true; }
^
谁能解释一下 B 结构有什么问题?是缺什么,还是什么?
最终是 const 正确性。您没有一致地限定 B
(或 A
)比较运算符及其参数。
由于 tuple's operator==
通过 const 引用接受,它不能使用您的 const-incorrect 实现。重载决策因此失败。
整理所有这些 const 限定符 resolves all the errors。
我想测试 this very interesting answer 并得出了这个最小的实现:
class A
{
enum M { a };
std::tuple<int> members;
public:
A() { std::get<M::a>(members) = 0; }
A(int value) { std::get<M::a>(members) = value; }
A(const A & other) { members = other.members; }
int get() const { return std::get<M::a>(members); }
bool operator==(A & other) { return members == other.members; }
};
和一个简单的测试:
int main() {
A x(42);
A y(x);
std::cout << (x==y) << std::endl;
return 0;
}
一切都很好,直到我定义了一个简单的 struct B {};
并尝试将其实例添加为成员。我一写
std::tuple<int, B> members;
operator==
不再正常,我从编译器 (gcc 5.4.1) 收到此消息:
error: no match for ‘operator==’ (operand types are ‘std::__tuple_element_t<1ul, std::tuple<int, B> > {aka const B}’ and ‘std::__tuple_element_t<1ul, std::tuple<int, B> > {aka const B}’)
return bool(std::get<__i>(__t) == std::get<__i>(__u))
^
我尝试向 B
提供 operator==
:
struct B
{
bool operator==(const B &){ return true; }
};
并且从编译器那里得到了额外的:
candidate: bool B::operator==(const B&) <near match>
bool operator==(const B &){ return true; }
^
谁能解释一下 B 结构有什么问题?是缺什么,还是什么?
最终是 const 正确性。您没有一致地限定 B
(或 A
)比较运算符及其参数。
由于 tuple's operator==
通过 const 引用接受,它不能使用您的 const-incorrect 实现。重载决策因此失败。
整理所有这些 const 限定符 resolves all the errors。