将STL容器内容与初始化列表进行比较

时间:2015-11-18 13:13:37

标签: c++ c++11 stl

我想做点什么

std::vector<int> foobar()
{
    // Do some calculations and return a vector
}

std::vector<int> a = foobar();
ASSERT(a == {1, 2, 3});

这可能吗?

4 个答案:

答案 0 :(得分:5)

很遗憾,您无法重载operator==接受std::initializer_list作为第二个参数(这是一种语言规则)。

但是你可以定义任何其他函数来对initializer_list

进行const引用
#include <iostream>
#include <algorithm>
#include <vector>

template<class Container1, typename Element = typename Container1::value_type>
bool equivalent(const Container1& c1, const std::initializer_list<Element>& c2)
{
    auto ipair = std::mismatch(begin(c1),
                               end(c1),
                               begin(c2),
                               end(c2));
    return ipair.first == end(c1);
}


int main() {
    std::vector<int> x { 0, 1, 2 };
    std::cout << "same? : " << equivalent(x, { 0 , 1 , 2 }) << std::endl;
}

预期结果:

same? : 1

答案 1 :(得分:3)

是:

ASSERT(a == std::vector<int>{1,2,3});

答案 2 :(得分:1)

您已明确指定右侧操作数的类型。例如

std::vector<int> v = { 1, 2, 3 };
assert( v == std::vector<int>( { 1, 2, 3 } ) );

因为operator ==是模板函数,编译器无法将第二个操作数推导出类型std::vector<int>

答案 3 :(得分:1)

最自然和/或最漂亮的&#39;我知道的工作实现,假设你想要做的事情是不可能的(因为这个网站上的人多次说过),typedef你的vector类型如下:

typedef std::vector<int> vec;

ASSERT(a == vec({1, 2, 3}));

...其中vec被命名为您想要的任何内容。

如果有人知道更自然的事情,请告诉我们。