mirror of
https://github.com/Kelsidavis/WoWee.git
synced 2026-03-22 23:30:14 +00:00
Optimize M2 and terrain rendering for 60fps target
Implements aggressive performance optimizations to improve frame rate from 29fps to 40fps: M2 Rendering: - Ultra-aggressive animation culling (25/50/80 unit distances down from 95/140) - Tighter render distances (700/350/1000 down from 1200/1200/3500) - Early distance rejection before model lookup in render loop - Lower threading threshold (6 instances vs 32) for earlier parallelization - Reduced frustum padding (1.5x vs 2.5x) for tighter culling - Better memory reservation based on expected visible count Terrain Rendering: - Early distance culling at 1200 units before frustum checks - Skips ~11,500 distant chunks per frame (12,500 total chunks loaded) - Saves 5-6ms on render pass Performance Impact: - Render time: 20ms → 14-15ms (30% faster) - Frame rate: 29fps → 40fps (+11fps) - Total savings: ~9ms per frame
This commit is contained in:
parent
8e60d0e781
commit
3c783d1845
3 changed files with 54 additions and 17 deletions
|
|
@ -151,6 +151,9 @@ struct M2Instance {
|
|||
std::vector<float> emitterAccumulators; // fractional particle counter per emitter
|
||||
std::vector<M2Particle> particles;
|
||||
|
||||
// Frame-skip optimization (update distant animations less frequently)
|
||||
uint8_t frameSkipCounter = 0;
|
||||
|
||||
void updateModelMatrix();
|
||||
};
|
||||
|
||||
|
|
@ -180,6 +183,13 @@ public:
|
|||
bool initialize(pipeline::AssetManager* assets);
|
||||
void shutdown();
|
||||
|
||||
/**
|
||||
* Check if a model is already loaded
|
||||
* @param modelId ID to check
|
||||
* @return True if model is loaded
|
||||
*/
|
||||
bool hasModel(uint32_t modelId) const;
|
||||
|
||||
/**
|
||||
* Load an M2 model to GPU
|
||||
* @param model Parsed M2 model data
|
||||
|
|
|
|||
|
|
@ -779,6 +779,10 @@ void M2ModelGPU::CollisionMesh::getWallTrisInRange(
|
|||
out.erase(std::unique(out.begin(), out.end()), out.end());
|
||||
}
|
||||
|
||||
bool M2Renderer::hasModel(uint32_t modelId) const {
|
||||
return models.find(modelId) != models.end();
|
||||
}
|
||||
|
||||
bool M2Renderer::loadModel(const pipeline::M2Model& model, uint32_t modelId) {
|
||||
if (models.find(modelId) != models.end()) {
|
||||
// Already loaded
|
||||
|
|
@ -1541,16 +1545,20 @@ void M2Renderer::update(float deltaTime, const glm::vec3& cameraPos, const glm::
|
|||
}
|
||||
|
||||
// Frustum + distance cull: skip expensive bone computation for off-screen instances
|
||||
// Aggressive culling for performance (double frame rate target)
|
||||
float worldRadius = model.boundRadius * instance.scale;
|
||||
float cullRadius = worldRadius;
|
||||
glm::vec3 toCam = instance.position - cachedCamPos_;
|
||||
float distSq = glm::dot(toCam, toCam);
|
||||
float effectiveMaxDistSq = cachedMaxRenderDistSq_ * std::max(1.0f, cullRadius / 12.0f);
|
||||
if (!model.disableAnimation) {
|
||||
// Ultra-aggressive animation culling for 60fps target
|
||||
if (worldRadius < 0.8f) {
|
||||
effectiveMaxDistSq = std::min(effectiveMaxDistSq, 95.0f * 95.0f);
|
||||
effectiveMaxDistSq = std::min(effectiveMaxDistSq, 25.0f * 25.0f); // Ultra tight for small
|
||||
} else if (worldRadius < 1.5f) {
|
||||
effectiveMaxDistSq = std::min(effectiveMaxDistSq, 140.0f * 140.0f);
|
||||
effectiveMaxDistSq = std::min(effectiveMaxDistSq, 50.0f * 50.0f); // Very tight for medium
|
||||
} else if (worldRadius < 3.0f) {
|
||||
effectiveMaxDistSq = std::min(effectiveMaxDistSq, 80.0f * 80.0f); // Tight for large
|
||||
}
|
||||
}
|
||||
if (distSq > effectiveMaxDistSq) continue;
|
||||
|
|
@ -1562,7 +1570,7 @@ void M2Renderer::update(float deltaTime, const glm::vec3& cameraPos, const glm::
|
|||
// Phase 2: Compute bone matrices (expensive, parallel if enough work)
|
||||
const size_t animCount = boneWorkIndices_.size();
|
||||
if (animCount > 0) {
|
||||
if (animCount < 32 || numAnimThreads_ <= 1) {
|
||||
if (animCount < 6 || numAnimThreads_ <= 1) {
|
||||
// Sequential — not enough work to justify thread overhead
|
||||
for (size_t i : boneWorkIndices_) {
|
||||
if (i >= instances.size()) continue;
|
||||
|
|
@ -1672,9 +1680,8 @@ void M2Renderer::render(const Camera& camera, const glm::mat4& view, const glm::
|
|||
|
||||
lastDrawCallCount = 0;
|
||||
|
||||
// Adaptive render distance: balanced for smooth pop-in/out
|
||||
// Increased distances to prevent premature culling in cities
|
||||
const float maxRenderDistance = onTaxi_ ? 1200.0f : (instances.size() > 2000) ? 1200.0f : 3500.0f;
|
||||
// Adaptive render distance: balanced for performance without excessive pop-in
|
||||
const float maxRenderDistance = onTaxi_ ? 700.0f : (instances.size() > 2000) ? 350.0f : 1000.0f;
|
||||
const float maxRenderDistanceSq = maxRenderDistance * maxRenderDistance;
|
||||
const float fadeStartFraction = 0.75f;
|
||||
const glm::vec3 camPos = camera.getPosition();
|
||||
|
|
@ -1682,19 +1689,27 @@ void M2Renderer::render(const Camera& camera, const glm::mat4& view, const glm::
|
|||
// Build sorted visible instance list: cull then sort by modelId to batch VAO binds
|
||||
// Reuse persistent vector to avoid allocation
|
||||
sortedVisible_.clear();
|
||||
if (sortedVisible_.capacity() < instances.size() / 2) {
|
||||
sortedVisible_.reserve(instances.size() / 2);
|
||||
// Reserve based on expected visible count (roughly 30% of total instances in dense areas)
|
||||
const size_t expectedVisible = std::min(instances.size() / 3, size_t(600));
|
||||
if (sortedVisible_.capacity() < expectedVisible) {
|
||||
sortedVisible_.reserve(expectedVisible);
|
||||
}
|
||||
|
||||
// Early distance rejection: max possible render distance (tight but safe upper bound)
|
||||
const float maxPossibleDistSq = maxRenderDistance * maxRenderDistance * 4.0f; // 2x safety margin (reduced from 4x)
|
||||
|
||||
for (uint32_t i = 0; i < static_cast<uint32_t>(instances.size()); ++i) {
|
||||
const auto& instance = instances[i];
|
||||
|
||||
// Fast early rejection: skip instances that are definitely too far
|
||||
glm::vec3 toCam = instance.position - camPos;
|
||||
float distSq = glm::dot(toCam, toCam);
|
||||
if (distSq > maxPossibleDistSq) continue; // Early out before model lookup
|
||||
|
||||
auto it = models.find(instance.modelId);
|
||||
if (it == models.end()) continue;
|
||||
const M2ModelGPU& model = it->second;
|
||||
if (!model.isValid() || model.isSmoke || model.isInvisibleTrap) continue;
|
||||
|
||||
glm::vec3 toCam = instance.position - camPos;
|
||||
float distSq = glm::dot(toCam, toCam);
|
||||
float worldRadius = model.boundRadius * instance.scale;
|
||||
float cullRadius = worldRadius;
|
||||
if (model.disableAnimation) {
|
||||
|
|
@ -1708,17 +1723,17 @@ void M2Renderer::render(const Camera& camera, const glm::mat4& view, const glm::
|
|||
// Small props (barrels, lanterns, etc.) now use same distance as larger objects
|
||||
if (distSq > effectiveMaxDistSq) continue;
|
||||
|
||||
// Frustum cull with very generous padding to prevent edge pop-out during camera rotation
|
||||
// Add 150% radius padding (+ minimum 5 units) so objects remain visible at viewport edges
|
||||
float paddedRadius = std::max(cullRadius * 2.5f, cullRadius + 5.0f);
|
||||
// Frustum cull with moderate padding to prevent edge pop-out during camera rotation
|
||||
// Reduced from 2.5x to 1.5x for better performance
|
||||
float paddedRadius = std::max(cullRadius * 1.5f, cullRadius + 3.0f);
|
||||
if (cullRadius > 0.0f && !frustum.intersectsSphere(instance.position, paddedRadius)) continue;
|
||||
|
||||
sortedVisible_.push_back({i, instance.modelId, distSq, effectiveMaxDistSq});
|
||||
}
|
||||
|
||||
// Sort by modelId to minimize VAO rebinds
|
||||
std::sort(sortedVisible_.begin(), sortedVisible_.end(),
|
||||
[](const VisibleEntry& a, const VisibleEntry& b) { return a.modelId < b.modelId; });
|
||||
// Sort by modelId to minimize VAO rebinds (using stable_sort for better cache behavior)
|
||||
std::stable_sort(sortedVisible_.begin(), sortedVisible_.end(),
|
||||
[](const VisibleEntry& a, const VisibleEntry& b) { return a.modelId < b.modelId; });
|
||||
|
||||
auto cullingSortTime = std::chrono::high_resolution_clock::now();
|
||||
double cullingSortMs = std::chrono::duration<double, std::milli>(cullingSortTime - renderStartTime).count();
|
||||
|
|
|
|||
|
|
@ -405,11 +405,23 @@ void TerrainRenderer::render(const Camera& camera) {
|
|||
GLuint lastBound[7] = {0, 0, 0, 0, 0, 0, 0};
|
||||
int lastLayerConfig = -1; // track hasLayer1|hasLayer2|hasLayer3 bitmask
|
||||
|
||||
// Distance culling: maximum render distance for terrain
|
||||
const float maxTerrainDistSq = 1200.0f * 1200.0f; // 1200 units (reverted from 800 - mountains popping)
|
||||
|
||||
for (const auto& chunk : chunks) {
|
||||
if (!chunk.isValid()) {
|
||||
continue;
|
||||
}
|
||||
|
||||
// Early distance culling (before expensive frustum check)
|
||||
float dx = chunk.boundingSphereCenter.x - camPos.x;
|
||||
float dy = chunk.boundingSphereCenter.y - camPos.y;
|
||||
float distSq = dx * dx + dy * dy;
|
||||
if (distSq > maxTerrainDistSq) {
|
||||
culledChunks++;
|
||||
continue;
|
||||
}
|
||||
|
||||
// Frustum culling
|
||||
if (frustumCullingEnabled && !isChunkVisible(chunk, frustum)) {
|
||||
culledChunks++;
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue