这是我第一次使用 stackoverflow 来解决问题,我之前已经阅读了一些在某些情况下对我有帮助的答案,所以我想我会注册看到,因为我找不到我正在寻找的具体答案。最近我做了一个非常简单的粒子系统,它会喷出 100 到 1000 个粒子,只是为了看看我能不能做到,在我开始之前我做了一个简单的链接列表,它使用模板,这样我就可以在其他程序中使用它,如果我就这么选。
最近,在看到我的一位同事在玩粒子系统后,他发现我决定重新审视我的项目以改进它。我在网上搜索了一个小例子,它显然放弃了使用链接列表的想法,而是使用数组和三个指针来管理粒子。我理解大部分概念,但出于某种原因,有一件事让我无法理解。
/// the first particle in the linked list
Particle* start=0;
/// the next free particle
Particle* last=0;
/// the end of the memory allocation
Particle* end=0;
void SetSize(unsigned int size) {
// delete any previous data
delete [] start;
// allocate new particles
last = start = new Particle[size];
// set end
end = start+size;
}
void AddOne() {
// if we have no more memory left for any particles, ignore
// the request to creat one.
if (!IsFull()) {
*last = Particle();
++last;
}
}
void EraseOne(Particle* p) {
if (!IsEmpty()) {
*p = *(--last);
}
}
根据我从上面的代码中了解到的情况,这三个指针充当了指向数组中元素的简单指针。开始指针保持为零,结束指针保持在数组的末尾,而 last 从与开始指针相同的位置开始,并像索引计数器一样移动,直到它到达末尾。
我不确定的是擦除位,我从上面的代码中假设“p”不是最后一个指针指向的粒子,而是最后一个。不幸的是,我不知道为什么要这样做,因为前一个肯定是一个完全活着的粒子,但这不会产生同一个粒子的两个实例吗?