ParticleEmitterComponent.cpp 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592
  1. // Copyright (C) 2009-present, Panagiotis Christopoulos Charitos and contributors.
  2. // All rights reserved.
  3. // Code licensed under the BSD License.
  4. // http://www.anki3d.org/LICENSE
  5. #include <AnKi/Scene/Components/ParticleEmitterComponent.h>
  6. #include <AnKi/Scene/SceneGraph.h>
  7. #include <AnKi/Scene/SceneNode.h>
  8. #include <AnKi/Scene/Components/MoveComponent.h>
  9. #include <AnKi/Resource/ParticleEmitterResource.h>
  10. #include <AnKi/Resource/ResourceManager.h>
  11. #include <AnKi/Physics2/PhysicsBody.h>
  12. #include <AnKi/Physics2/PhysicsCollisionShape.h>
  13. #include <AnKi/Physics2/PhysicsWorld.h>
  14. #include <AnKi/Math.h>
  15. #include <AnKi/Shaders/Include/GpuSceneFunctions.h>
  16. #include <AnKi/Core/GpuMemory/RebarTransientMemoryPool.h>
  17. namespace anki {
  18. static Vec3 getRandom(const Vec3& min, const Vec3& max)
  19. {
  20. Vec3 out;
  21. out.x() = mix(min.x(), max.x(), getRandomRange(0.0f, 1.0f));
  22. out.y() = mix(min.y(), max.y(), getRandomRange(0.0f, 1.0f));
  23. out.z() = mix(min.z(), max.z(), getRandomRange(0.0f, 1.0f));
  24. return out;
  25. }
  26. /// Particle base
  27. class ParticleEmitterComponent::ParticleBase
  28. {
  29. public:
  30. Second m_timeOfBirth; ///< Keep the time of birth for nice effects
  31. Second m_timeOfDeath = -1.0; ///< Time of death. If < 0.0 then dead
  32. F32 m_initialSize;
  33. F32 m_finalSize;
  34. F32 m_crntSize;
  35. F32 m_initialAlpha;
  36. F32 m_finalAlpha;
  37. F32 m_crntAlpha;
  38. Vec3 m_crntPosition;
  39. Bool isDead() const
  40. {
  41. return m_timeOfDeath < 0.0;
  42. }
  43. /// Kill the particle
  44. void killCommon()
  45. {
  46. ANKI_ASSERT(m_timeOfDeath > 0.0);
  47. m_timeOfDeath = -1.0;
  48. }
  49. /// Revive the particle
  50. void reviveCommon(const ParticleEmitterProperties& props, Second crntTime)
  51. {
  52. ANKI_ASSERT(isDead());
  53. // life
  54. m_timeOfDeath = crntTime + getRandomRange(props.m_particle.m_minLife, props.m_particle.m_maxLife);
  55. m_timeOfBirth = crntTime;
  56. // Size
  57. m_initialSize = getRandomRange(props.m_particle.m_minInitialSize, props.m_particle.m_maxInitialSize);
  58. m_finalSize = getRandomRange(props.m_particle.m_minFinalSize, props.m_particle.m_maxFinalSize);
  59. // Alpha
  60. m_initialAlpha = getRandomRange(props.m_particle.m_minInitialAlpha, props.m_particle.m_maxInitialAlpha);
  61. m_finalAlpha = getRandomRange(props.m_particle.m_minFinalAlpha, props.m_particle.m_maxFinalAlpha);
  62. }
  63. /// Common sumulation code
  64. void simulateCommon(Second crntTime)
  65. {
  66. const F32 lifeFactor = F32((crntTime - m_timeOfBirth) / (m_timeOfDeath - m_timeOfBirth));
  67. m_crntSize = mix(m_initialSize, m_finalSize, lifeFactor);
  68. m_crntAlpha = mix(m_initialAlpha, m_finalAlpha, lifeFactor);
  69. }
  70. };
  71. /// Simple particle for simple simulation
  72. class ParticleEmitterComponent::SimpleParticle : public ParticleEmitterComponent::ParticleBase
  73. {
  74. public:
  75. Vec3 m_velocity = Vec3(0.0f);
  76. Vec3 m_acceleration = Vec3(0.0f);
  77. void kill()
  78. {
  79. killCommon();
  80. }
  81. void revive(const ParticleEmitterProperties& props, const Transform& trf, Second crntTime)
  82. {
  83. reviveCommon(props, crntTime);
  84. m_velocity = Vec3(0.0f);
  85. m_acceleration = getRandom(props.m_particle.m_minGravity, props.m_particle.m_maxGravity);
  86. // Set the initial position
  87. m_crntPosition = getRandom(props.m_particle.m_minStartingPosition, props.m_particle.m_maxStartingPosition);
  88. m_crntPosition += trf.getOrigin().xyz();
  89. }
  90. void simulate(Second prevUpdateTime, Second crntTime)
  91. {
  92. simulateCommon(crntTime);
  93. const F32 dt = F32(crntTime - prevUpdateTime);
  94. const Vec3 xp = m_crntPosition;
  95. const Vec3 xc = m_acceleration * (dt * dt) + m_velocity * dt + xp;
  96. m_crntPosition = xc;
  97. m_velocity += m_acceleration * dt;
  98. }
  99. };
  100. /// Particle for Jolt simulations
  101. class ParticleEmitterComponent::PhysicsParticle : public ParticleEmitterComponent::ParticleBase
  102. {
  103. public:
  104. v2::PhysicsBodyPtr m_body;
  105. PhysicsParticle(const v2::PhysicsBodyInitInfo& init, ParticleEmitterComponent* component)
  106. {
  107. m_body = v2::PhysicsWorld::getSingleton().newPhysicsBody(init);
  108. m_body->setUserData(component);
  109. m_body->activate(false);
  110. }
  111. void kill()
  112. {
  113. killCommon();
  114. m_body->activate(false);
  115. }
  116. void revive(const ParticleEmitterProperties& props, const Transform& trf, Second crntTime)
  117. {
  118. reviveCommon(props, crntTime);
  119. // pre calculate
  120. const Bool forceFlag = props.forceEnabled();
  121. const Bool worldGravFlag = props.wordGravityEnabled();
  122. // Activate it
  123. m_body->activate(true);
  124. m_body->setLinearVelocity(Vec3(0.0f));
  125. m_body->setAngularVelocity(Vec3(0.0f));
  126. m_body->clearForcesAndTorque();
  127. // force
  128. if(forceFlag)
  129. {
  130. Vec3 forceDir = getRandom(props.m_particle.m_minForceDirection, props.m_particle.m_maxForceDirection);
  131. forceDir.normalize();
  132. // The forceDir depends on the particle emitter rotation
  133. forceDir = trf.getRotation().getRotationPart() * forceDir;
  134. const F32 forceMag = getRandomRange(props.m_particle.m_minForceMagnitude, props.m_particle.m_maxForceMagnitude);
  135. m_body->applyForce(forceDir * forceMag, Vec3(0.0f));
  136. }
  137. // gravity
  138. if(!worldGravFlag)
  139. {
  140. // TODO m_body->setGravity(getRandom(props.m_particle.m_minGravity, props.m_particle.m_maxGravity));
  141. }
  142. // Starting pos. In local space
  143. Vec3 pos = getRandom(props.m_particle.m_minStartingPosition, props.m_particle.m_maxStartingPosition);
  144. pos = trf.transform(pos);
  145. m_body->setTransform(Transform(pos.xyz0(), trf.getRotation(), Vec4(1.0f, 1.0f, 1.0f, 0.0f)));
  146. m_crntPosition = pos;
  147. }
  148. void simulate([[maybe_unused]] Second prevUpdateTime, Second crntTime)
  149. {
  150. simulateCommon(crntTime);
  151. m_crntPosition = m_body->getTransform().getOrigin().xyz();
  152. }
  153. };
  154. ParticleEmitterComponent::ParticleEmitterComponent(SceneNode* node)
  155. : SceneComponent(node, kClassType)
  156. {
  157. // Allocate and populate a quad
  158. const U32 vertCount = 4;
  159. const U32 indexCount = 6;
  160. m_quadPositions = UnifiedGeometryBuffer::getSingleton().allocateFormat(kMeshRelatedVertexStreamFormats[VertexStreamId::kPosition], vertCount);
  161. m_quadUvs = UnifiedGeometryBuffer::getSingleton().allocateFormat(kMeshRelatedVertexStreamFormats[VertexStreamId::kUv], vertCount);
  162. m_quadIndices = UnifiedGeometryBuffer::getSingleton().allocateFormat(Format::kR16_Uint, indexCount);
  163. static_assert(kMeshRelatedVertexStreamFormats[VertexStreamId::kPosition] == Format::kR16G16B16A16_Unorm);
  164. WeakArray<U16Vec4> transientPositions;
  165. const BufferView positionsAlloc = RebarTransientMemoryPool::getSingleton().allocateCopyBuffer(vertCount, transientPositions);
  166. transientPositions[0] = U16Vec4(0, 0, 0, 0);
  167. transientPositions[1] = U16Vec4(kMaxU16, 0, 0, 0);
  168. transientPositions[2] = U16Vec4(kMaxU16, kMaxU16, 0, 0);
  169. transientPositions[3] = U16Vec4(0, kMaxU16, 0, 0);
  170. static_assert(kMeshRelatedVertexStreamFormats[VertexStreamId::kUv] == Format::kR32G32_Sfloat);
  171. WeakArray<Vec2> transientUvs;
  172. const BufferView uvsAlloc = RebarTransientMemoryPool::getSingleton().allocateCopyBuffer(vertCount, transientUvs);
  173. transientUvs[0] = Vec2(0.0f);
  174. transientUvs[1] = Vec2(1.0f, 0.0f);
  175. transientUvs[2] = Vec2(1.0f, 1.0f);
  176. transientUvs[3] = Vec2(0.0f, 1.0f);
  177. WeakArray<U16> transientIndices;
  178. const BufferView indicesAlloc = RebarTransientMemoryPool::getSingleton().allocateCopyBuffer(indexCount, transientIndices);
  179. transientIndices[0] = 0;
  180. transientIndices[1] = 1;
  181. transientIndices[2] = 3;
  182. transientIndices[3] = 1;
  183. transientIndices[4] = 2;
  184. transientIndices[5] = 3;
  185. CommandBufferInitInfo cmdbInit("Particle quad upload");
  186. cmdbInit.m_flags |= CommandBufferFlag::kSmallBatch;
  187. CommandBufferPtr cmdb = GrManager::getSingleton().newCommandBuffer(cmdbInit);
  188. Buffer* dstBuff = &UnifiedGeometryBuffer::getSingleton().getBuffer();
  189. cmdb->copyBufferToBuffer(positionsAlloc, m_quadPositions);
  190. cmdb->copyBufferToBuffer(uvsAlloc, m_quadUvs);
  191. cmdb->copyBufferToBuffer(indicesAlloc, m_quadIndices);
  192. BufferBarrierInfo barrier;
  193. barrier.m_bufferView = BufferView(dstBuff);
  194. barrier.m_previousUsage = BufferUsageBit::kCopyDestination;
  195. barrier.m_nextUsage = dstBuff->getBufferUsage();
  196. cmdb->setPipelineBarrier({}, {&barrier, 1}, {});
  197. cmdb->endRecording();
  198. GrManager::getSingleton().submit(cmdb.get());
  199. }
  200. ParticleEmitterComponent::~ParticleEmitterComponent()
  201. {
  202. }
  203. void ParticleEmitterComponent::loadParticleEmitterResource(CString filename)
  204. {
  205. // Load
  206. ParticleEmitterResourcePtr rsrc;
  207. const Error err = ResourceManager::getSingleton().loadResource(filename, rsrc);
  208. if(err)
  209. {
  210. ANKI_SCENE_LOGE("Failed to load particle emitter");
  211. return;
  212. }
  213. m_particleEmitterResource = std::move(rsrc);
  214. m_props = m_particleEmitterResource->getProperties();
  215. m_resourceUpdated = true;
  216. // Cleanup
  217. m_simpleParticles.destroy();
  218. m_physicsParticles.destroy();
  219. GpuSceneBuffer::getSingleton().deferredFree(m_gpuScenePositions);
  220. GpuSceneBuffer::getSingleton().deferredFree(m_gpuSceneScales);
  221. GpuSceneBuffer::getSingleton().deferredFree(m_gpuSceneAlphas);
  222. GpuSceneBuffer::getSingleton().deferredFree(m_gpuSceneConstants);
  223. for(RenderStateBucketIndex& idx : m_renderStateBuckets)
  224. {
  225. RenderStateBucketContainer::getSingleton().removeUser(idx);
  226. }
  227. // Init particles
  228. m_simulationType = (m_props.m_usePhysicsEngine) ? SimulationType::kPhysicsEngine : SimulationType::kSimple;
  229. if(m_simulationType == SimulationType::kPhysicsEngine)
  230. {
  231. v2::PhysicsCollisionShapePtr collisionShape =
  232. v2::PhysicsWorld::getSingleton().newSphereCollisionShape(m_props.m_particle.m_minInitialSize / 2.0f);
  233. v2::PhysicsBodyInitInfo binit;
  234. binit.m_layer = v2::PhysicsLayer::kDebris;
  235. binit.m_shape = collisionShape.get();
  236. m_physicsParticles.resizeStorage(m_props.m_maxNumOfParticles);
  237. for(U32 i = 0; i < m_props.m_maxNumOfParticles; i++)
  238. {
  239. binit.m_mass = getRandomRange(m_props.m_particle.m_minMass, m_props.m_particle.m_maxMass);
  240. m_physicsParticles.emplaceBack(binit, this);
  241. }
  242. }
  243. else
  244. {
  245. m_simpleParticles.resize(m_props.m_maxNumOfParticles);
  246. }
  247. // GPU scene allocations
  248. m_gpuScenePositions = GpuSceneBuffer::getSingleton().allocate(sizeof(Vec3) * m_props.m_maxNumOfParticles, alignof(F32));
  249. m_gpuSceneAlphas = GpuSceneBuffer::getSingleton().allocate(sizeof(F32) * m_props.m_maxNumOfParticles, alignof(F32));
  250. m_gpuSceneScales = GpuSceneBuffer::getSingleton().allocate(sizeof(F32) * m_props.m_maxNumOfParticles, alignof(F32));
  251. m_gpuSceneConstants = GpuSceneBuffer::getSingleton().allocate(
  252. m_particleEmitterResource->getMaterial()->getPrefilledLocalConstants().getSizeInBytes(), alignof(U32));
  253. // Allocate buckets
  254. for(RenderingTechnique t :
  255. EnumBitsIterable<RenderingTechnique, RenderingTechniqueBit>(m_particleEmitterResource->getMaterial()->getRenderingTechniques()))
  256. {
  257. RenderingKey key;
  258. key.setRenderingTechnique(t);
  259. ShaderProgramPtr prog;
  260. m_particleEmitterResource->getRenderingInfo(key, prog);
  261. RenderStateInfo state;
  262. state.m_program = prog;
  263. state.m_primitiveTopology = PrimitiveTopology::kTriangles;
  264. state.m_indexedDrawcall = false;
  265. m_renderStateBuckets[t] = RenderStateBucketContainer::getSingleton().addUser(state, t, 0);
  266. }
  267. }
  268. Error ParticleEmitterComponent::update(SceneComponentUpdateInfo& info, Bool& updated)
  269. {
  270. if(!m_particleEmitterResource.isCreated()) [[unlikely]]
  271. {
  272. updated = false;
  273. return Error::kNone;
  274. }
  275. updated = true;
  276. Vec3* positions;
  277. F32* scales;
  278. F32* alphas;
  279. Aabb aabbWorld;
  280. if(m_simulationType == SimulationType::kSimple)
  281. {
  282. simulate(info.m_previousTime, info.m_currentTime, info.m_node->getWorldTransform(), WeakArray<SimpleParticle>(m_simpleParticles), positions,
  283. scales, alphas, aabbWorld);
  284. }
  285. else
  286. {
  287. ANKI_ASSERT(m_simulationType == SimulationType::kPhysicsEngine);
  288. simulate(info.m_previousTime, info.m_currentTime, info.m_node->getWorldTransform(), WeakArray<PhysicsParticle>(m_physicsParticles), positions,
  289. scales, alphas, aabbWorld);
  290. }
  291. // Upload particles to the GPU scene
  292. GpuSceneMicroPatcher& patcher = GpuSceneMicroPatcher::getSingleton();
  293. if(m_aliveParticleCount > 0)
  294. {
  295. patcher.newCopy(*info.m_framePool, m_gpuScenePositions, sizeof(Vec3) * m_aliveParticleCount, positions);
  296. patcher.newCopy(*info.m_framePool, m_gpuSceneScales, sizeof(F32) * m_aliveParticleCount, scales);
  297. patcher.newCopy(*info.m_framePool, m_gpuSceneAlphas, sizeof(F32) * m_aliveParticleCount, alphas);
  298. }
  299. if(m_resourceUpdated)
  300. {
  301. // Upload GpuSceneParticleEmitter
  302. GpuSceneParticleEmitter particles = {};
  303. particles.m_vertexOffsets[U32(VertexStreamId::kParticlePosition)] = m_gpuScenePositions.getOffset();
  304. particles.m_vertexOffsets[U32(VertexStreamId::kParticleColor)] = m_gpuSceneAlphas.getOffset();
  305. particles.m_vertexOffsets[U32(VertexStreamId::kParticleScale)] = m_gpuSceneScales.getOffset();
  306. particles.m_aliveParticleCount = m_aliveParticleCount;
  307. if(!m_gpuSceneParticleEmitter.isValid())
  308. {
  309. m_gpuSceneParticleEmitter.allocate();
  310. }
  311. m_gpuSceneParticleEmitter.uploadToGpuScene(particles);
  312. // Upload uniforms
  313. patcher.newCopy(*info.m_framePool, m_gpuSceneConstants,
  314. m_particleEmitterResource->getMaterial()->getPrefilledLocalConstants().getSizeInBytes(),
  315. m_particleEmitterResource->getMaterial()->getPrefilledLocalConstants().getBegin());
  316. // Upload mesh LODs
  317. GpuSceneMeshLod meshLod = {};
  318. meshLod.m_vertexOffsets[U32(VertexStreamId::kPosition)] =
  319. m_quadPositions.getOffset() / getFormatInfo(kMeshRelatedVertexStreamFormats[VertexStreamId::kPosition]).m_texelSize;
  320. meshLod.m_vertexOffsets[U32(VertexStreamId::kUv)] =
  321. m_quadUvs.getOffset() / getFormatInfo(kMeshRelatedVertexStreamFormats[VertexStreamId::kUv]).m_texelSize;
  322. meshLod.m_indexCount = 6;
  323. meshLod.m_firstIndex = m_quadIndices.getOffset() / sizeof(U16);
  324. meshLod.m_positionScale = 1.0f;
  325. meshLod.m_positionTranslation = Vec3(-0.5f, -0.5f, 0.0f);
  326. Array<GpuSceneMeshLod, kMaxLodCount> meshLods;
  327. meshLods.fill(meshLod);
  328. if(!m_gpuSceneMeshLods.isValid())
  329. {
  330. m_gpuSceneMeshLods.allocate();
  331. }
  332. m_gpuSceneMeshLods.uploadToGpuScene(meshLods);
  333. // Upload the GpuSceneRenderable
  334. GpuSceneRenderable renderable = {};
  335. renderable.m_boneTransformsOffset = 0;
  336. renderable.m_constantsOffset = m_gpuSceneConstants.getOffset();
  337. renderable.m_meshLodsIndex = m_gpuSceneMeshLods.getIndex() * kMaxLodCount;
  338. renderable.m_particleEmitterIndex = m_gpuSceneParticleEmitter.getIndex();
  339. renderable.m_worldTransformsIndex = 0;
  340. renderable.m_uuid = SceneGraph::getSingleton().getNewUuid();
  341. if(!m_gpuSceneRenderable.isValid())
  342. {
  343. m_gpuSceneRenderable.allocate();
  344. }
  345. m_gpuSceneRenderable.uploadToGpuScene(renderable);
  346. }
  347. if(!m_resourceUpdated)
  348. {
  349. // Always upload GpuSceneParticleEmitter
  350. GpuSceneParticleEmitter particles = {};
  351. particles.m_vertexOffsets[U32(VertexStreamId::kParticlePosition)] = m_gpuScenePositions.getOffset();
  352. particles.m_vertexOffsets[U32(VertexStreamId::kParticleColor)] = m_gpuSceneAlphas.getOffset();
  353. particles.m_vertexOffsets[U32(VertexStreamId::kParticleScale)] = m_gpuSceneScales.getOffset();
  354. particles.m_aliveParticleCount = m_aliveParticleCount;
  355. if(!m_gpuSceneParticleEmitter.isValid())
  356. {
  357. m_gpuSceneParticleEmitter.allocate();
  358. }
  359. m_gpuSceneParticleEmitter.uploadToGpuScene(particles);
  360. }
  361. // Upload the GpuSceneRenderableBoundingVolume always
  362. for(RenderingTechnique t : EnumIterable<RenderingTechnique>())
  363. {
  364. if(!!(RenderingTechniqueBit(1 << t) & m_particleEmitterResource->getMaterial()->getRenderingTechniques()))
  365. {
  366. const GpuSceneRenderableBoundingVolume gpuVolume = initGpuSceneRenderableBoundingVolume(
  367. aabbWorld.getMin().xyz(), aabbWorld.getMax().xyz(), m_gpuSceneRenderable.getIndex(), m_renderStateBuckets[t].get());
  368. switch(t)
  369. {
  370. case RenderingTechnique::kGBuffer:
  371. if(!m_gpuSceneRenderableAabbGBuffer.isValid())
  372. {
  373. m_gpuSceneRenderableAabbGBuffer.allocate();
  374. }
  375. m_gpuSceneRenderableAabbGBuffer.uploadToGpuScene(gpuVolume);
  376. break;
  377. case RenderingTechnique::kDepth:
  378. if(!m_gpuSceneRenderableAabbDepth.isValid())
  379. {
  380. m_gpuSceneRenderableAabbDepth.allocate();
  381. }
  382. m_gpuSceneRenderableAabbDepth.uploadToGpuScene(gpuVolume);
  383. break;
  384. case RenderingTechnique::kForward:
  385. if(!m_gpuSceneRenderableAabbForward.isValid())
  386. {
  387. m_gpuSceneRenderableAabbForward.allocate();
  388. }
  389. m_gpuSceneRenderableAabbForward.uploadToGpuScene(gpuVolume);
  390. break;
  391. default:
  392. ANKI_ASSERT(0);
  393. }
  394. }
  395. else if(!!(RenderingTechniqueBit(1 << t) & RenderingTechniqueBit::kAllRt))
  396. {
  397. continue;
  398. }
  399. else
  400. {
  401. switch(t)
  402. {
  403. case RenderingTechnique::kGBuffer:
  404. m_gpuSceneRenderableAabbGBuffer.free();
  405. break;
  406. case RenderingTechnique::kDepth:
  407. m_gpuSceneRenderableAabbDepth.free();
  408. break;
  409. case RenderingTechnique::kForward:
  410. m_gpuSceneRenderableAabbForward.free();
  411. break;
  412. default:
  413. ANKI_ASSERT(0);
  414. }
  415. }
  416. }
  417. m_resourceUpdated = false;
  418. return Error::kNone;
  419. }
  420. template<typename TParticle>
  421. void ParticleEmitterComponent::simulate(Second prevUpdateTime, Second crntTime, const Transform& worldTransform, WeakArray<TParticle> particles,
  422. Vec3*& positions, F32*& scales, F32*& alphas, Aabb& aabbWorld)
  423. {
  424. // - Deactivate the dead particles
  425. // - Calc the AABB
  426. // - Calc the instancing stuff
  427. Vec3 aabbMin(kMaxF32);
  428. Vec3 aabbMax(kMinF32);
  429. m_aliveParticleCount = 0;
  430. positions =
  431. static_cast<Vec3*>(SceneGraph::getSingleton().getFrameMemoryPool().allocate(m_props.m_maxNumOfParticles * sizeof(Vec3), alignof(Vec3)));
  432. scales = static_cast<F32*>(SceneGraph::getSingleton().getFrameMemoryPool().allocate(m_props.m_maxNumOfParticles * sizeof(F32), alignof(F32)));
  433. alphas = static_cast<F32*>(SceneGraph::getSingleton().getFrameMemoryPool().allocate(m_props.m_maxNumOfParticles * sizeof(F32), alignof(F32)));
  434. F32 maxParticleSize = -1.0f;
  435. for(TParticle& particle : particles)
  436. {
  437. if(particle.isDead())
  438. {
  439. // if its already dead so dont deactivate it again
  440. continue;
  441. }
  442. if(particle.m_timeOfDeath < crntTime)
  443. {
  444. // Just died
  445. particle.kill();
  446. }
  447. else
  448. {
  449. // It's alive
  450. // This will calculate a new world transformation
  451. particle.simulate(prevUpdateTime, crntTime);
  452. const Vec3& origin = particle.m_crntPosition;
  453. aabbMin = aabbMin.min(origin);
  454. aabbMax = aabbMax.max(origin);
  455. positions[m_aliveParticleCount] = origin;
  456. scales[m_aliveParticleCount] = particle.m_crntSize;
  457. maxParticleSize = max(maxParticleSize, particle.m_crntSize);
  458. alphas[m_aliveParticleCount] = clamp(particle.m_crntAlpha, 0.0f, 1.0f);
  459. ++m_aliveParticleCount;
  460. }
  461. }
  462. // AABB
  463. if(m_aliveParticleCount != 0)
  464. {
  465. ANKI_ASSERT(maxParticleSize > 0.0f);
  466. const Vec3 min = aabbMin - maxParticleSize;
  467. const Vec3 max = aabbMax + maxParticleSize;
  468. aabbWorld = Aabb(min, max);
  469. }
  470. else
  471. {
  472. aabbWorld = Aabb(Vec3(0.0f), Vec3(0.001f));
  473. positions = nullptr;
  474. alphas = scales = nullptr;
  475. }
  476. //
  477. // Emit new particles
  478. //
  479. if(m_timeLeftForNextEmission <= 0.0)
  480. {
  481. U particleCount = 0; // How many particles I am allowed to emmit
  482. for(TParticle& particle : particles)
  483. {
  484. if(!particle.isDead())
  485. {
  486. // its alive so skip it
  487. continue;
  488. }
  489. particle.revive(m_props, worldTransform, crntTime);
  490. // do the rest
  491. ++particleCount;
  492. if(particleCount >= m_props.m_particlesPerEmission)
  493. {
  494. break;
  495. }
  496. } // end for all particles
  497. m_timeLeftForNextEmission = m_props.m_emissionPeriod;
  498. } // end if can emit
  499. else
  500. {
  501. m_timeLeftForNextEmission -= crntTime - prevUpdateTime;
  502. }
  503. }
  504. } // end namespace anki