更新了可变参数版本
1. 简单、明确的代码
class MyClass {
public:
vector<vector<vector<MapCell>>> m;
MyClass(int size_x, int size_y, int size_z)
: m(size_x,
vector<vector<MapCell> >(
size_y,
vector<MapCell>(size_z)
)
) {
}
};
2.有帮手
class MyClass {
vector<vector<vector<MapCell>>> m;
public:
MyClass(int size_x, int size_y, int size_z)
: m(Dim(size_z, Dim(size_y, Dim(size_x, MapCell())))) {
}
private:
template <typename T>
static std::vector<T> Dim(size_t n, T&& v) {
return std::vector<T>(n, std::move(v));
}
};
3. 使用可变参数助手
因为可变参数是函数式的!这是一个使用可变参数来制作东西的版本......更漂亮(取决于口味):
struct MyClass
{
vector<vector<vector<MapCell>>> m;
MyClass(int size_x, int size_y, int size_z)
: m(vec_matrix(MapCell(), size_z, size_y, size_x))
{ }
private:
template <typename T> static std::vector<T> vec_matrix(T v, size_t n) {
return { n, std::move(v) };
}
template <typename T, typename... Dim> static auto vec_matrix(T v, size_t n, Dim... other)
-> std::vector<decltype(vec_matrix(v, other...))> {
return { n, vec_matrix(v, other...) };
}
};
附言。我稍微编辑了代码以更符合标准。模板和trailing-return-type存在一个微妙的问题,它指的是同名的重载。有关此处问题的详细说明,请参阅聊天中的此讨论书签
如果您的编译器不相信它应该工作,请在 gcc 4.7.2 上查看它。它仅使用 boost 来格式化输出:
. . . .
. . . .
. . . .
. . . .
. . . .
-------
. . . .
. . . .
. . . .
. . . .
. . . .
避免链接腐烂的完整代码:
#include <iostream>
#include <vector>
#include <boost/spirit/include/karma.hpp> // for debug output only
using namespace std;
struct MapCell
{
friend std::ostream& operator <<(std::ostream& os, MapCell const&)
{ return os << "."; }
};
struct MyClass
{
vector<vector<vector<MapCell>>> m;
MyClass(int size_x, int size_y, int size_z)
: m(vec_matrix(MapCell(), size_z, size_y, size_x))
{ }
private:
///////////////////////////////////////////////////
// variadics are funadic!
template <typename T> static std::vector<T> vec_matrix(T v, size_t n)
{
return { n, std::move(v) };
}
template <typename T, typename... Dim> static auto vec_matrix(T v, size_t n, Dim... other)
-> std::vector<decltype(vec_matrix(v, other...))>
{
return { n, vec_matrix(v, other...) };
}
////////////
};
int main()
{
MyClass a(4,5,2);
using namespace boost::spirit::karma;
std::cout
<< format(stream % ' ' % eol % "\n-------\n", a.m)
<< std::endl;
}