7

我已经阅读了这个官方文档,学习如何进行二进制比较和字符串比较。

ASSERT_EQ 和 ASSERT_STREQ 在数组比较的情况下不能工作。

例如

li@li:~/poc$ g++ -I${GTEST_DIR}/include insertion_sort.cpp insertion_sort_unittest.cpp /home/li/libgtest.a -lpthread -o inser_unit
li@li:~/poc$ ./inser_unit 
[==========] Running 1 test from 1 test case.
[----------] Global test environment set-up.
[----------] 1 test from InsertionSortTest
[ RUN      ] InsertionSortTest.Two
insertion_sort_unittest.cpp:18: Failure
Value of: two_sorted
  Actual: { 2, 5 }
Expected: two
Which is: { 2, 5 }
[  FAILED  ] InsertionSortTest.Two (1 ms)
[----------] 1 test from InsertionSortTest (1 ms total)

[----------] Global test environment tear-down
[==========] 1 test from 1 test case ran. (1 ms total)
[  PASSED  ] 0 tests.
[  FAILED  ] 1 test, listed below:
[  FAILED  ] InsertionSortTest.Two

 1 FAILED TEST

插入排序单元测试.cpp

#include <limits.h>
#include "insertionsort.h"
#include "gtest/gtest.h"

namespace{
    class InsertionSortTest : public ::testing::Test{
        protected:
            InsertionSortTest() {}
            virtual ~InsertionSortTest() {}
            virtual void SetUp() {}
            virtual void TearDown() {}
    };

    TEST(InsertionSortTest, Two){
        int two[] = {5, 2};
        int two_sorted[] = {2, 5};
        insertionSort(two, 2);
        EXPECT_EQ(two, two_sorted);
    }
}

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

插入排序.cpp

#include "insertionsort.h"
void insertionSort(int *data, int size){
    for (int i=1,j; i<size; i++){
        int key = data[i];
        for (j=i-1; j>=0; j--){
            if (data[j] > key){
                data[j+1]=data[j];
                data[j]=key;
            }
        }
    }
}

插入排序.h

#ifndef INSERTIONSORT_H_
#define INSERTIONSORT_H_
void insertionSort(int *data, int size);
#endif
4

3 回答 3

16

如果你不想要,你不需要添加对 googlemock 的依赖,你可以编写自己的简单函数来返回 a testing::AssertionResult,例如

    template<typename T, size_t size>
    ::testing::AssertionResult ArraysMatch(const T (&expected)[size],
                                           const T (&actual)[size]){
        for (size_t i(0); i < size; ++i){
            if (expected[i] != actual[i]){
                return ::testing::AssertionFailure() << "array[" << i
                    << "] (" << actual[i] << ") != expected[" << i
                    << "] (" << expected[i] << ")";
            }
        }

        return ::testing::AssertionSuccess();
    }

然后在您的测试中,调用:

    EXPECT_TRUE(ArraysMatch(two_sorted, two));
于 2012-04-08T10:11:11.293 回答
8

ASSERT_EQ使用 比较其参数operator==。比较operator==适用于std::vector's 但不适用于 C++ 中的 C 数组。原因是,当您尝试在表达式中使用 C 数组的值时,在大多数情况下,该值会衰减为指向存储数组的内存开头的指针。你最终会比较两个指针。在两个不同的 C 数组的情况下,这些指针永远不会具有相同的值。

您最简单的方法是使用 Google Mock 的ASSERT_THAT宏和ContainerEq匹配器。而不是ASSERT_EQ,写

ASSERT_THAT(two, ContainerEq(two_sorted));
于 2012-04-08T20:41:22.510 回答
5

我觉得这样写就够了。

EXPECT_EQ(memcmp(two, two_sorted, 2 * sizeof(int)), 0);

于 2017-09-14T10:24:14.677 回答