Hello, i've been working on a game project recently, and i already implemented some stuff, i have collisions, entities, bullets, movable camera. But after all this, i am still wondering about how to handle frames per second. Right now my code works on a simple principle, it measures the time of each frame and move the objects with constant speed multiplayed by that time:
float delta = clock.restart().asSeconds();
...
hero.sprite.move(hero.h_speed * delta, hero.gravity_delta * delta);
Works? Works. But looks a little poor, becouse i have to keep an eye on every single movement instruction and i'm pretty sure it could be done better. I've already tried the "update()" method which updates all the game logic by a constant time, but i don't like it, becouse i have to set the FPS limit then, and if the PC isn't good enough to handle it, the game works slower. How do all of these big games do it? I'd like to implement a method which will let me to keep the game logic in one separate function, but also does not force me to set the constant FPS and works with exact same speed on every computer, no matter if it's 15 or 150 FPS.
Thank you Laurent and FRex, i fixed timestep in my game, and now it works exactly how i wanted. The same speed with different frame rates, clear code, no bugs like objects falling through the floor or disappearing when i move the window, also clear physics, no matter if the frame rate is 5 or 500 FPS. Here's the source code of my game object:
Game::Game(void)
: window(sf::VideoMode(window_size_x, window_size_y), "Ambient"),
view(sf::FloatRect(0, 0, float(window_size_x), float(window_size_y))),
updateFPS(1000),
dt(1.0f / updateFPS),
elapsedTime(0.0f),
accumulator(0.0f),
currentTime(clock.getElapsedTime().asMilliseconds())
{
init();
}
And game run() function:
void Game::run()
{
while (window.isOpen())
{
/* Events */
EventHandling();
/* Timestep */
newTime = clock.getElapsedTime().asMilliseconds();
frameTime = static_cast<float> (newTime - currentTime) / 1000.0f;
if (frameTime > 0.25f) frameTime = 0.25f;
currentTime = newTime;
accumulator += frameTime;
while (accumulator >= dt)
{
elapsedTime += dt;
accumulator -= dt;
/* Game Logic Update */
GameLogicUpdate();
}
/* View */
View();
/* Draw */
Draw();
}
}
Problem solved.