Movatterモバイル変換


[0]ホーム

URL:


Object Pool

Game Programming PatternsOptimization Patterns

Intent

Improve performance and memory use by reusing objects from a fixed pool insteadof allocating and freeing them individually.

Motivation

We’re working on the visual effects for our game. When the hero casts a spell,we want a shimmer of sparkles to burst across the screen. This calls for aparticle system, an engine that spawns little sparkly graphics and animatesthem until they wink out of existence.

Since a single wave of the wand could cause hundreds of particles to be spawned,our system needs to be able to create them very quickly. More importantly, weneed to make sure that creating and destroying these particles doesn’t causememory fragmentation.

The curse of fragmentation

Programming for a game console or mobile device is closer to embeddedprogramming than conventional PC programming in many ways. Memory is scarce,users expect games to be rock solid, and efficient compacting memory managersare rarely available. In this environment, memory fragmentation is deadly.

Fragmentation means the free space in our heap isbroken into smaller pieces of memory instead of one largeopen block. Thetotal memory available may be large, but the largestcontiguous region might be painfully small. Say we’ve got fourteen bytes free,but it’s fragmented into two seven-byte pieces with a chunk of in-use memorybetween them. If we try to allocate a twelve-byte object, we’ll fail. No moresparklies on screen.

It’s like trying to parallel park on a busy street where the already parked carsare spread out a bit too far. If they’d bunch up, there would be room, but thefree space isfragmented into bits of open curb between half a dozen cars.

A series of memory operations leading to fragmentation.

Here’s how a heap becomes fragmented and how it can cause an allocation to faileven where there’s theoretically enough memory available.

Even if fragmentation is infrequent, it can stillgradually reduce the heap to an unusable foam of open holesand filled-in crevices, ultimately hosing the game completely.

Most console makers require games to pass “soak tests” where they leave the gamerunning in demo mode for several days. If the game crashes, they don’t allow itto ship. While soak tests sometimes fail because of a rarely occurring bug, it’susually creeping fragmentation or memory leakage that brings the game down.

The best of both worlds

Because of fragmentation and because allocation may be slow, games are verycareful about when and how they manage memory. A simple solution is often best —grab a big chunk of memory when the game starts, and don’t free it until the gameends. But this is a pain for systems where we need to create and destroy thingswhile the game is running.

An object pool gives us the best of both worlds. To the memory manager, we’rejust allocating one big hunk of memory up front and not freeing it while thegame is playing. To the users of the pool, we can freely allocate and deallocateobjects to our heart’s content.

The Pattern

Define apool class that maintains a collection ofreusable objects.Each object supports an“in use” query to tell if it is currently “alive”.When the pool is initialized, it creates the entire collection of objects upfront (usually in a single contiguous allocation) and initializes them all tothe “not in use” state.

When you want a new object, ask the pool for one. It finds an available object,initializes it to “in use”, and returns it. When the object is no longer needed,it is set back to the “not in use” state. This way, objects can be freelycreated and destroyed without needing to allocate memory or other resources.

When to Use It

This pattern is used widely in games for obvious things like game entities andvisual effects, but it is also used for less visible data structures such as currentlyplaying sounds. Use Object Pool when:

Keep in Mind

You normally rely on a garbage collector ornew anddelete to handlememory management for you. By using an object pool, you’re saying, “I knowbetter how these bytes should be handled.” That means the onus is on you to dealwith this pattern’s limitations.

The pool may waste memory on unneeded objects

The size of an object pool needs to be tuned for the game’s needs. When tuning,it’s usually obvious when the pool is toosmall (there’s nothing like a crashto get your attention). But also take care that the pool isn’t toobig. Asmaller pool frees up memory that could be used for other fun stuff.

Only a fixed number of objects can be active at any one time

In some ways, this is a good thing. Partitioning memory into separate pools fordifferent types of objects ensures that, for example, a huge sequence ofexplosions won’t cause your particle system to eatall of the availablememory, preventing something more critical like a new enemy from being created.

Nonetheless, this also means being prepared for the possibility that yourattempt to reuse an object from the pool will fail because they are all in use.There are a few common strategies to handle this:

Memory size for each object is fixed

Most pool implementations store the objects in an array of in-place objects. Ifall of your objects are of the same type, this is fine. However, if you want tostore objects of different types in the pool, or instances of subclasses thatmay add fields, you need to ensure that each slot in the pool has enough memoryfor thelargest possible object. Otherwise, an unexpectedly large object willstomp over the next one and trash memory.

