Ok good think the errors weren't important! :)
I have 3 movement codes. One for player, one for enemy and one for bullets.
All of them are subclasses to Entity which controls the move functions.
void Player::move(){
if (sf::Keyboard::isKeyPressed(sf::Keyboard::D)){
mCircleShape.move(mSpeed, 0);
}
if (sf::Keyboard::isKeyPressed(sf::Keyboard::A)){
mCircleShape.move(-mSpeed, 0);
}
if (sf::Keyboard::isKeyPressed(sf::Keyboard::S)){
mCircleShape.move(0, mSpeed);
}
if (sf::Keyboard::isKeyPressed(sf::Keyboard::W)){
mCircleShape.move(0, -mSpeed);
}
}
void Enemy::move(entityVector &mEnteties){
sf::Time checkUpdateDir = updateDir.getElapsedTime();
if (checkUpdateDir.asMilliseconds() > 350){
for (entityVector::iterator i = mEnteties.begin(); i != mEnteties.end(); i++){
Entity* enteties = *i;
if (enteties->isPlayer()){
float x = enteties->getX() - getX();
float y = enteties->getY() - getY();
mXDir = x / sqrt(powf(x, 2) + powf(y, 2)) * mSpeed;
mYDir = y / sqrt(powf(x, 2) + powf(y, 2)) * mSpeed;
}
}
updateDir.restart();
}
mCircleShape.move(mXDir, mYDir);
}
void Bullet::move(){
mCircleShape.move(mXDir, mYDir);
}
So I don't see any calculations to take the framerate into account. Are you just assuming that the application runs with a certain FPS? Because that's not a good idea.
You could work with a simple delta time or implement a fixed time step.
I actually lock the game to 60 fps when main calls the constructor for game shown here:
Game::Game() :
mPlayer(new Player(400, 300)),
mEnteties(), //Initiate the vector.
mScore(0)
{
window.setFramerateLimit(60);
mEnteties.push_back(mPlayer);
}
Can you provide the your general update loop?
void Game::run(){
while (window.isOpen())
{
sf::Event event;
while (window.pollEvent(event))
{
if (sf::Keyboard::isKeyPressed(sf::Keyboard::Escape)
|| event.type == sf::Event::Closed)
window.close();
}
window.clear();
spawnEnemies();
tick();
detectCollisions();
killEnteties();
renderImages();
renderScore();
window.display();
}
}