6

例如

struct A
{
    static vector<int> s;
};

vector<int> A::s = {1, 2, 3};

但是,我的编译器不支持初始化列表。有什么方法可以轻松实现吗?lambda 函数在这里有帮助吗?

4

5 回答 5

4

我总是害怕因为这样的问题在这里初始化订购而被击落,但是..

#include <iostream>
#include <vector>
#include <iterator>

struct A
{
    static std::vector<int> s;
};

static const int s_data[] = { 1,2,3 };
std::vector<int> A::s(std::begin(s_data), std::end(s_data));

int main()
{
    std::copy(A::s.begin(), A::s.end(), 
              std::ostream_iterator<int>(std::cout, " "));
    return 0;
}

输出

1 2 3

仅仅因为你可以并不意味着你应该=P

以效率最低的方式获奖:

#include <iostream>
#include <vector>
#include <cstdlib>
using namespace std;

template<typename T>
std::vector<T> v_init(const T& t)
{
    return std::vector<T>(1,t);
}

template<typename T, typename... Args>
std::vector<T> v_init(T&& t, Args&&... args)
{
    const T values[] = { t, args... };
    std::vector<T> v1(std::begin(values), std::end(values));
    return v1;
}

struct A
{
    static std::vector<int> s;
};

std::vector<int> A::s(v_init(1,2,3,4,5));


int main(int argc, const char *argv[])
{
    std::copy(A::s.begin(), A::s.end(), std::ostream_iterator<int>(std::cout, " "));
    return 0;
}

输出

1 2 3 4 5 

如果 T 和 Args... 中的任何内容不符合类型或可类型转换,这应该在编译时产生。当然,如果你有可变参数模板,你也有可能有初始化列表,但如果没有别的,它会成为有趣的大脑食物。

于 2013-09-17T15:13:45.957 回答
4

有什么方法可以轻松实现吗?

没有什么特别优雅的。您可以从静态数组中复制数据,也可以使用函数调用的结果对其进行初始化。前者可能会使用比您想要的更多的内存,而后者需要一些稍微凌乱的代码。

Boost 有一个可以让它稍微不那么难看:

#include <boost/assign/list_of.hpp>
vector<int> A::s = boost::assign::list_of(1)(2)(3);

lambda 函数在这里有帮助吗?

是的,它可以让你不必为了初始化向量而命名一个函数:

vector<int> A::s = [] {
    vector<int> v;
    v.push_back(1);
    v.push_back(2); 
    v.push_back(3);
    return v;
}();

(严格来说,这应该有一个明确的返回类型,,[]()->vector<int>因为 lambda 主体包含的不仅仅是一个return语句。一些编译器会接受我的版本,我相信它会在 2014 年成为标准。)

于 2013-09-17T15:32:09.117 回答
3

为向量编写一个简单的初始化函数:

vector<int> init()
{
  vector<int> v;
  v.reserve(3);
  v.push_back(1);
  v.push_back(2);
  v.push_back(3);
  return v;
};

vector<int> A::s = init();
于 2013-09-17T15:20:45.517 回答
1

std::vector您可以从两个指针初始化

int xv[] = {1,2,3,4,5,6,7,8,9};
std::vector<int> x(xv, xv+(sizeof(xv)/sizeof(xv[0])));

您甚至可以在模板函数中考虑到这一点:

template<typename T, int n>
std::vector<T> from_array(T (&v)[n]) {
    return std::vector<T>(v, v+n);
}
于 2013-09-17T15:15:11.657 回答
0

另一个想法:

struct A
{
  static std::vector<int> s;
};

std::vector<int> A::s;

static bool dummy((A::s.push_back(1), A::s.push_back(2), A::s.push_back(3), false));
于 2013-09-17T16:11:26.997 回答