At the same time, when your objects vary in size, you waste memory. Each slotneeds to be big enough to accommodate the largest object. If objects are rarelythat big, you’re throwing away memory every time you put a smaller one in thatslot. It’s like going through airport security and using a huge carry-on-sizedluggage tray just for your keys and wallet.

When you find yourself burning a lot of memory this way, consider splitting thepool intoseparate pools for different sizes ofobject — big trays for luggage, little trays for pocket stuff.

This is a common pattern for implementing speed-efficient memory managers. Themanager has a number of pools of different block sizes. When you ask it toallocate a block, it finds in an open slot in the pool of the appropriate sizeand allocates from that pool.

Reused objects aren’t automatically cleared

Most memory managers have a debug feature that will clear freshly allocated orfreed memory to some obvious magic value like0xdeadbeef. This helps you findpainful bugs caused by uninitialized variables or using memory after it’s freed.

Since our object pool isn’t going through the memory manager any more when itreuses an object, we lose that safety net. Worse, the memory used for a “new”object previously held an object of the exact same type. This makes it nearlyimpossible to tell if you forgot to initialize something when you created thenew object: the memory where the object is stored may already containalmostcorrect data from its past life.

Because of this, pay special care that the code that initializes new objects inthe poolfully initializes the object. It may even be worth spending a bit oftime adding a debug feature thatclears the memory foran object slot when the object is reclaimed.

I’d be honored if you clear it to0x1deadb0b.

Unused objects will remain in memory

Object pools are less common in systems that support garbage collection becausethe memory manager will usually deal with fragmentation for you. But pools arestill useful there to avoid the cost of allocation and deallocation, especiallyon mobile devices with slower CPUs and simpler garbage collectors.

If you do use an object pool in concert with a garbage collector, beware of a potential conflict. Since thepool doesn’t actually deallocate objects when they’re no longer in use, theyremain in memory. If they contain references toother objects, it will preventthe collector from reclaiming those too. To avoid this, when a pooled object isno longer in use, clear any references it has to other objects.

Sample Code

Real-world particle systems will often apply gravity, wind, friction, and otherphysical effects. Our much simpler sample will only move particles in a straightline for a certain number of frames and then kill the particle. Not exactly filmcaliber, but it should illustrate how to use an object pool.

We’ll start with the simplest possible implementation. First up is the littleparticle class:

classParticle{public:Particle():framesLeft_(0){}voidinit(doublex,doubley,doublexVel,doubleyVel,intlifetime){x_=x;y_=y;xVel_=xVel;yVel_=yVel;framesLeft_=lifetime;}voidanimate(){if(!inUse())return;framesLeft_--;x_+=xVel_;y_+=yVel_;}boolinUse()const{returnframesLeft_>0;}private:intframesLeft_;doublex_,y_;doublexVel_,yVel_;};

The default constructor initializes the particle to “not in use”. A later calltoinit() initializes the particle to a live state. Particles are animatedover time using the unsurprisingly namedanimate() function, which should becalled once per frame.

The pool needs to know which particles are available for reuse. It gets thisfrom the particle’sinUse() function. This function takes advantage of the fact thatparticles have a limited lifetime and uses theframesLeft_ variable todiscover which particles are in use without having to store a separate flag.

The pool class is also simple:

classParticlePool{public:voidcreate(doublex,doubley,doublexVel,doubleyVel,intlifetime);voidanimate(){for(inti=0;i<POOL_SIZE;i++){particles_[i].animate();}}private:staticconstintPOOL_SIZE=100;Particleparticles_[POOL_SIZE];};

Thecreate() function lets external code create new particles. The game callsanimate() once per frame, which in turn animateseach particle in the pool.

Thisanimate() method is an example of theUpdate Method pattern.

The particles themselves are simply stored in a fixed-size array in the class.In this sample implementation, the pool size is hardcoded in the classdeclaration, but this could be defined externally by using a dynamic array of agiven size or by using a value template parameter.

Creating a new particle is straightforward:

