指向动态分配的boost multi中的类
我对Boost的C ++很新颖。
我想让一个“world”类的对象拥有一个名为“chunk”的“octreenode”类型的数组。 以前我有一个普通的一维数组,这工作得很好。 现在我试图转向使用具有Boost的multi_array功能的3D数组,我真的不确定我在做什么错误。
简化代码:
class world {
public:
typedef boost::multi_array<octreenode, 3> planetchunkarray; // a boost_multi for chunks
typedef planetchunkarray::index index;
planetchunkarray *chunk;
world(double x,double y,double z,
int widtheast, int widthnorth, int height) :
originx(x), originy(y), originz(z),
chunkseast(widtheast), chunksnorth(widthnorth), chunksup(height) {
chunk = new planetchunkarray(boost::extents[chunksnorth][chunkseast][chunksup]);
planetchunkarray::extent_gen extents;
for (int cz = 0; cz < chunksnorth; ++cz) {
for (int cx = 0; cx < chunkseast; ++cx) {
for (int cy = 0; cy < chunksup; ++cy) {
(*chunk)[cz][cx][cy] = new octreenode(1,72);
}
}
}
}
};
之后,如果我尝试作出这项任务
root-> planet [0] - > chunk [0] [0] [0] - > material = 4;
我收到错误:
error: base operand of '->' has non-pointer type 'boost::detail::multi_array::sub_array<octreenode, 1u>'|
“octreenode”具有相关的构造函数,并且该行仅在以下情况下使用相同的语法:
root-> planet [0] - > chunk [0] - > material = 4;
(使用一维数组)。 同样,虽然它使用一维数组进行编译,但试图将块传递给期望指向“octreenode”对象的函数,例如:
compactoctree(root-> planet [p] - > chunk [cz] [cx] [cy],0,14);
生成错误
error: cannot convert 'boost::detail::multi_array::sub_array<octreenode, 1u>' to 'octreenode*' for argument '1' to 'short int compactoctree(octreenode*, int, int)'|
非常感谢任何建议,我敢肯定我错过了一些明显的东西。
你的数组是值类型( octreenode
),而不是指针类型( octreenode*
)
因此,你不应该试图分配一个指向动态分配的八进制代码的指针(默认情况下, new
的用于堆分配)。
相反,只需分配一个值:
(*chunk)[cz][cx][cy] = octreenode(1,72);
事实上,没有理由首先在多数组上使用new
:
UPDATE
在评论中有人提出,可以优化更多的东西,并且认为对编译错误的回答有用。
所以在这里:如果你确实想用完全相同的值初始化所有的数组元素,
您可以通过暂时忘记阵列形状来提高循环效率:
std::fill_n(chunk.data(), chunk.num_elements(), octreenode {1, 72});
如果你知道octreenode
是POD类型,你可以写
std::uninitialzed_fill_n(chunk.data(), chunk.num_elements(), octreenode {1, 72});
但是智能库实现最终会调用fill_n
(因为没有收益)。 如果octreenode
不是 POD类型,则可以使用uninitialized_fill_n
,但它可以轻易破坏。
事实上,没有理由在第一个地方使用多个阵列。 您可以使用构造函数初始化列表来构造multi_array成员
住在Coliru
#include <boost/multi_array.hpp>
#include <type_traits>
struct octreenode { int a; int b; };
class world {
public:
world(double x, double y, double z, int widtheast, int widthnorth, int height)
:
originx(x), originy(y), originz(z),
chunkseast(widtheast), chunksnorth(widthnorth), chunksup(height),
chunk(boost::extents[chunksnorth][chunkseast][chunksup])
{
octreenode v = { 1, 72 };
std::fill_n(chunk.data(), chunk.num_elements(), v);
}
private:
double originx, originy, originz;
int chunkseast, chunksnorth, chunksup;
typedef boost::multi_array<octreenode, 3> planetchunkarray; // a boost_multi for chunks
typedef planetchunkarray::index index;
planetchunkarray chunk;
};
int main() {
world w(1,2,3,4,5,6);
}
链接地址: http://www.djcxy.com/p/63981.html
上一篇: pointers to a class in dynamically allocated boost multi