我正在使用SFML设计粒子系统。问题是游戏速度变慢,而且我继续得到vector subscript out of range
。
这是我的代码:
#pragma once
#include<SFML\Graphics.hpp>
#include"stdafx.h"
struct particle
{
sf::Vector2<float> pos;
sf::Vector2<float> vel;
sf::Color color;
};
class pengine
{
private:
std::list<particle*> hitspark;
std::list<particle*>::iterator it;
int size;
sf::Image img;
sf::Texture text;
sf::Sprite sp;
public:
pengine();
void fuel(sf::Vector2f);
void update();
void render(sf::RenderWindow &name);
void cleanup();
};
pengine::pengine()
{
img.create(with,heit,sf::Color::Transparent);
hitspark.clear();
text.create(with,heit);
sp.setTexture(text);
}
void pengine::fuel(sf::Vector2f v1)
{
for(int i=0;i<10;i++)
{
particle* p;
p->color=sf::Color(rand()%255,rand()%255,rand()%255);
p->pos=v1;
float r1 = (float)rand()/((float)RAND_MAX/6.238);
float r2 = (float)rand()/((float)RAND_MAX/6.238);
p->vel.x=cos(r1);
p->vel.y=cos(r2);
if(p->vel.x!=0.0f&&p->vel.y!=0.0f)
{
hitspark.push_back(p);
delete p;
continue;
}
else {
delete p;
continue;}
}
}
void pengine::update()
{
for(it=hitspark.begin();it!=hitspark.end();it++)
{
(*it)->pos.x+=(*it)->vel.x;
(*it)->pos.y+=(*it)->vel.y;
(*it)->vel.x-=0.005;
(*it)->vel.y-=0.005;
}
cleanup();
}
void pengine::cleanup()
{
for(std::list<particle*>::iterator t=hitspark.begin();t!=hitspark.end();t++)
{
if((*t)->vel.x==0.0f && (*t)->vel.y==0.0f)
{
std::list<particle*>::iterator it=hitspark.end() ;
it--;
std::swap(*t,*it);
delete (*it);
hitspark.pop_back();
}
if((*t)->pos.x<=0||(*t)->pos.x>=with||(*t)->pos.y<=0||(*t)->pos.y>=heit)
{
std::list<particle*>::iterator it=hitspark.end() ;
it--;
std::swap(*t,*it);
delete (*it);
hitspark.pop_back();
}
}
}
void pengine::render(sf::RenderWindow &name)
{
for(std::list<particle*>::iterator s=hitspark.begin();s!=hitspark.end();s++)
{
img.setPixel((int)((*s)->pos.x),(int)((*s)->pos.y),(*s)->color);
}
const sf::Uint8*piarray=img.getPixelsPtr();
text.update(piarray);
name.draw(sp);
}
最佳答案
particle* p;
应该
particle* p = new particle();
另一个提示是
typedef std::list<particle*> Particles;
因此您可以使用Particles :: iterator。有点干净。
最后,我想说的是您做错了所有事情。如果您很懒,粒子系统应该具有恒定的大小,可能带有数组或std :: vector。不是其中包含指针的链表。
所以要么
std::vector<particle>
要么
template<int MAX_PARTICLES>
class ParticleSystem
{ Particle particles[MAX_PARTICLES]; };
希望您能理解,这样会更快,而且不会丢失缓存。我更喜欢后者,但可能只是我。