voidParticlePool::create(doublex,doubley,doublexVel,doubleyVel,intlifetime){// Find an available particle.for(inti=0;i<POOL_SIZE;i++){if(!particles_[i].inUse()){particles_[i].init(x,y,xVel,yVel,lifetime);return;}}}

We iterate through the pool looking for the first available particle. When wefind it, we initialize it and we’re done. Note that in this implementation, ifthere aren’t any available particles, we simply don’t create a new one.

That’s all there is to a simple particle system, aside from rendering theparticles, of course. We can now create a pool and create some particles usingit. The particles will automatically deactivate themselves when their lifetimehas expired.

This is good enough to ship a game, but keen eyes may have noticed that creatinga new particle requiresiterating through(potentially) the entire collection until we find an open slot. If the pool isvery large and mostly full, that can get slow. Let’s see how we can improvethat.

Creating a particle hasO(n) complexity, for those of us who remember ouralgorithms class.

A free list

If we don’t want to waste timefinding free particles, the obvious answer isto not lose track of them. We could store a separate list of pointers to eachunused particle. Then, when we need to create a particle, we remove thefirst pointer from the list and reuse the particle it points to.

Unfortunately, this would require us to maintain an entire separate array withas many pointers as there are objects in the pool. After all, when we firstcreate the pool,all particles are unused, so the list would initially have apointer to every object in the pool.

It would be nice to fix our performance problemswithout sacrificing anymemory. Conveniently, there is some memory already lying around that we can borrow —the data for the unused particles themselves.

When a particle isn’t in use, most of its state is irrelevant. Its position andvelocity aren’t being used. The only state it needs is the stuff required totell if it’s dead. In our example, that’s theframesLeft_ member. All thoseother bits can be reused. Here’s a revised particle:

classParticle{public:// ...Particle*getNext()const{returnstate_.next;}voidsetNext(Particle*next){state_.next=next;}private:intframesLeft_;union{// State when it's in use.struct{doublex,y;doublexVel,yVel;}live;// State when it's available.Particle*next;}state_;};

We’ve moved all of the member variables except forframesLeft_into alive struct inside astate_union. Thisstruct holds the particle’s state when it’s being animated. When the particle isunused, the other case of the union, thenext member, is used. It holds apointer to the next available particle after this one.

Unions don’t seem to be used that often these days, so the syntax may beunfamiliar to you. If you’re on a game team, you’ve probably got a “memoryguru”, that beleaguered compatriot whose job it is to come up with a solutionwhen the game has inevitably blown its memory budget. Ask them about unions.They’ll know all about them and other fun bit-packing tricks.

We can use these pointers to build a linked list that chains together everyunused particle in the pool. We have the list of available particles we need,but we didn’t need to use any additional memory. Instead, we cannibalize the memoryof the dead particles themselves to store the list.

This clever technique is called afreelist. For it to work, we need to makesure the pointers are initialized correctly and are maintained when particlesare created and destroyed. And, of course, we need to keep track of the list’shead:

classParticlePool{// ...private:Particle*firstAvailable_;};

When a pool is first created,all of the particles are available, so our freelist should thread through the entire pool. The pool constructor sets that up:

ParticlePool::ParticlePool(){// The first one is available.firstAvailable_=&particles_[0];// Each particle points to the next.for(inti=0;i<POOL_SIZE-1;i++){particles_[i].setNext(&particles_[i+1]);}// The last one terminates the list.particles_[POOL_SIZE-1].setNext(NULL);}

Now to create a new particle, we jump directly to thefirst available one:

O(1) complexity, baby! Now we’re cooking!

voidParticlePool::create(doublex,doubley,doublexVel,doubleyVel,intlifetime){// Make sure the pool isn't full.assert(firstAvailable_!=NULL);// Remove it from the available list.Particle*newParticle=firstAvailable_;firstAvailable_=newParticle->getNext();newParticle->init(x,y,xVel,yVel,lifetime);}

We need to know when a particle dies so we can add it back to the free list, sowe’ll changeanimate() to returntrue if the previously live particle gaveup the ghost in that frame:

boolParticle::animate(){if(!inUse())returnfalse;framesLeft_--;x_+=xVel_;y_+=yVel_;returnframesLeft_==0;}

When that happens, we simply thread it back onto the list:

voidParticlePool::animate(){for(inti=0;i<POOL_SIZE;i++){if(particles_[i].animate()){// Add this particle to the front of the list.particles_[i].setNext(firstAvailable_);firstAvailable_=&particles_[i];}}}

There you go, a nice little object pool with constant-time creation anddeletion.

Design Decisions

As you’ve seen, the simplest object pool implementation is almost trivial:create an array of objects and reinitialize them as needed. Production code israrely that minimal. There are several ways to expand on that to make the poolmore generic, safer to use, or easier to maintain. As you implement pools inyour games, you’ll need to answer these questions:

Are objects coupled to the pool?

The first question you’ll run into when writing an object pool is whether theobjects themselves know they are in a pool. Most of the time they will, but youwon’t have that luxury when writing a generic pool class that can hold arbitraryobjects.

What is responsible for initializing the reused objects?

In order to reuse an existing object, it must be reinitialized with new state. Akey question here is whether to reinitialize the object inside the pool class oroutside.

See Also


[8]ページ先頭

©2009-2025 Movatter.jp