如何让自定义 operator== 与 Google 测试一起使用?

How to get a custom operator== to work with Google Test?

我在将自定义重载“==”运算符与 PCL 和 Google 测试 (GTest)

结合使用时遇到问题
#include <pcl/point_types.h>
namespace pcl { struct PointXYZ; }

bool operator==(pcl::PointXYZ p1, pcl::PointXYZ p2) {return p1.x-p2.x<.1;}
#include <gtest/gtest.h>

TEST(Foo, bar) {
  pcl::PointXYZ a{2,3,4};
  pcl::PointXYZP b{2,3,4};
  EXPECT_EQ(a,b); // Compile error no match for operator==
}

int main(int argc, char **argv){
  testing::InitGoogleTest(&argc, argv);
  return RUN_ALL_TESTS();
}

我得到的错误是:

|| /usr/include/gtest/gtest.h: In instantiation of 'testing::AssertionResult testing::internal::CmpHelperEQ(const char*, const char*, const T1&, const T2&) [with T1 = pcl::PointXYZ; T2 = pcl::PointXYZ]':
/usr/include/gtest/gtest.h|1361 col 23| required from 'static testing::AssertionResult testing::internal::EqHelper<lhs_is_null_literal>::Compare(const char*, const char*, const T1&, const T2&) [with T1 = pcl::PointXYZ; T2 = pcl::PointXYZ; bool lhs_is_null_literal = false]'
src/foo/src/tests.cpp|20 col 3| required from here
/usr/include/gtest/gtest.h|1325 col 16| error: no match for 'operator==' (operand types are 'const pcl::PointXYZ' and 'const pcl::PointXYZ')
||    if (expected == actual) {
||                 ^
/usr/include/gtest/internal/gtest-linked_ptr.h|213 col 6| note: candidate: template<class T> bool testing::internal::operator==(T*, const testing::internal::linked_ptr<T>&)
||  bool operator==(T* ptr, const linked_ptr<T>& x) {
||       ^
/usr/include/gtest/internal/gtest-linked_ptr.h|213 col 6| note:   template argument deduction/substitution failed:
/usr/include/gtest/gtest.h|1325 col 16| note:   mismatched types 'T*' and 'pcl::PointXYZ'

我试着坚持底漆: https://github.com/google/googletest/blob/master/googletest/docs/primer.md#binary-comparison

特别是,我的运算符是在包含 gtest 之前定义的,我确信类型匹配。我还尝试编写重载以获取 const 引用,但这只是比较地址而不是值。

自定义类型的运算符是通过参数相关查找找到的。

参数依赖查找(简而言之)意味着函数可以被视为如果它们在相同的命名空间中定义为一个或多个参数。

此代码:

namespace pcl { struct PointXYZ; }

bool operator==(pcl::PointXYZ p1, pcl::PointXYZ p2) {return p1.x-p2.x<.1;}

pcl::命名空间中定义PointXYZ,但在全局命名空间中定义operator==函数。因此,不是ADL的候选人。

这样做:

namespace pcl { 
  struct PointXYZ; 
  bool operator==(pcl::PointXYZ p1, pcl::PointXYZ p2) {return p1.x-p2.x<.1;}
}

修复了这个问题,因为现在 operator== 的名称 pcl::operator== 与它的一个参数位于同一个命名空间中(实际上在这种情况下它们都是,但你明白了)。这使它成为 ADL 期间的候选对象,因此当 gtest 调用相等性测试时它将被选中。

namespace pcl 中包含 operator== 定义:

#include <pcl/point_types.h>
namespace pcl
{
    bool operator==(pcl::PointXYZ p1, pcl::PointXYZ p2) {return p1.x-p2.x<.1;}
}

此外,您可以删除 pcl::PointXYZ 的前向声明,因为它必须在 header pcl/point_types.h 中完成。否则,编译器会在 TEST.

中定义变量时报错

如果未定义,您还必须定义 operator<<(std::ostream&, const pcl::PointXYZ&) 以便 Google 测试可以在相等断言失败时打印出您的值。