I'm new to google test and any of the methods I've found haven't worked.
Let's assume I have an array, and then a function that returns me a pointer to a new array and I wanna compare if both of those arrays contain the same elements.
Example:
int foo[] {1,2,3};
int* expected result = foo;
int* result = bar(foo);
//comparison
EXPECT_THAT(foo, testing::UnorderedElementsAreArray(result, 3));
//other way
EXPECT_THAT(foo, testing::ContainerEq(result));
Neither of those two way (and similar tries worked).
I want to check if both arrays contain the same elements, regardless of order.
I've tried the methods in Comparison of arrays in google test? but none of them worked.
Further is "ElementsAreArray" the right comparator?
Thanks for any help.
The gtest matchers that you are attempting to use,
testing::UnorderedElementsAreArray
andtesting::ContainerEq
, are applicable only to objects that are STL-style containers. See the documentation.Your
foo
is a C-style array ofint
. Yourexpected_result
andresult
are pointers toint
. None of these is an STL-style container, and the pointers are not containers in any sense.The question you want to test is whether the
N
integers beginning atexpected_result
are any permutation of theN
integers beginning atresult
, whereN
is the number of elements in the arrayfoo
.The only way to test that question with a single
EXPECT...
call is to expect a true result when you call some function that determines exactly that question with argumentsresult
andexpected_result
and returns a boolean verdict (or something convertible to a boolean verdict).The C++ Standard library (C++11 or later) provides a generic function for just such a purpose:
std::is_permutation
, which you would apply as illustrated:Output:
Note that the use of C-style arrays obliges you manage heap memory by hand:
which in C++ is a gratuitous invitation to heap-leak or heap-corruption bugs. For fixed size arrays, use
std::array
. For dynamically sized arrays, usestd::vector
. This is better:And, since
std::array
andstd::vector
are STL-style containers, your orginal attempt would have worked had you used either one: