我有一个应用程序,用于显示和修改激光雷达文件中的大量点云数据(每个文件高达几千兆字节,有时同时加载)。在应用程序中,用户能够查看加载点的2D图像(从顶部),并选择要在另一个窗口(从侧面)查看的配置文件。这又涉及数百万个点,并使用OpenGL显示它们。
要处理数据,还有一个四叉树库,它可以工作,但速度极慢。它已经使用了一段时间,但最近改变了激光雷达点格式并且LidarPoint对象需要添加许多属性(类成员),这导致它的大小增加反过来影响性能几乎无法使用的级别(想想5分钟)加载一个2GB的文件)。
四叉树目前由指向PointBucket对象的指针组成,这些对象只是具有指定容量和定义边界(用于空间查询)的LidarPoint对象的数组。如果超过铲斗容量,它会分成四个铲斗。还存在一种缓存系统,当点数据占用太多内存时,会导致点桶被转储到磁盘。如果需要,然后将它们加载回内存。最后,每个PointBucket都包含子包/分辨率级别,它们保存原始数据的每个第n个点,并在根据缩放级别显示数据时使用。这是因为一次显示几百万个点,而这个细节水平是不必要的,只是非常慢。
我希望你能从中得到一张照片。如果没有,请询问,我可以提供更多详细信息或上传更多代码。例如,这里是当前(和慢)插入方法:
// Insert in QuadTree
bool QuadtreeNode::insert(LidarPoint newPoint)
{
// if the point dosen't belong in this subset of the tree return false
if (newPoint.getX() < minX_ || newPoint.getX() > maxX_ ||
newPoint.getY() < minY_ || newPoint.getY() > maxY_)
{
return false;
}
else
{
// if the node has overflowed and is a leaf
if ((numberOfPoints_ + 1) > capacity_ && leaf_ == true)
{
splitNode();
// insert the new point that caused the overflow
if (a_->insert(newPoint))
{
return true;
}
if (b_->insert(newPoint))
{
return true;
}
if (c_->insert(newPoint))
{
return true;
}
if (d_->insert(newPoint))
{
return true;
}
throw OutOfBoundsException("failed to insert new point into any \
of the four child nodes, big problem");
}
// if the node falls within the boundary but this node not a leaf
if (leaf_ == false)
{
return false;
}
// if the node falls within the boundary and will not cause an overflow
else
{
// insert new point
if (bucket_ == NULL)
{
bucket_ = new PointBucket(capacity_, minX_, minY_, maxX_, maxY_,
MCP_, instanceDirectory_, resolutionBase_,
numberOfResolutionLevels_);
}
bucket_->setPoint(newPoint);
numberOfPoints_++;
return true;
}
}
}
// Insert in PointBucket (quadtree holds pointers to PointBuckets which hold the points)
void PointBucket::setPoint(LidarPoint& newPoint)
{
//for each sub bucket
for (int k = 0; k < numberOfResolutionLevels_; ++k)
{
// check if the point falls into this subbucket (always falls into the big one)
if (((numberOfPoints_[0] + 1) % int(pow(resolutionBase_, k)) == 0))
{
if (!incache_[k])
cache(true, k);
// Update max/min intensity/Z values for the bucket.
if (newPoint.getIntensity() > maxIntensity_)
maxIntensity_ = newPoint.getIntensity();
else if (newPoint.getIntensity() < minIntensity_)
minIntensity_ = newPoint.getIntensity();
if (newPoint.getZ() > maxZ_)
maxZ_ = newPoint.getZ();
else if (newPoint.getZ() < minZ_)
minZ_ = newPoint.getZ();
points_[k][numberOfPoints_[k]] = newPoint;
numberOfPoints_[k]++;
}
}
}
现在我的问题是,如果你能想出改进这种设计的方法吗?处理大量不适合内存的数据时,有哪些一般策略?如何使四叉树更有效?有没有办法加快点的渲染?
答案 0 :(得分:3)
现在我的问题是你能想出一种改进这种设计的方法吗?
是:不要将对象本身存储在四叉树中。将它们放入一个扁平结构(数组,链表等)中,让Quadtree只保留指向实际对象的指针。如果四叉树具有一定深度(在所有节点上),您也可以将其展平。