diff --git a/doc/mainpage.hpp b/doc/mainpage.hpp index 81767832..ce819b3b 100644 --- a/doc/mainpage.hpp +++ b/doc/mainpage.hpp @@ -23,47 +23,47 @@ /// /// // Load a sprite to display /// sf::Texture texture; -/// if (!texture.LoadFromFile("cute_image.jpg")) +/// if (!texture.loadFromFile("cute_image.jpg")) /// return EXIT_FAILURE; /// sf::Sprite sprite(texture); /// /// // Create a graphical text to display /// sf::Font font; -/// if (!font.LoadFromFile("arial.ttf")) +/// if (!font.loadFromFile("arial.ttf")) /// return EXIT_FAILURE; /// sf::Text text("Hello SFML", font, 50); /// /// // Load a music to play /// sf::Music music; -/// if (!music.OpenFromFile("nice_music.ogg")) +/// if (!music.openFromFile("nice_music.ogg")) /// return EXIT_FAILURE; /// /// // Play the music -/// music.Play(); +/// music.play(); /// /// // Start the game loop -/// while (window.IsOpen()) +/// while (window.isOpen()) /// { /// // Process events /// sf::Event event; -/// while (window.PollEvent(event)) +/// while (window.pollEvent(event)) /// { /// // Close window : exit -/// if (event.Type == sf::Event::Closed) -/// window.Close(); +/// if (event.type == sf::Event::Closed) +/// window.close(); /// } /// /// // Clear screen -/// window.Clear(); +/// window.clear(); /// /// // Draw the sprite -/// window.Draw(sprite); +/// window.draw(sprite); /// /// // Draw the string -/// window.Draw(text); +/// window.draw(text); /// /// // Update the window -/// window.Display(); +/// window.display(); /// } /// /// return EXIT_SUCCESS; diff --git a/examples/X11/X11.cpp b/examples/X11/X11.cpp index d9bc2b6d..2ffa08b4 100644 --- a/examples/X11/X11.cpp +++ b/examples/X11/X11.cpp @@ -15,10 +15,10 @@ /// \param Window Target window to initialize /// //////////////////////////////////////////////////////////// -void Initialize(sf::Window& window) +void initialize(sf::Window& window) { // Activate the window - window.SetActive(); + window.setActive(); // Setup OpenGL states // Set color and depth clear value @@ -43,10 +43,10 @@ void Initialize(sf::Window& window) /// \param elapsedTime Time elapsed since the last draw /// //////////////////////////////////////////////////////////// -void Draw(sf::Window& window, float elapsedTime) +void draw(sf::Window& window, float elapsedTime) { // Activate the window - window.SetActive(); + window.setActive(); // Clear color and depth buffers glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); @@ -160,8 +160,8 @@ int main() sf::Clock clock; // Initialize our views - Initialize(SFMLView1); - Initialize(SFMLView2); + initialize(SFMLView1); + initialize(SFMLView2); // Start the event loop bool running = true; @@ -184,12 +184,12 @@ int main() } // Draw something into our views - Draw(SFMLView1, clock.GetElapsedTime().AsSeconds()); - Draw(SFMLView2, clock.GetElapsedTime().AsSeconds() * 0.3f); + draw(SFMLView1, clock.getElapsedTime().asSeconds()); + draw(SFMLView2, clock.getElapsedTime().asSeconds() * 0.3f); // Display the views on screen - SFMLView1.Display(); - SFMLView2.Display(); + SFMLView1.display(); + SFMLView2.display(); } // Close the display diff --git a/examples/ftp/Ftp.cpp b/examples/ftp/Ftp.cpp index 330bf9be..9ea6118d 100644 --- a/examples/ftp/Ftp.cpp +++ b/examples/ftp/Ftp.cpp @@ -13,7 +13,7 @@ //////////////////////////////////////////////////////////// std::ostream& operator <<(std::ostream& stream, const sf::Ftp::Response& response) { - return stream << response.GetStatus() << response.GetMessage(); + return stream << response.getStatus() << response.getMessage(); } @@ -36,9 +36,9 @@ int main() // Connect to the server sf::Ftp server; - sf::Ftp::Response connectResponse = server.Connect(address); + sf::Ftp::Response connectResponse = server.connect(address); std::cout << connectResponse << std::endl; - if (!connectResponse.IsOk()) + if (!connectResponse.isOk()) return EXIT_FAILURE; // Ask for user name and password @@ -49,9 +49,9 @@ int main() std::cin >> password; // Login to the server - sf::Ftp::Response loginResponse = server.Login(user, password); + sf::Ftp::Response loginResponse = server.login(user, password); std::cout << loginResponse << std::endl; - if (!loginResponse.IsOk()) + if (!loginResponse.isOk()) return EXIT_FAILURE; // Main menu @@ -91,18 +91,18 @@ int main() case 1 : { // Print the current server directory - sf::Ftp::DirectoryResponse response = server.GetWorkingDirectory(); + sf::Ftp::DirectoryResponse response = server.getWorkingDirectory(); std::cout << response << std::endl; - std::cout << "Current directory is " << response.GetDirectory() << std::endl; + std::cout << "Current directory is " << response.getDirectory() << std::endl; break; } case 2 : { // Print the contents of the current server directory - sf::Ftp::ListingResponse response = server.GetDirectoryListing(); + sf::Ftp::ListingResponse response = server.getDirectoryListing(); std::cout << response << std::endl; - std::vector filenames = response.GetFilenames(); + std::vector filenames = response.getFilenames(); for (std::vector::const_iterator it = filenames.begin(); it != filenames.end(); ++it) std::cout << *it << std::endl; break; @@ -114,7 +114,7 @@ int main() std::string directory; std::cout << "Choose a directory: "; std::cin >> directory; - std::cout << server.ChangeDirectory(directory) << std::endl; + std::cout << server.changeDirectory(directory) << std::endl; break; } @@ -124,7 +124,7 @@ int main() std::string directory; std::cout << "Name of the directory to create: "; std::cin >> directory; - std::cout << server.CreateDirectory(directory) << std::endl; + std::cout << server.createDirectory(directory) << std::endl; break; } @@ -134,7 +134,7 @@ int main() std::string directory; std::cout << "Name of the directory to remove: "; std::cin >> directory; - std::cout << server.DeleteDirectory(directory) << std::endl; + std::cout << server.deleteDirectory(directory) << std::endl; break; } @@ -146,7 +146,7 @@ int main() std::cin >> source; std::cout << "New name: "; std::cin >> destination; - std::cout << server.RenameFile(source, destination) << std::endl; + std::cout << server.renameFile(source, destination) << std::endl; break; } @@ -156,7 +156,7 @@ int main() std::string filename; std::cout << "Name of the file to remove: "; std::cin >> filename; - std::cout << server.DeleteFile(filename) << std::endl; + std::cout << server.deleteFile(filename) << std::endl; break; } @@ -168,7 +168,7 @@ int main() std::cin >> filename; std::cout << "Directory to download the file to: "; std::cin >> directory; - std::cout << server.Download(filename, directory) << std::endl; + std::cout << server.download(filename, directory) << std::endl; break; } @@ -180,7 +180,7 @@ int main() std::cin >> filename; std::cout << "Directory to upload the file to (relative to current directory): "; std::cin >> directory; - std::cout << server.Upload(filename, directory) << std::endl; + std::cout << server.upload(filename, directory) << std::endl; break; } @@ -195,7 +195,7 @@ int main() // Disconnect from the server std::cout << "Disconnecting from server..." << std::endl; - std::cout << server.Disconnect() << std::endl; + std::cout << server.disconnect() << std::endl; // Wait until the user presses 'enter' key std::cout << "Press enter to exit..." << std::endl; diff --git a/examples/opengl/OpenGL.cpp b/examples/opengl/OpenGL.cpp index 6643bcb4..ffc41d74 100644 --- a/examples/opengl/OpenGL.cpp +++ b/examples/opengl/OpenGL.cpp @@ -16,11 +16,11 @@ int main() { // Create the main window sf::RenderWindow window(sf::VideoMode(800, 600), "SFML OpenGL", sf::Style::Default, sf::ContextSettings(32)); - window.SetVerticalSyncEnabled(true); + window.setVerticalSyncEnabled(true); // Create a sprite for the background sf::Texture backgroundTexture; - if (!backgroundTexture.LoadFromFile("resources/background.jpg")) + if (!backgroundTexture.loadFromFile("resources/background.jpg")) return EXIT_FAILURE; sf::Sprite background(backgroundTexture); @@ -30,11 +30,11 @@ int main() GLuint texture = 0; { sf::Image image; - if (!image.LoadFromFile("resources/texture.jpg")) + if (!image.loadFromFile("resources/texture.jpg")) return EXIT_FAILURE; glGenTextures(1, &texture); glBindTexture(GL_TEXTURE_2D, texture); - gluBuild2DMipmaps(GL_TEXTURE_2D, GL_RGBA, image.GetWidth(), image.GetHeight(), GL_RGBA, GL_UNSIGNED_BYTE, image.GetPixelsPtr()); + gluBuild2DMipmaps(GL_TEXTURE_2D, GL_RGBA, image.getWidth(), image.getHeight(), GL_RGBA, GL_UNSIGNED_BYTE, image.getPixelsPtr()); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, GL_LINEAR); glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, GL_LINEAR_MIPMAP_LINEAR); } @@ -58,49 +58,49 @@ int main() sf::Clock clock; // Start game loop - while (window.IsOpen()) + while (window.isOpen()) { // Process events sf::Event event; - while (window.PollEvent(event)) + while (window.pollEvent(event)) { // Close window : exit - if (event.Type == sf::Event::Closed) - window.Close(); + if (event.type == sf::Event::Closed) + window.close(); // Escape key : exit - if ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Keyboard::Escape)) - window.Close(); + if ((event.type == sf::Event::KeyPressed) && (event.key.code == sf::Keyboard::Escape)) + window.close(); // Adjust the viewport when the window is resized - if (event.Type == sf::Event::Resized) - glViewport(0, 0, event.Size.Width, event.Size.Height); + if (event.type == sf::Event::Resized) + glViewport(0, 0, event.size.width, event.size.height); } // Draw the background - window.PushGLStates(); - window.Draw(background); - window.PopGLStates(); + window.pushGLStates(); + window.draw(background); + window.popGLStates(); // Activate the window before using OpenGL commands. // This is useless here because we have only one window which is // always the active one, but don't forget it if you use multiple windows - window.SetActive(); + window.setActive(); // Clear the depth buffer glClear(GL_DEPTH_BUFFER_BIT); // We get the position of the mouse cursor, so that we can move the box accordingly - float x = sf::Mouse::GetPosition(window).x * 200.f / window.GetSize().x - 100.f; - float y = -sf::Mouse::GetPosition(window).y * 200.f / window.GetSize().y + 100.f; + float x = sf::Mouse::getPosition(window).x * 200.f / window.getSize().x - 100.f; + float y = -sf::Mouse::getPosition(window).y * 200.f / window.getSize().y + 100.f; // Apply some transformations glMatrixMode(GL_MODELVIEW); glLoadIdentity(); glTranslatef(x, y, -100.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 50.f, 1.f, 0.f, 0.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 30.f, 0.f, 1.f, 0.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 90.f, 0.f, 0.f, 1.f); + glRotatef(clock.getElapsedTime().asSeconds() * 50.f, 1.f, 0.f, 0.f); + glRotatef(clock.getElapsedTime().asSeconds() * 30.f, 0.f, 1.f, 0.f); + glRotatef(clock.getElapsedTime().asSeconds() * 90.f, 0.f, 0.f, 1.f); // Draw a cube float size = 20.f; @@ -139,15 +139,15 @@ int main() glEnd(); // Draw some text on top of our OpenGL object - window.PushGLStates(); + window.pushGLStates(); sf::Text text("SFML / OpenGL demo"); - text.SetColor(sf::Color(255, 255, 255, 170)); - text.SetPosition(250.f, 450.f); - window.Draw(text); - window.PopGLStates(); + text.setColor(sf::Color(255, 255, 255, 170)); + text.setPosition(250.f, 450.f); + window.draw(text); + window.popGLStates(); // Finally, display the rendered frame on screen - window.Display(); + window.display(); } // Don't forget to destroy our texture diff --git a/examples/pong/Pong.cpp b/examples/pong/Pong.cpp index d3b263cb..1363b1a8 100644 --- a/examples/pong/Pong.cpp +++ b/examples/pong/Pong.cpp @@ -28,54 +28,54 @@ int main() // Create the window of the application sf::RenderWindow window(sf::VideoMode(gameWidth, gameHeight, 32), "SFML Pong"); - window.SetVerticalSyncEnabled(true); + window.setVerticalSyncEnabled(true); // Load the sounds used in the game sf::SoundBuffer ballSoundBuffer; - if (!ballSoundBuffer.LoadFromFile("resources/ball.wav")) + if (!ballSoundBuffer.loadFromFile("resources/ball.wav")) return EXIT_FAILURE; sf::Sound ballSound(ballSoundBuffer); // Create the left paddle sf::RectangleShape leftPaddle; - leftPaddle.SetSize(paddleSize - sf::Vector2f(3, 3)); - leftPaddle.SetOutlineThickness(3); - leftPaddle.SetOutlineColor(sf::Color::Black); - leftPaddle.SetFillColor(sf::Color(100, 100, 200)); - leftPaddle.SetOrigin(paddleSize / 2.f); + leftPaddle.setSize(paddleSize - sf::Vector2f(3, 3)); + leftPaddle.setOutlineThickness(3); + leftPaddle.setOutlineColor(sf::Color::Black); + leftPaddle.setFillColor(sf::Color(100, 100, 200)); + leftPaddle.setOrigin(paddleSize / 2.f); // Create the right paddle sf::RectangleShape rightPaddle; - rightPaddle.SetSize(paddleSize - sf::Vector2f(3, 3)); - rightPaddle.SetOutlineThickness(3); - rightPaddle.SetOutlineColor(sf::Color::Black); - rightPaddle.SetFillColor(sf::Color(200, 100, 100)); - rightPaddle.SetOrigin(paddleSize / 2.f); + rightPaddle.setSize(paddleSize - sf::Vector2f(3, 3)); + rightPaddle.setOutlineThickness(3); + rightPaddle.setOutlineColor(sf::Color::Black); + rightPaddle.setFillColor(sf::Color(200, 100, 100)); + rightPaddle.setOrigin(paddleSize / 2.f); // Create the ball sf::CircleShape ball; - ball.SetRadius(ballRadius - 3); - ball.SetOutlineThickness(3); - ball.SetOutlineColor(sf::Color::Black); - ball.SetFillColor(sf::Color::White); - ball.SetOrigin(ballRadius / 2, ballRadius / 2); + ball.setRadius(ballRadius - 3); + ball.setOutlineThickness(3); + ball.setOutlineColor(sf::Color::Black); + ball.setFillColor(sf::Color::White); + ball.setOrigin(ballRadius / 2, ballRadius / 2); // Load the text font sf::Font font; - if (!font.LoadFromFile("resources/sansation.ttf")) + if (!font.loadFromFile("resources/sansation.ttf")) return EXIT_FAILURE; // Initialize the pause message sf::Text pauseMessage; - pauseMessage.SetFont(font); - pauseMessage.SetCharacterSize(40); - pauseMessage.SetPosition(170.f, 150.f); - pauseMessage.SetColor(sf::Color::White); - pauseMessage.SetString("Welcome to SFML pong!\nPress space to start the game"); + pauseMessage.setFont(font); + pauseMessage.setCharacterSize(40); + pauseMessage.setPosition(170.f, 150.f); + pauseMessage.setColor(sf::Color::White); + pauseMessage.setString("Welcome to SFML pong!\nPress space to start the game"); // Define the paddles properties sf::Clock AITimer; - const sf::Time AITime = sf::Seconds(0.1f); + const sf::Time AITime = sf::seconds(0.1f); const float paddleSpeed = 400.f; float rightPaddleSpeed = 0.f; const float ballSpeed = 400.f; @@ -83,22 +83,22 @@ int main() sf::Clock clock; bool isPlaying = false; - while (window.IsOpen()) + while (window.isOpen()) { // Handle events sf::Event event; - while (window.PollEvent(event)) + while (window.pollEvent(event)) { // Window closed or escape key pressed: exit - if ((event.Type == sf::Event::Closed) || - ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Keyboard::Escape))) + if ((event.type == sf::Event::Closed) || + ((event.type == sf::Event::KeyPressed) && (event.key.code == sf::Keyboard::Escape))) { - window.Close(); + window.close(); break; } // Space key pressed: play - if ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Keyboard::Space)) + if ((event.type == sf::Event::KeyPressed) && (event.key.code == sf::Keyboard::Space)) { if (!isPlaying) { @@ -106,9 +106,9 @@ int main() isPlaying = true; // Reset the position of the paddles and ball - leftPaddle.SetPosition(10 + paddleSize.x / 2, gameHeight / 2); - rightPaddle.SetPosition(gameWidth - 10 - paddleSize.x / 2, gameHeight / 2); - ball.SetPosition(gameWidth / 2, gameHeight / 2); + leftPaddle.setPosition(10 + paddleSize.x / 2, gameHeight / 2); + rightPaddle.setPosition(gameWidth - 10 - paddleSize.x / 2, gameHeight / 2); + ball.setPosition(gameWidth / 2, gameHeight / 2); // Reset the ball angle do @@ -123,34 +123,34 @@ int main() if (isPlaying) { - float deltaTime = clock.Restart().AsSeconds(); + float deltaTime = clock.restart().asSeconds(); // Move the player's paddle - if (sf::Keyboard::IsKeyPressed(sf::Keyboard::Up) && - (leftPaddle.GetPosition().y - paddleSize.y / 2 > 5.f)) + if (sf::Keyboard::isKeyPressed(sf::Keyboard::Up) && + (leftPaddle.getPosition().y - paddleSize.y / 2 > 5.f)) { - leftPaddle.Move(0.f, -paddleSpeed * deltaTime); + leftPaddle.move(0.f, -paddleSpeed * deltaTime); } - if (sf::Keyboard::IsKeyPressed(sf::Keyboard::Down) && - (leftPaddle.GetPosition().y + paddleSize.y / 2 < gameHeight - 5.f)) + if (sf::Keyboard::isKeyPressed(sf::Keyboard::Down) && + (leftPaddle.getPosition().y + paddleSize.y / 2 < gameHeight - 5.f)) { - leftPaddle.Move(0.f, paddleSpeed * deltaTime); + leftPaddle.move(0.f, paddleSpeed * deltaTime); } // Move the computer's paddle - if (((rightPaddleSpeed < 0.f) && (rightPaddle.GetPosition().y - paddleSize.y / 2 > 5.f)) || - ((rightPaddleSpeed > 0.f) && (rightPaddle.GetPosition().y + paddleSize.y / 2 < gameHeight - 5.f))) + if (((rightPaddleSpeed < 0.f) && (rightPaddle.getPosition().y - paddleSize.y / 2 > 5.f)) || + ((rightPaddleSpeed > 0.f) && (rightPaddle.getPosition().y + paddleSize.y / 2 < gameHeight - 5.f))) { - rightPaddle.Move(0.f, rightPaddleSpeed * deltaTime); + rightPaddle.move(0.f, rightPaddleSpeed * deltaTime); } // Update the computer's paddle direction according to the ball position - if (AITimer.GetElapsedTime() > AITime) + if (AITimer.getElapsedTime() > AITime) { - AITimer.Restart(); - if (ball.GetPosition().y + ballRadius > rightPaddle.GetPosition().y + paddleSize.y / 2) + AITimer.restart(); + if (ball.getPosition().y + ballRadius > rightPaddle.getPosition().y + paddleSize.y / 2) rightPaddleSpeed = paddleSpeed; - else if (ball.GetPosition().y - ballRadius < rightPaddle.GetPosition().y - paddleSize.y / 2) + else if (ball.getPosition().y - ballRadius < rightPaddle.getPosition().y - paddleSize.y / 2) rightPaddleSpeed = -paddleSpeed; else rightPaddleSpeed = 0.f; @@ -158,82 +158,82 @@ int main() // Move the ball float factor = ballSpeed * deltaTime; - ball.Move(std::cos(ballAngle) * factor, std::sin(ballAngle) * factor); + ball.move(std::cos(ballAngle) * factor, std::sin(ballAngle) * factor); // Check collisions between the ball and the screen - if (ball.GetPosition().x - ballRadius < 0.f) + if (ball.getPosition().x - ballRadius < 0.f) { isPlaying = false; - pauseMessage.SetString("You lost !\nPress space to restart or\nescape to exit"); + pauseMessage.setString("You lost !\nPress space to restart or\nescape to exit"); } - if (ball.GetPosition().x + ballRadius > 800) + if (ball.getPosition().x + ballRadius > 800) { isPlaying = false; - pauseMessage.SetString("You won !\nPress space to restart or\nescape to exit"); + pauseMessage.setString("You won !\nPress space to restart or\nescape to exit"); } - if (ball.GetPosition().y - ballRadius < 0.f) + if (ball.getPosition().y - ballRadius < 0.f) { - ballSound.Play(); + ballSound.play(); ballAngle = -ballAngle; - ball.SetPosition(ball.GetPosition().x, ballRadius + 0.1f); + ball.setPosition(ball.getPosition().x, ballRadius + 0.1f); } - if (ball.GetPosition().y + ballRadius > gameHeight) + if (ball.getPosition().y + ballRadius > gameHeight) { - ballSound.Play(); + ballSound.play(); ballAngle = -ballAngle; - ball.SetPosition(ball.GetPosition().x, gameHeight - ballRadius - 0.1f); + ball.setPosition(ball.getPosition().x, gameHeight - ballRadius - 0.1f); } // Check the collisions between the ball and the paddles // Left Paddle - if (ball.GetPosition().x - ballRadius < leftPaddle.GetPosition().x + paddleSize.x / 2 && - ball.GetPosition().x - ballRadius > leftPaddle.GetPosition().x && - ball.GetPosition().y + ballRadius >= leftPaddle.GetPosition().y - paddleSize.y / 2 && - ball.GetPosition().y - ballRadius <= leftPaddle.GetPosition().y + paddleSize.y / 2) + if (ball.getPosition().x - ballRadius < leftPaddle.getPosition().x + paddleSize.x / 2 && + ball.getPosition().x - ballRadius > leftPaddle.getPosition().x && + ball.getPosition().y + ballRadius >= leftPaddle.getPosition().y - paddleSize.y / 2 && + ball.getPosition().y - ballRadius <= leftPaddle.getPosition().y + paddleSize.y / 2) { - if (ball.GetPosition().y > leftPaddle.GetPosition().y) + if (ball.getPosition().y > leftPaddle.getPosition().y) ballAngle = pi - ballAngle + (std::rand() % 20) * pi / 180; else ballAngle = pi - ballAngle - (std::rand() % 20) * pi / 180; - ballSound.Play(); - ball.SetPosition(leftPaddle.GetPosition().x + ballRadius + paddleSize.x / 2 + 0.1f, ball.GetPosition().y); + ballSound.play(); + ball.setPosition(leftPaddle.getPosition().x + ballRadius + paddleSize.x / 2 + 0.1f, ball.getPosition().y); } // Right Paddle - if (ball.GetPosition().x + ballRadius > rightPaddle.GetPosition().x - paddleSize.x / 2 && - ball.GetPosition().x + ballRadius < rightPaddle.GetPosition().x && - ball.GetPosition().y + ballRadius >= rightPaddle.GetPosition().y - paddleSize.y / 2 && - ball.GetPosition().y - ballRadius <= rightPaddle.GetPosition().y + paddleSize.y / 2) + if (ball.getPosition().x + ballRadius > rightPaddle.getPosition().x - paddleSize.x / 2 && + ball.getPosition().x + ballRadius < rightPaddle.getPosition().x && + ball.getPosition().y + ballRadius >= rightPaddle.getPosition().y - paddleSize.y / 2 && + ball.getPosition().y - ballRadius <= rightPaddle.getPosition().y + paddleSize.y / 2) { - if (ball.GetPosition().y > rightPaddle.GetPosition().y) + if (ball.getPosition().y > rightPaddle.getPosition().y) ballAngle = pi - ballAngle + (std::rand() % 20) * pi / 180; else ballAngle = pi - ballAngle - (std::rand() % 20) * pi / 180; - ballSound.Play(); - ball.SetPosition(rightPaddle.GetPosition().x - ballRadius - paddleSize.x / 2 - 0.1f, ball.GetPosition().y); + ballSound.play(); + ball.setPosition(rightPaddle.getPosition().x - ballRadius - paddleSize.x / 2 - 0.1f, ball.getPosition().y); } } // Clear the window - window.Clear(sf::Color(50, 200, 50)); + window.clear(sf::Color(50, 200, 50)); if (isPlaying) { // Draw the paddles and the ball - window.Draw(leftPaddle); - window.Draw(rightPaddle); - window.Draw(ball); + window.draw(leftPaddle); + window.draw(rightPaddle); + window.draw(ball); } else { // Draw the pause message - window.Draw(pauseMessage); + window.draw(pauseMessage); } // Display things on screen - window.Display(); + window.display(); } return EXIT_SUCCESS; diff --git a/examples/shader/Effect.hpp b/examples/shader/Effect.hpp index f979115f..66ff92fb 100644 --- a/examples/shader/Effect.hpp +++ b/examples/shader/Effect.hpp @@ -19,34 +19,34 @@ public : { } - const std::string& GetName() const + const std::string& getName() const { return m_name; } - void Load() + void load() { - m_isLoaded = sf::Shader::IsAvailable() && OnLoad(); + m_isLoaded = sf::Shader::isAvailable() && onLoad(); } - void Update(float time, float x, float y) + void update(float time, float x, float y) { if (m_isLoaded) - OnUpdate(time, x, y); + onUpdate(time, x, y); } - void Draw(sf::RenderTarget& target, sf::RenderStates states) const + void draw(sf::RenderTarget& target, sf::RenderStates states) const { if (m_isLoaded) { - OnDraw(target, states); + onDraw(target, states); } else { sf::Text error("Shader not\nsupported"); - error.SetPosition(320.f, 200.f); - error.SetCharacterSize(36); - target.Draw(error, states); + error.setPosition(320.f, 200.f); + error.setCharacterSize(36); + target.draw(error, states); } } @@ -61,9 +61,9 @@ protected : private : // Virtual functions to be implemented in derived effects - virtual bool OnLoad() = 0; - virtual void OnUpdate(float time, float x, float y) = 0; - virtual void OnDraw(sf::RenderTarget& target, sf::RenderStates states) const = 0; + virtual bool onLoad() = 0; + virtual void onUpdate(float time, float x, float y) = 0; + virtual void onDraw(sf::RenderTarget& target, sf::RenderStates states) const = 0; private : diff --git a/examples/shader/Shader.cpp b/examples/shader/Shader.cpp index 8478b825..3c989178 100644 --- a/examples/shader/Shader.cpp +++ b/examples/shader/Shader.cpp @@ -20,30 +20,30 @@ public : { } - bool OnLoad() + bool onLoad() { // Load the texture and initialize the sprite - if (!m_texture.LoadFromFile("resources/background.jpg")) + if (!m_texture.loadFromFile("resources/background.jpg")) return false; - m_sprite.SetTexture(m_texture); + m_sprite.setTexture(m_texture); // Load the shader - if (!m_shader.LoadFromFile("resources/pixelate.frag", sf::Shader::Fragment)) + if (!m_shader.loadFromFile("resources/pixelate.frag", sf::Shader::Fragment)) return false; - m_shader.SetParameter("texture", sf::Shader::CurrentTexture); + m_shader.setParameter("texture", sf::Shader::CurrentTexture); return true; } - void OnUpdate(float, float x, float y) + void onUpdate(float, float x, float y) { - m_shader.SetParameter("pixel_threshold", (x + y) / 30); + m_shader.setParameter("pixel_threshold", (x + y) / 30); } - void OnDraw(sf::RenderTarget& target, sf::RenderStates states) const + void onDraw(sf::RenderTarget& target, sf::RenderStates states) const { - states.Shader = &m_shader; - target.Draw(m_sprite, states); + states.shader = &m_shader; + target.draw(m_sprite, states); } private: @@ -66,10 +66,10 @@ public : { } - bool OnLoad() + bool onLoad() { // Create the text - m_text.SetString("Praesent suscipit augue in velit pulvinar hendrerit varius purus aliquam.\n" + m_text.setString("Praesent suscipit augue in velit pulvinar hendrerit varius purus aliquam.\n" "Mauris mi odio, bibendum quis fringilla a, laoreet vel orci. Proin vitae vulputate tortor.\n" "Praesent cursus ultrices justo, ut feugiat ante vehicula quis.\n" "Donec fringilla scelerisque mauris et viverra.\n" @@ -87,27 +87,27 @@ public : "Mauris ultricies dolor sed massa convallis sed aliquet augue fringilla.\n" "Duis erat eros, porta in accumsan in, blandit quis sem.\n" "In hac habitasse platea dictumst. Etiam fringilla est id odio dapibus sit amet semper dui laoreet.\n"); - m_text.SetCharacterSize(22); - m_text.SetPosition(30, 20); + m_text.setCharacterSize(22); + m_text.setPosition(30, 20); // Load the shader - if (!m_shader.LoadFromFile("resources/wave.vert", "resources/blur.frag")) + if (!m_shader.loadFromFile("resources/wave.vert", "resources/blur.frag")) return false; return true; } - void OnUpdate(float time, float x, float y) + void onUpdate(float time, float x, float y) { - m_shader.SetParameter("wave_phase", time); - m_shader.SetParameter("wave_amplitude", x * 40, y * 40); - m_shader.SetParameter("blur_radius", (x + y) * 0.008f); + m_shader.setParameter("wave_phase", time); + m_shader.setParameter("wave_amplitude", x * 40, y * 40); + m_shader.setParameter("blur_radius", (x + y) * 0.008f); } - void OnDraw(sf::RenderTarget& target, sf::RenderStates states) const + void onDraw(sf::RenderTarget& target, sf::RenderStates states) const { - states.Shader = &m_shader; - target.Draw(m_text, states); + states.shader = &m_shader; + target.draw(m_text, states); } private: @@ -129,10 +129,10 @@ public : { } - bool OnLoad() + bool onLoad() { // Create the points - m_points.SetPrimitiveType(sf::Points); + m_points.setPrimitiveType(sf::Points); for (int i = 0; i < 40000; ++i) { float x = static_cast(std::rand() % 800); @@ -140,29 +140,29 @@ public : sf::Uint8 r = std::rand() % 255; sf::Uint8 g = std::rand() % 255; sf::Uint8 b = std::rand() % 255; - m_points.Append(sf::Vertex(sf::Vector2f(x, y), sf::Color(r, g, b))); + m_points.append(sf::Vertex(sf::Vector2f(x, y), sf::Color(r, g, b))); } // Load the shader - if (!m_shader.LoadFromFile("resources/storm.vert", "resources/blink.frag")) + if (!m_shader.loadFromFile("resources/storm.vert", "resources/blink.frag")) return false; return true; } - void OnUpdate(float time, float x, float y) + void onUpdate(float time, float x, float y) { float radius = 200 + std::cos(time) * 150; - m_shader.SetParameter("storm_position", x * 800, y * 600); - m_shader.SetParameter("storm_inner_radius", radius / 3); - m_shader.SetParameter("storm_total_radius", radius); - m_shader.SetParameter("blink_alpha", 0.5f + std::cos(time * 3) * 0.25f); + m_shader.setParameter("storm_position", x * 800, y * 600); + m_shader.setParameter("storm_inner_radius", radius / 3); + m_shader.setParameter("storm_total_radius", radius); + m_shader.setParameter("blink_alpha", 0.5f + std::cos(time * 3) * 0.25f); } - void OnDraw(sf::RenderTarget& target, sf::RenderStates states) const + void onDraw(sf::RenderTarget& target, sf::RenderStates states) const { - states.Shader = &m_shader; - target.Draw(m_points, states); + states.shader = &m_shader; + target.draw(m_points, states); } private: @@ -184,24 +184,24 @@ public : { } - bool OnLoad() + bool onLoad() { // Create the off-screen surface - if (!m_surface.Create(800, 600)) + if (!m_surface.create(800, 600)) return false; - m_surface.SetSmooth(true); + m_surface.setSmooth(true); // Load the textures - if (!m_backgroundTexture.LoadFromFile("resources/sfml.png")) + if (!m_backgroundTexture.loadFromFile("resources/sfml.png")) return false; - m_backgroundTexture.SetSmooth(true); - if (!m_entityTexture.LoadFromFile("resources/devices.png")) + m_backgroundTexture.setSmooth(true); + if (!m_entityTexture.loadFromFile("resources/devices.png")) return false; - m_entityTexture.SetSmooth(true); + m_entityTexture.setSmooth(true); // Initialize the background sprite - m_backgroundSprite.SetTexture(m_backgroundTexture); - m_backgroundSprite.SetPosition(135, 100); + m_backgroundSprite.setTexture(m_backgroundTexture); + m_backgroundSprite.setPosition(135, 100); // Load the moving entities for (int i = 0; i < 6; ++i) @@ -211,37 +211,37 @@ public : } // Load the shader - if (!m_shader.LoadFromFile("resources/edge.frag", sf::Shader::Fragment)) + if (!m_shader.loadFromFile("resources/edge.frag", sf::Shader::Fragment)) return false; - m_shader.SetParameter("texture", sf::Shader::CurrentTexture); + m_shader.setParameter("texture", sf::Shader::CurrentTexture); return true; } - void OnUpdate(float time, float x, float y) + void onUpdate(float time, float x, float y) { - m_shader.SetParameter("edge_threshold", 1 - (x + y) / 2); + m_shader.setParameter("edge_threshold", 1 - (x + y) / 2); // Update the position of the moving entities for (std::size_t i = 0; i < m_entities.size(); ++i) { float x = std::cos(0.25f * (time * i + (m_entities.size() - i))) * 300 + 350; float y = std::sin(0.25f * (time * (m_entities.size() - i) + i)) * 200 + 250; - m_entities[i].SetPosition(x, y); + m_entities[i].setPosition(x, y); } // Render the updated scene to the off-screen surface - m_surface.Clear(sf::Color::White); - m_surface.Draw(m_backgroundSprite); + m_surface.clear(sf::Color::White); + m_surface.draw(m_backgroundSprite); for (std::size_t i = 0; i < m_entities.size(); ++i) - m_surface.Draw(m_entities[i]); - m_surface.Display(); + m_surface.draw(m_entities[i]); + m_surface.display(); } - void OnDraw(sf::RenderTarget& target, sf::RenderStates states) const + void onDraw(sf::RenderTarget& target, sf::RenderStates states) const { - states.Shader = &m_shader; - target.Draw(sf::Sprite(m_surface.GetTexture()), states); + states.shader = &m_shader; + target.draw(sf::Sprite(m_surface.getTexture()), states); } private: @@ -265,7 +265,7 @@ int main() { // Create the main window sf::RenderWindow window(sf::VideoMode(800, 600), "SFML Shader"); - window.SetVerticalSyncEnabled(true); + window.setVerticalSyncEnabled(true); // Create the effects std::vector effects; @@ -277,50 +277,50 @@ int main() // Initialize them for (std::size_t i = 0; i < effects.size(); ++i) - effects[i]->Load(); + effects[i]->load(); // Create the messages background sf::Texture textBackgroundTexture; - if (!textBackgroundTexture.LoadFromFile("resources/text-background.png")) + if (!textBackgroundTexture.loadFromFile("resources/text-background.png")) return EXIT_FAILURE; sf::Sprite textBackground(textBackgroundTexture); - textBackground.SetPosition(0, 520); - textBackground.SetColor(sf::Color(255, 255, 255, 200)); + textBackground.setPosition(0, 520); + textBackground.setColor(sf::Color(255, 255, 255, 200)); // Load the messages font sf::Font font; - if (!font.LoadFromFile("resources/sansation.ttf")) + if (!font.loadFromFile("resources/sansation.ttf")) return EXIT_FAILURE; // Create the description text - sf::Text description("Current effect: " + effects[current]->GetName(), font, 20); - description.SetPosition(10, 530); - description.SetColor(sf::Color(80, 80, 80)); + sf::Text description("Current effect: " + effects[current]->getName(), font, 20); + description.setPosition(10, 530); + description.setColor(sf::Color(80, 80, 80)); // Create the instructions text sf::Text instructions("Press left and right arrows to change the current shader", font, 20); - instructions.SetPosition(280, 555); - instructions.SetColor(sf::Color(80, 80, 80)); + instructions.setPosition(280, 555); + instructions.setColor(sf::Color(80, 80, 80)); // Start the game loop sf::Clock clock; - while (window.IsOpen()) + while (window.isOpen()) { // Process events sf::Event event; - while (window.PollEvent(event)) + while (window.pollEvent(event)) { // Close window: exit - if (event.Type == sf::Event::Closed) - window.Close(); + if (event.type == sf::Event::Closed) + window.close(); - if (event.Type == sf::Event::KeyPressed) + if (event.type == sf::Event::KeyPressed) { - switch (event.Key.Code) + switch (event.key.code) { // Escape key: exit case sf::Keyboard::Escape: - window.Close(); + window.close(); break; // Left arrow key: previous shader @@ -329,7 +329,7 @@ int main() current = effects.size() - 1; else current--; - description.SetString("Current effect: " + effects[current]->GetName()); + description.setString("Current effect: " + effects[current]->getName()); break; // Right arrow key: next shader @@ -338,7 +338,7 @@ int main() current = 0; else current++; - description.SetString("Current effect: " + effects[current]->GetName()); + description.setString("Current effect: " + effects[current]->getName()); break; default: @@ -348,23 +348,23 @@ int main() } // Update the current example - float x = static_cast(sf::Mouse::GetPosition(window).x) / window.GetSize().x; - float y = static_cast(sf::Mouse::GetPosition(window).y) / window.GetSize().y; - effects[current]->Update(clock.GetElapsedTime().AsSeconds(), x, y); + float x = static_cast(sf::Mouse::getPosition(window).x) / window.getSize().x; + float y = static_cast(sf::Mouse::getPosition(window).y) / window.getSize().y; + effects[current]->update(clock.getElapsedTime().asSeconds(), x, y); // Clear the window - window.Clear(sf::Color(255, 128, 0)); + window.clear(sf::Color(255, 128, 0)); // Draw the current example - window.Draw(*effects[current]); + window.draw(*effects[current]); // Draw the text - window.Draw(textBackground); - window.Draw(instructions); - window.Draw(description); + window.draw(textBackground); + window.draw(instructions); + window.draw(description); // Finally, display the rendered frame on screen - window.Display(); + window.display(); } // delete the effects diff --git a/examples/sockets/Sockets.cpp b/examples/sockets/Sockets.cpp index 1fd40565..a73609c2 100644 --- a/examples/sockets/Sockets.cpp +++ b/examples/sockets/Sockets.cpp @@ -6,10 +6,10 @@ #include -void RunTcpServer(unsigned short Port); -void RunTcpClient(unsigned short Port); -void RunUdpServer(unsigned short Port); -void RunUdpClient(unsigned short Port); +void runTcpServer(unsigned short port); +void runTcpClient(unsigned short port); +void runUdpServer(unsigned short port); +void runUdpClient(unsigned short port); //////////////////////////////////////////////////////////// @@ -37,17 +37,17 @@ int main() { // Test the TCP protocol if (who == 's') - RunTcpServer(port); + runTcpServer(port); else - RunTcpClient(port); + runTcpClient(port); } else { // Test the unconnected UDP protocol if (who == 's') - RunUdpServer(port); + runUdpServer(port); else - RunUdpClient(port); + runUdpClient(port); } // Wait until the user presses 'enter' key diff --git a/examples/sockets/TCP.cpp b/examples/sockets/TCP.cpp index 473d06e4..ff1e1f67 100644 --- a/examples/sockets/TCP.cpp +++ b/examples/sockets/TCP.cpp @@ -11,32 +11,32 @@ /// send a message and wait for the answer. /// //////////////////////////////////////////////////////////// -void RunTcpServer(unsigned short port) +void runTcpServer(unsigned short port) { // Create a server socket to accept new connections sf::TcpListener listener; // Listen to the given port for incoming connections - if (listener.Listen(port) != sf::Socket::Done) + if (listener.listen(port) != sf::Socket::Done) return; std::cout << "Server is listening to port " << port << ", waiting for connections... " << std::endl; // Wait for a connection sf::TcpSocket socket; - if (listener.Accept(socket) != sf::Socket::Done) + if (listener.accept(socket) != sf::Socket::Done) return; - std::cout << "Client connected: " << socket.GetRemoteAddress() << std::endl; + std::cout << "Client connected: " << socket.getRemoteAddress() << std::endl; // Send a message to the connected client const char out[] = "Hi, I'm the server"; - if (socket.Send(out, sizeof(out)) != sf::Socket::Done) + if (socket.send(out, sizeof(out)) != sf::Socket::Done) return; std::cout << "Message sent to the client: \"" << out << "\"" << std::endl; // Receive a message back from the client char in[128]; std::size_t received; - if (socket.Receive(in, sizeof(in), received) != sf::Socket::Done) + if (socket.receive(in, sizeof(in), received) != sf::Socket::Done) return; std::cout << "Answer received from the client: \"" << in << "\"" << std::endl; } @@ -47,7 +47,7 @@ void RunTcpServer(unsigned short port) /// welcome message and send an answer. /// //////////////////////////////////////////////////////////// -void RunTcpClient(unsigned short port) +void runTcpClient(unsigned short port) { // Ask for the server address sf::IpAddress server; @@ -62,20 +62,20 @@ void RunTcpClient(unsigned short port) sf::TcpSocket socket; // Connect to the server - if (socket.Connect(server, port) != sf::Socket::Done) + if (socket.connect(server, port) != sf::Socket::Done) return; std::cout << "Connected to server " << server << std::endl; // Receive a message from the server char in[128]; std::size_t received; - if (socket.Receive(in, sizeof(in), received) != sf::Socket::Done) + if (socket.receive(in, sizeof(in), received) != sf::Socket::Done) return; std::cout << "Message received from the server: \"" << in << "\"" << std::endl; // Send an answer to the server const char out[] = "Hi, I'm a client"; - if (socket.Send(out, sizeof(out)) != sf::Socket::Done) + if (socket.send(out, sizeof(out)) != sf::Socket::Done) return; std::cout << "Message sent to the server: \"" << out << "\"" << std::endl; } diff --git a/examples/sockets/UDP.cpp b/examples/sockets/UDP.cpp index 0cfcb0df..abc7b4bc 100644 --- a/examples/sockets/UDP.cpp +++ b/examples/sockets/UDP.cpp @@ -10,13 +10,13 @@ /// Launch a server, wait for a message, send an answer. /// //////////////////////////////////////////////////////////// -void RunUdpServer(unsigned short port) +void runUdpServer(unsigned short port) { // Create a socket to receive a message from anyone sf::UdpSocket socket; // Listen to messages on the specified port - if (socket.Bind(port) != sf::Socket::Done) + if (socket.bind(port) != sf::Socket::Done) return; std::cout << "Server is listening to port " << port << ", waiting for a message... " << std::endl; @@ -25,13 +25,13 @@ void RunUdpServer(unsigned short port) std::size_t received; sf::IpAddress sender; unsigned short senderPort; - if (socket.Receive(in, sizeof(in), received, sender, senderPort) != sf::Socket::Done) + if (socket.receive(in, sizeof(in), received, sender, senderPort) != sf::Socket::Done) return; std::cout << "Message received from client " << sender << ": \"" << in << "\"" << std::endl; // Send an answer to the client const char out[] = "Hi, I'm the server"; - if (socket.Send(out, sizeof(out), sender, senderPort) != sf::Socket::Done) + if (socket.send(out, sizeof(out), sender, senderPort) != sf::Socket::Done) return; std::cout << "Message sent to the client: \"" << out << "\"" << std::endl; } @@ -41,7 +41,7 @@ void RunUdpServer(unsigned short port) /// Send a message to the server, wait for the answer /// //////////////////////////////////////////////////////////// -void RunUdpClient(unsigned short port) +void runUdpClient(unsigned short port) { // Ask for the server address sf::IpAddress server; @@ -57,7 +57,7 @@ void RunUdpClient(unsigned short port) // Send a message to the server const char out[] = "Hi, I'm a client"; - if (socket.Send(out, sizeof(out), server, port) != sf::Socket::Done) + if (socket.send(out, sizeof(out), server, port) != sf::Socket::Done) return; std::cout << "Message sent to the server: \"" << out << "\"" << std::endl; @@ -66,7 +66,7 @@ void RunUdpClient(unsigned short port) std::size_t received; sf::IpAddress sender; unsigned short senderPort; - if (socket.Receive(in, sizeof(in), received, sender, senderPort) != sf::Socket::Done) + if (socket.receive(in, sizeof(in), received, sender, senderPort) != sf::Socket::Done) return; std::cout << "Message received from " << sender << ": \"" << in << "\"" << std::endl; } diff --git a/examples/sound/Sound.cpp b/examples/sound/Sound.cpp index 8ea7c9fb..5c75ab87 100644 --- a/examples/sound/Sound.cpp +++ b/examples/sound/Sound.cpp @@ -11,31 +11,31 @@ /// Play a sound /// //////////////////////////////////////////////////////////// -void PlaySound() +void playSound() { // Load a sound buffer from a wav file sf::SoundBuffer buffer; - if (!buffer.LoadFromFile("resources/canary.wav")) + if (!buffer.loadFromFile("resources/canary.wav")) return; // Display sound informations std::cout << "canary.wav :" << std::endl; - std::cout << " " << buffer.GetDuration().AsSeconds() << " seconds" << std::endl; - std::cout << " " << buffer.GetSampleRate() << " samples / sec" << std::endl; - std::cout << " " << buffer.GetChannelCount() << " channels" << std::endl; + std::cout << " " << buffer.getDuration().asSeconds() << " seconds" << std::endl; + std::cout << " " << buffer.getSampleRate() << " samples / sec" << std::endl; + std::cout << " " << buffer.getChannelCount() << " channels" << std::endl; // Create a sound instance and play it sf::Sound sound(buffer); - sound.Play(); + sound.play(); // Loop while the sound is playing - while (sound.GetStatus() == sf::Sound::Playing) + while (sound.getStatus() == sf::Sound::Playing) { // Leave some CPU time for other processes - sf::Sleep(sf::Milliseconds(100)); + sf::sleep(sf::milliseconds(100)); // Display the playing position - std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << sound.GetPlayingOffset().AsSeconds() << " sec "; + std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << sound.getPlayingOffset().asSeconds() << " sec "; std::cout << std::flush; } std::cout << std::endl << std::endl; @@ -46,30 +46,30 @@ void PlaySound() /// Play a music /// //////////////////////////////////////////////////////////// -void PlayMusic() +void playMusic() { // Load an ogg music file sf::Music music; - if (!music.OpenFromFile("resources/orchestral.ogg")) + if (!music.openFromFile("resources/orchestral.ogg")) return; // Display music informations std::cout << "orchestral.ogg :" << std::endl; - std::cout << " " << music.GetDuration().AsSeconds() << " seconds" << std::endl; - std::cout << " " << music.GetSampleRate() << " samples / sec" << std::endl; - std::cout << " " << music.GetChannelCount() << " channels" << std::endl; + std::cout << " " << music.getDuration().asSeconds() << " seconds" << std::endl; + std::cout << " " << music.getSampleRate() << " samples / sec" << std::endl; + std::cout << " " << music.getChannelCount() << " channels" << std::endl; // Play it - music.Play(); + music.play(); // Loop while the music is playing - while (music.GetStatus() == sf::Music::Playing) + while (music.getStatus() == sf::Music::Playing) { // Leave some CPU time for other processes - sf::Sleep(sf::Milliseconds(100)); + sf::sleep(sf::milliseconds(100)); // Display the playing position - std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << music.GetPlayingOffset().AsSeconds() << " sec "; + std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << music.getPlayingOffset().asSeconds() << " sec "; std::cout << std::flush; } std::cout << std::endl; @@ -85,10 +85,10 @@ void PlayMusic() int main() { // Play a sound - PlaySound(); + playSound(); // Play a music - PlayMusic(); + playMusic(); // Wait until the user presses 'enter' key std::cout << "Press enter to exit..." << std::endl; diff --git a/examples/sound_capture/SoundCapture.cpp b/examples/sound_capture/SoundCapture.cpp index 36e84288..a6946ac0 100644 --- a/examples/sound_capture/SoundCapture.cpp +++ b/examples/sound_capture/SoundCapture.cpp @@ -16,7 +16,7 @@ int main() { // Check that the device can capture audio - if (sf::SoundRecorder::IsAvailable() == false) + if (sf::SoundRecorder::isAvailable() == false) { std::cout << "Sorry, audio capture is not supported by your system" << std::endl; return EXIT_SUCCESS; @@ -36,19 +36,19 @@ int main() sf::SoundBufferRecorder recorder; // Audio capture is done in a separate thread, so we can block the main thread while it is capturing - recorder.Start(sampleRate); + recorder.start(sampleRate); std::cout << "Recording... press enter to stop"; std::cin.ignore(10000, '\n'); - recorder.Stop(); + recorder.stop(); // Get the buffer containing the captured data - const sf::SoundBuffer& buffer = recorder.GetBuffer(); + const sf::SoundBuffer& buffer = recorder.getBuffer(); // Display captured sound informations std::cout << "Sound information :" << std::endl; - std::cout << " " << buffer.GetDuration().AsSeconds() << " seconds" << std::endl; - std::cout << " " << buffer.GetSampleRate() << " samples / seconds" << std::endl; - std::cout << " " << buffer.GetChannelCount() << " channels" << std::endl; + std::cout << " " << buffer.getDuration().asSeconds() << " seconds" << std::endl; + std::cout << " " << buffer.getSampleRate() << " samples / seconds" << std::endl; + std::cout << " " << buffer.getChannelCount() << " channels" << std::endl; // Choose what to do with the recorded sound data char choice; @@ -64,23 +64,23 @@ int main() std::getline(std::cin, filename); // Save the buffer - buffer.SaveToFile(filename); + buffer.saveToFile(filename); } else { // Create a sound instance and play it sf::Sound sound(buffer); - sound.Play(); + sound.play(); // Wait until finished - while (sound.GetStatus() == sf::Sound::Playing) + while (sound.getStatus() == sf::Sound::Playing) { // Display the playing position - std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << sound.GetPlayingOffset().AsSeconds() << " sec"; + std::cout << "\rPlaying... " << std::fixed << std::setprecision(2) << sound.getPlayingOffset().asSeconds() << " sec"; std::cout << std::flush; // Leave some CPU time for other threads - sf::Sleep(sf::Milliseconds(100)); + sf::sleep(sf::milliseconds(100)); } } diff --git a/examples/voip/Client.cpp b/examples/voip/Client.cpp index d597ab17..ceb2da60 100644 --- a/examples/voip/Client.cpp +++ b/examples/voip/Client.cpp @@ -38,9 +38,9 @@ private : /// /see SoundRecorder::OnStart /// //////////////////////////////////////////////////////////// - virtual bool OnStart() + virtual bool onStart() { - if (m_socket.Connect(m_host, m_port) == sf::Socket::Done) + if (m_socket.connect(m_host, m_port) == sf::Socket::Done) { std::cout << "Connected to server " << m_host << std::endl; return true; @@ -55,30 +55,30 @@ private : /// /see SoundRecorder::ProcessSamples /// //////////////////////////////////////////////////////////// - virtual bool OnProcessSamples(const sf::Int16* samples, std::size_t sampleCount) + virtual bool onProcessSamples(const sf::Int16* samples, std::size_t sampleCount) { // Pack the audio samples into a network packet sf::Packet packet; packet << audioData; - packet.Append(samples, sampleCount * sizeof(sf::Int16)); + packet.append(samples, sampleCount * sizeof(sf::Int16)); // Send the audio packet to the server - return m_socket.Send(packet) == sf::Socket::Done; + return m_socket.send(packet) == sf::Socket::Done; } //////////////////////////////////////////////////////////// /// /see SoundRecorder::OnStop /// //////////////////////////////////////////////////////////// - virtual void OnStop() + virtual void onStop() { // Send a "end-of-stream" packet sf::Packet packet; packet << endOfStream; - m_socket.Send(packet); + m_socket.send(packet); // Close the socket - m_socket.Disconnect(); + m_socket.disconnect(); } //////////////////////////////////////////////////////////// @@ -95,10 +95,10 @@ private : /// start sending him audio data /// //////////////////////////////////////////////////////////// -void DoClient(unsigned short port) +void doClient(unsigned short port) { // Check that the device can capture audio - if (sf::SoundRecorder::IsAvailable() == false) + if (sf::SoundRecorder::isAvailable() == false) { std::cout << "Sorry, audio capture is not supported by your system" << std::endl; return; @@ -122,8 +122,8 @@ void DoClient(unsigned short port) std::cin.ignore(10000, '\n'); // Start capturing audio data - recorder.Start(44100); + recorder.start(44100); std::cout << "Recording... press enter to stop"; std::cin.ignore(10000, '\n'); - recorder.Stop(); + recorder.stop(); } diff --git a/examples/voip/Server.cpp b/examples/voip/Server.cpp index 06027ba3..fb318d36 100644 --- a/examples/voip/Server.cpp +++ b/examples/voip/Server.cpp @@ -30,37 +30,37 @@ public : m_hasFinished(false) { // Set the sound parameters - Initialize(1, 44100); + initialize(1, 44100); } //////////////////////////////////////////////////////////// /// Run the server, stream audio data from the client /// //////////////////////////////////////////////////////////// - void Start(unsigned short port) + void start(unsigned short port) { if (!m_hasFinished) { // Listen to the given port for incoming connections - if (m_listener.Listen(port) != sf::Socket::Done) + if (m_listener.listen(port) != sf::Socket::Done) return; std::cout << "Server is listening to port " << port << ", waiting for connections... " << std::endl; // Wait for a connection - if (m_listener.Accept(m_client) != sf::Socket::Done) + if (m_listener.accept(m_client) != sf::Socket::Done) return; - std::cout << "Client connected: " << m_client.GetRemoteAddress() << std::endl; + std::cout << "Client connected: " << m_client.getRemoteAddress() << std::endl; // Start playback - Play(); + play(); // Start receiving audio data - ReceiveLoop(); + receiveLoop(); } else { // Start playback - Play(); + play(); } } @@ -70,7 +70,7 @@ private : /// /see SoundStream::OnGetData /// //////////////////////////////////////////////////////////// - virtual bool OnGetData(sf::SoundStream::Chunk& data) + virtual bool onGetData(sf::SoundStream::Chunk& data) { // We have reached the end of the buffer and all audio data have been played : we can stop playback if ((m_offset >= m_samples.size()) && m_hasFinished) @@ -78,7 +78,7 @@ private : // No new data has arrived since last update : wait until we get some while ((m_offset >= m_samples.size()) && !m_hasFinished) - sf::Sleep(sf::Milliseconds(10)); + sf::sleep(sf::milliseconds(10)); // Copy samples into a local buffer to avoid synchronization problems // (don't forget that we run in two separate threads) @@ -88,8 +88,8 @@ private : } // Fill audio data to pass to the stream - data.Samples = &m_tempBuffer[0]; - data.SampleCount = m_tempBuffer.size(); + data.samples = &m_tempBuffer[0]; + data.sampleCount = m_tempBuffer.size(); // Update the playing offset m_offset += m_tempBuffer.size(); @@ -101,22 +101,22 @@ private : /// /see SoundStream::OnSeek /// //////////////////////////////////////////////////////////// - virtual void OnSeek(sf::Time timeOffset) + virtual void onSeek(sf::Time timeOffset) { - m_offset = timeOffset.AsMilliseconds() * GetSampleRate() * GetChannelCount() / 1000; + m_offset = timeOffset.asMilliseconds() * getSampleRate() * getChannelCount() / 1000; } //////////////////////////////////////////////////////////// /// Get audio data from the client until playback is stopped /// //////////////////////////////////////////////////////////// - void ReceiveLoop() + void receiveLoop() { while (!m_hasFinished) { // Get waiting audio data from the network sf::Packet packet; - if (m_client.Receive(packet) != sf::Socket::Done) + if (m_client.receive(packet) != sf::Socket::Done) break; // Extract the message ID @@ -126,8 +126,8 @@ private : if (id == audioData) { // Extract audio samples from the packet, and append it to our samples buffer - const sf::Int16* samples = reinterpret_cast(packet.GetData() + 1); - std::size_t sampleCount = (packet.GetDataSize() - 1) / sizeof(sf::Int16); + const sf::Int16* samples = reinterpret_cast(packet.getData() + 1); + std::size_t sampleCount = (packet.getDataSize() - 1) / sizeof(sf::Int16); // Don't forget that the other thread can access the sample array at any time // (so we protect any operation on it with the mutex) @@ -169,17 +169,17 @@ private : /// a connected client /// //////////////////////////////////////////////////////////// -void DoServer(unsigned short port) +void doServer(unsigned short port) { // Build an audio stream to play sound data as it is received through the network NetworkAudioStream audioStream; - audioStream.Start(port); + audioStream.start(port); // Loop until the sound playback is finished - while (audioStream.GetStatus() != sf::SoundStream::Stopped) + while (audioStream.getStatus() != sf::SoundStream::Stopped) { // Leave some CPU time for other threads - sf::Sleep(sf::Milliseconds(100)); + sf::sleep(sf::milliseconds(100)); } std::cin.ignore(10000, '\n'); @@ -189,12 +189,12 @@ void DoServer(unsigned short port) std::cin.ignore(10000, '\n'); // Replay the sound (just to make sure replaying the received data is OK) - audioStream.Play(); + audioStream.play(); // Loop until the sound playback is finished - while (audioStream.GetStatus() != sf::SoundStream::Stopped) + while (audioStream.getStatus() != sf::SoundStream::Stopped) { // Leave some CPU time for other threads - sf::Sleep(sf::Milliseconds(100)); + sf::sleep(sf::milliseconds(100)); } } diff --git a/examples/voip/VoIP.cpp b/examples/voip/VoIP.cpp index dfc7e9d6..93f95129 100644 --- a/examples/voip/VoIP.cpp +++ b/examples/voip/VoIP.cpp @@ -11,8 +11,8 @@ // Function prototypes // (I'm too lazy to put them into separate headers...) //////////////////////////////////////////////////////////// -void DoClient(unsigned short port); -void DoServer(unsigned short port); +void doClient(unsigned short port); +void doServer(unsigned short port); //////////////////////////////////////////////////////////// @@ -34,12 +34,12 @@ int main() if (who == 's') { // Run as a server - DoServer(port); + doServer(port); } else { // Run as a client - DoClient(port); + doClient(port); } // Wait until the user presses 'enter' key diff --git a/examples/win32/Win32.cpp b/examples/win32/Win32.cpp index a8b2ae25..c3da1d1d 100644 --- a/examples/win32/Win32.cpp +++ b/examples/win32/Win32.cpp @@ -13,7 +13,7 @@ HWND button; /// Function called whenever one of our windows receives a message /// //////////////////////////////////////////////////////////// -LRESULT CALLBACK OnEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam) +LRESULT CALLBACK onEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam) { switch (message) { @@ -52,7 +52,7 @@ INT WINAPI WinMain(HINSTANCE instance, HINSTANCE, LPSTR, INT) // Define a class for our main window WNDCLASS windowClass; windowClass.style = 0; - windowClass.lpfnWndProc = &OnEvent; + windowClass.lpfnWndProc = &onEvent; windowClass.cbClsExtra = 0; windowClass.cbWndExtra = 0; windowClass.hInstance = instance; @@ -77,12 +77,12 @@ INT WINAPI WinMain(HINSTANCE instance, HINSTANCE, LPSTR, INT) // Load some textures to display sf::Texture texture1, texture2; - if (!texture1.LoadFromFile("resources/image1.jpg") || !texture2.LoadFromFile("resources/image2.jpg")) + if (!texture1.loadFromFile("resources/image1.jpg") || !texture2.loadFromFile("resources/image2.jpg")) return EXIT_FAILURE; sf::Sprite sprite1(texture1); sf::Sprite sprite2(texture2); - sprite1.SetOrigin(texture1.GetWidth() / 2.f, texture1.GetHeight() / 2.f); - sprite1.SetPosition(sprite1.GetOrigin()); + sprite1.setOrigin(texture1.getWidth() / 2.f, texture1.getHeight() / 2.f); + sprite1.setPosition(sprite1.getOrigin()); // Create a clock for measuring elapsed time sf::Clock clock; @@ -100,23 +100,23 @@ INT WINAPI WinMain(HINSTANCE instance, HINSTANCE, LPSTR, INT) } else { - float time = clock.GetElapsedTime().AsSeconds(); + float time = clock.getElapsedTime().asSeconds(); // Clear views - SFMLView1.Clear(); - SFMLView2.Clear(); + SFMLView1.clear(); + SFMLView2.clear(); // Draw sprite 1 on view 1 - sprite1.SetRotation(time * 100); - SFMLView1.Draw(sprite1); + sprite1.setRotation(time * 100); + SFMLView1.draw(sprite1); // Draw sprite 2 on view 2 - sprite2.SetPosition(std::cos(time) * 100.f, 0.f); - SFMLView2.Draw(sprite2); + sprite2.setPosition(std::cos(time) * 100.f, 0.f); + SFMLView2.draw(sprite2); // Display each view on screen - SFMLView1.Display(); - SFMLView2.Display(); + SFMLView1.display(); + SFMLView2.display(); } } diff --git a/examples/window/Window.cpp b/examples/window/Window.cpp index 9c79688e..1ee4725d 100644 --- a/examples/window/Window.cpp +++ b/examples/window/Window.cpp @@ -34,29 +34,29 @@ int main() gluPerspective(90.f, 1.f, 1.f, 500.f); // Start the game loop - while (window.IsOpen()) + while (window.isOpen()) { // Process events sf::Event event; - while (window.PollEvent(event)) + while (window.pollEvent(event)) { // Close window : exit - if (event.Type == sf::Event::Closed) - window.Close(); + if (event.type == sf::Event::Closed) + window.close(); // Escape key : exit - if ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Keyboard::Escape)) - window.Close(); + if ((event.type == sf::Event::KeyPressed) && (event.key.code == sf::Keyboard::Escape)) + window.close(); // Resize event : adjust viewport - if (event.Type == sf::Event::Resized) - glViewport(0, 0, event.Size.Width, event.Size.Height); + if (event.type == sf::Event::Resized) + glViewport(0, 0, event.size.width, event.size.height); } // Activate the window before using OpenGL commands. // This is useless here because we have only one window which is // always the active one, but don't forget it if you use multiple windows - window.SetActive(); + window.setActive(); // Clear color and depth buffer glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT); @@ -65,9 +65,9 @@ int main() glMatrixMode(GL_MODELVIEW); glLoadIdentity(); glTranslatef(0.f, 0.f, -200.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 50, 1.f, 0.f, 0.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 30, 0.f, 1.f, 0.f); - glRotatef(clock.GetElapsedTime().AsSeconds() * 90, 0.f, 0.f, 1.f); + glRotatef(clock.getElapsedTime().asSeconds() * 50, 1.f, 0.f, 0.f); + glRotatef(clock.getElapsedTime().asSeconds() * 30, 0.f, 1.f, 0.f); + glRotatef(clock.getElapsedTime().asSeconds() * 90, 0.f, 0.f, 1.f); // Draw a cube glBegin(GL_QUADS); @@ -111,7 +111,7 @@ int main() glEnd(); // Finally, display the rendered frame on screen - window.Display(); + window.display(); } return EXIT_SUCCESS; diff --git a/include/SFML/Audio/Listener.hpp b/include/SFML/Audio/Listener.hpp index 0d36a9f5..b9c3cb36 100644 --- a/include/SFML/Audio/Listener.hpp +++ b/include/SFML/Audio/Listener.hpp @@ -52,20 +52,20 @@ public : /// /// \param volume New global volume, in the range [0, 100] /// - /// \see GetGlobalVolume + /// \see getGlobalVolume /// //////////////////////////////////////////////////////////// - static void SetGlobalVolume(float volume); + static void setGlobalVolume(float volume); //////////////////////////////////////////////////////////// /// \brief Get the current value of the global volume /// /// \return Current global volume, in the range [0, 100] /// - /// \see SetGlobalVolume + /// \see setGlobalVolume /// //////////////////////////////////////////////////////////// - static float GetGlobalVolume(); + static float getGlobalVolume(); //////////////////////////////////////////////////////////// /// \brief Set the position of the listener in the scene @@ -76,10 +76,10 @@ public : /// \param y Y coordinate of the listener's position /// \param z Z coordinate of the listener's position /// - /// \see GetPosition, SetDirection + /// \see getPosition, setDirection /// //////////////////////////////////////////////////////////// - static void SetPosition(float x, float y, float z); + static void setPosition(float x, float y, float z); //////////////////////////////////////////////////////////// /// \brief Set the position of the listener in the scene @@ -88,20 +88,20 @@ public : /// /// \param position New listener's position /// - /// \see GetPosition, SetDirection + /// \see getPosition, setDirection /// //////////////////////////////////////////////////////////// - static void SetPosition(const Vector3f& position); + static void setPosition(const Vector3f& position); //////////////////////////////////////////////////////////// /// \brief Get the current position of the listener in the scene /// /// \return Listener's position /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - static Vector3f GetPosition(); + static Vector3f getPosition(); //////////////////////////////////////////////////////////// /// \brief Set the orientation of the listener in the scene @@ -115,10 +115,10 @@ public : /// \param y Y coordinate of the listener's orientation /// \param z Z coordinate of the listener's orientation /// - /// \see GetDirection, SetPosition + /// \see getDirection, setPosition /// //////////////////////////////////////////////////////////// - static void SetDirection(float x, float y, float z); + static void setDirection(float x, float y, float z); //////////////////////////////////////////////////////////// /// \brief Set the orientation of the listener in the scene @@ -130,20 +130,20 @@ public : /// /// \param direction New listener's orientation /// - /// \see GetDirection, SetPosition + /// \see getDirection, setPosition /// //////////////////////////////////////////////////////////// - static void SetDirection(const Vector3f& direction); + static void setDirection(const Vector3f& direction); //////////////////////////////////////////////////////////// /// \brief Get the current orientation of the listener in the scene /// /// \return Listener's orientation /// - /// \see SetDirection + /// \see setDirection /// //////////////////////////////////////////////////////////// - static Vector3f GetDirection(); + static Vector3f getDirection(); }; } // namespace sf @@ -172,7 +172,7 @@ public : /// Usage example: /// \code /// // Move the listener to the position (1, 0, -5) -/// sf::Listener::SetPosition(1, 0, -5); +/// sf::Listener::setPosition(1, 0, -5); /// /// // Make it face the right axis (1, 0, 0) /// sf::Listener::SetDirection(1, 0, 0); diff --git a/include/SFML/Audio/Music.hpp b/include/SFML/Audio/Music.hpp index 6c2db145..7d1defd7 100644 --- a/include/SFML/Audio/Music.hpp +++ b/include/SFML/Audio/Music.hpp @@ -68,7 +68,7 @@ public : //////////////////////////////////////////////////////////// /// \brief Open a music from an audio file /// - /// This function doesn't start playing the music (call Play() + /// This function doesn't start playing the music (call play() /// to do so). /// Here is a complete list of all the supported audio formats: /// ogg, wav, flac, aiff, au, raw, paf, svx, nist, voc, ircam, @@ -78,15 +78,15 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see OpenFromMemory, OpenFromStream + /// \see openFromMemory, openFromStream /// //////////////////////////////////////////////////////////// - bool OpenFromFile(const std::string& filename); + bool openFromFile(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Open a music from an audio file in memory /// - /// This function doesn't start playing the music (call Play() + /// This function doesn't start playing the music (call play() /// to do so). /// Here is a complete list of all the supported audio formats: /// ogg, wav, flac, aiff, au, raw, paf, svx, nist, voc, ircam, @@ -97,15 +97,15 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see OpenFromFile, OpenFromStream + /// \see openFromFile, openFromStream /// //////////////////////////////////////////////////////////// - bool OpenFromMemory(const void* data, std::size_t sizeInBytes); + bool openFromMemory(const void* data, std::size_t sizeInBytes); //////////////////////////////////////////////////////////// /// \brief Open a music from an audio file in a custom stream /// - /// This function doesn't start playing the music (call Play() + /// This function doesn't start playing the music (call play() /// to do so). /// Here is a complete list of all the supported audio formats: /// ogg, wav, flac, aiff, au, raw, paf, svx, nist, voc, ircam, @@ -115,10 +115,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see OpenFromFile, OpenFromMemory + /// \see openFromFile, openFromMemory /// //////////////////////////////////////////////////////////// - bool OpenFromStream(InputStream& stream); + bool openFromStream(InputStream& stream); //////////////////////////////////////////////////////////// /// \brief Get the total duration of the music @@ -126,7 +126,7 @@ public : /// \return Music duration /// //////////////////////////////////////////////////////////// - Time GetDuration() const; + Time getDuration() const; protected : @@ -141,7 +141,7 @@ protected : /// \return True to continue playback, false to stop /// //////////////////////////////////////////////////////////// - virtual bool OnGetData(Chunk& data); + virtual bool onGetData(Chunk& data); //////////////////////////////////////////////////////////// /// \brief Change the current playing position in the stream source @@ -149,7 +149,7 @@ protected : /// \param timeOffset New playing position, from the beginning of the music /// //////////////////////////////////////////////////////////// - virtual void OnSeek(Time timeOffset); + virtual void onSeek(Time timeOffset); private : @@ -157,7 +157,7 @@ private : /// \brief Initialize the internal state after loading a new music /// //////////////////////////////////////////////////////////// - void Initialize(); + void initialize(); //////////////////////////////////////////////////////////// // Member data @@ -191,7 +191,7 @@ private : /// /// As a sound stream, a music is played in its own thread in order /// not to block the rest of the program. This means that you can -/// leave the music alone after calling Play(), it will manage itself +/// leave the music alone after calling play(), it will manage itself /// very well. /// /// Usage example: @@ -200,19 +200,19 @@ private : /// sf::Music music; /// /// // Open it from an audio file -/// if (!music.OpenFromFile("music.ogg")) +/// if (!music.openFromFile("music.ogg")) /// { /// // error... /// } /// /// // Change some parameters -/// music.SetPosition(0, 1, 10); // change its 3D position -/// music.SetPitch(2); // increase the pitch -/// music.SetVolume(50); // reduce the volume -/// music.SetLoop(true); // make it loop +/// music.setPosition(0, 1, 10); // change its 3D position +/// music.setPitch(2); // increase the pitch +/// music.setVolume(50); // reduce the volume +/// music.setLoop(true); // make it loop /// /// // Play it -/// music.Play(); +/// music.play(); /// \endcode /// /// \see sf::Sound, sf::SoundStream diff --git a/include/SFML/Audio/Sound.hpp b/include/SFML/Audio/Sound.hpp index 6830462f..d0a34f43 100644 --- a/include/SFML/Audio/Sound.hpp +++ b/include/SFML/Audio/Sound.hpp @@ -86,7 +86,7 @@ public : /// \see Pause, Stop /// //////////////////////////////////////////////////////////// - void Play(); + void play(); //////////////////////////////////////////////////////////// /// \brief Pause the sound @@ -97,19 +97,19 @@ public : /// \see Play, Stop /// //////////////////////////////////////////////////////////// - void Pause(); + void pause(); //////////////////////////////////////////////////////////// /// \brief Stop playing the sound /// /// This function stops the sound if it was playing or paused, /// and does nothing if it was already stopped. - /// It also resets the playing position (unlike Pause()). + /// It also resets the playing position (unlike pause()). /// /// \see Play, Pause /// //////////////////////////////////////////////////////////// - void Stop(); + void stop(); //////////////////////////////////////////////////////////// /// \brief Set the source buffer containing the audio data to play @@ -123,22 +123,22 @@ public : /// \see GetBuffer /// //////////////////////////////////////////////////////////// - void SetBuffer(const SoundBuffer& buffer); + void setBuffer(const SoundBuffer& buffer); //////////////////////////////////////////////////////////// /// \brief Set whether or not the sound should loop after reaching the end /// /// If set, the sound will restart from beginning after /// reaching the end and so on, until it is stopped or - /// SetLoop(false) is called. + /// setLoop(false) is called. /// The default looping state for sound is false. /// /// \param loop True to play in loop, false to play once /// - /// \see GetLoop + /// \see getLoop /// //////////////////////////////////////////////////////////// - void SetLoop(bool loop); + void setLoop(bool loop); //////////////////////////////////////////////////////////// /// \brief Change the current playing position of the sound @@ -148,10 +148,10 @@ public : /// /// \param timeOffset New playing position, from the beginning of the sound /// - /// \see GetPlayingOffset + /// \see getPlayingOffset /// //////////////////////////////////////////////////////////// - void SetPlayingOffset(Time timeOffset); + void setPlayingOffset(Time timeOffset); //////////////////////////////////////////////////////////// /// \brief Get the audio buffer attached to the sound @@ -159,27 +159,27 @@ public : /// \return Sound buffer attached to the sound (can be NULL) /// //////////////////////////////////////////////////////////// - const SoundBuffer* GetBuffer() const; + const SoundBuffer* getBuffer() const; //////////////////////////////////////////////////////////// /// \brief Tell whether or not the sound is in loop mode /// /// \return True if the sound is looping, false otherwise /// - /// \see SetLoop + /// \see setLoop /// //////////////////////////////////////////////////////////// - bool GetLoop() const; + bool getLoop() const; //////////////////////////////////////////////////////////// /// \brief Get the current playing position of the sound /// /// \return Current playing position, from the beginning of the sound /// - /// \see SetPlayingOffset + /// \see setPlayingOffset /// //////////////////////////////////////////////////////////// - Time GetPlayingOffset() const; + Time getPlayingOffset() const; //////////////////////////////////////////////////////////// /// \brief Get the current status of the sound (stopped, paused, playing) @@ -187,7 +187,7 @@ public : /// \return Current status of the sound /// //////////////////////////////////////////////////////////// - Status GetStatus() const; + Status getStatus() const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -208,7 +208,7 @@ public : /// the sound from using a dead buffer. /// //////////////////////////////////////////////////////////// - void ResetBuffer(); + void resetBuffer(); private : @@ -242,7 +242,7 @@ private : /// /// In order to work, a sound must be given a buffer of audio /// data to play. Audio data (samples) is stored in sf::SoundBuffer, -/// and attached to a sound with the SetBuffer() function. +/// and attached to a sound with the setBuffer() function. /// The buffer object attached to a sound must remain alive /// as long as the sound uses it. Note that multiple sounds /// can use the same sound buffer at the same time. @@ -250,11 +250,11 @@ private : /// Usage example: /// \code /// sf::SoundBuffer buffer; -/// buffer.LoadFromFile("sound.wav"); +/// buffer.loadFromFile("sound.wav"); /// /// sf::Sound sound; -/// sound.SetBuffer(buffer); -/// sound.Play(); +/// sound.setBuffer(buffer); +/// sound.play(); /// \endcode /// /// \see sf::SoundBuffer, sf::Music diff --git a/include/SFML/Audio/SoundBuffer.hpp b/include/SFML/Audio/SoundBuffer.hpp index 90f63778..db56c2f6 100644 --- a/include/SFML/Audio/SoundBuffer.hpp +++ b/include/SFML/Audio/SoundBuffer.hpp @@ -84,10 +84,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromMemory, LoadFromStream, LoadFromSamples, SaveToFile + /// \see loadFromMemory, loadFromStream, loadFromSamples, saveToFile /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& filename); + bool loadFromFile(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Load the sound buffer from a file in memory @@ -101,10 +101,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromStream, LoadFromSamples + /// \see loadFromFile, loadFromStream, loadFromSamples /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const void* data, std::size_t sizeInBytes); + bool loadFromMemory(const void* data, std::size_t sizeInBytes); //////////////////////////////////////////////////////////// /// \brief Load the sound buffer from a custom stream @@ -117,10 +117,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory, LoadFromSamples + /// \see loadFromFile, loadFromMemory, loadFromSamples /// //////////////////////////////////////////////////////////// - bool LoadFromStream(InputStream& stream); + bool loadFromStream(InputStream& stream); //////////////////////////////////////////////////////////// /// \brief Load the sound buffer from an array of audio samples @@ -135,10 +135,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory, SaveToFile + /// \see loadFromFile, loadFromMemory, saveToFile /// //////////////////////////////////////////////////////////// - bool LoadFromSamples(const Int16* samples, std::size_t sampleCount, unsigned int channelCount, unsigned int sampleRate); + bool loadFromSamples(const Int16* samples, std::size_t sampleCount, unsigned int channelCount, unsigned int sampleRate); //////////////////////////////////////////////////////////// /// \brief Save the sound buffer to an audio file @@ -151,37 +151,37 @@ public : /// /// \return True if saving succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory, LoadFromSamples + /// \see loadFromFile, loadFromMemory, loadFromSamples /// //////////////////////////////////////////////////////////// - bool SaveToFile(const std::string& filename) const; + bool saveToFile(const std::string& filename) const; //////////////////////////////////////////////////////////// /// \brief Get the array of audio samples stored in the buffer /// /// The format of the returned samples is 16 bits signed integer /// (sf::Int16). The total number of samples in this array - /// is given by the GetSampleCount() function. + /// is given by the getSampleCount() function. /// /// \return Read-only pointer to the array of sound samples /// - /// \see GetSampleCount + /// \see getSampleCount /// //////////////////////////////////////////////////////////// - const Int16* GetSamples() const; + const Int16* getSamples() const; //////////////////////////////////////////////////////////// /// \brief Get the number of samples stored in the buffer /// - /// The array of samples can be accessed with the GetSamples() + /// The array of samples can be accessed with the getSamples() /// function. /// /// \return Number of samples /// - /// \see GetSamples + /// \see getSamples /// //////////////////////////////////////////////////////////// - std::size_t GetSampleCount() const; + std::size_t getSampleCount() const; //////////////////////////////////////////////////////////// /// \brief Get the sample rate of the sound @@ -192,10 +192,10 @@ public : /// /// \return Sample rate (number of samples per second) /// - /// \see GetChannelCount, GetDuration + /// \see getChannelCount, getDuration /// //////////////////////////////////////////////////////////// - unsigned int GetSampleRate() const; + unsigned int getSampleRate() const; //////////////////////////////////////////////////////////// /// \brief Get the number of channels used by the sound @@ -205,20 +205,20 @@ public : /// /// \return Number of channels /// - /// \see GetSampleRate, GetDuration + /// \see getSampleRate, getDuration /// //////////////////////////////////////////////////////////// - unsigned int GetChannelCount() const; + unsigned int getChannelCount() const; //////////////////////////////////////////////////////////// /// \brief Get the total duration of the sound /// /// \return Sound duration /// - /// \see GetSampleRate, GetChannelCount + /// \see getSampleRate, getChannelCount /// //////////////////////////////////////////////////////////// - Time GetDuration() const; + Time getDuration() const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -242,7 +242,7 @@ private : /// \return True on succesful initialization, false on failure /// //////////////////////////////////////////////////////////// - bool Initialize(priv::SoundFile& file); + bool initialize(priv::SoundFile& file); //////////////////////////////////////////////////////////// /// \brief Update the internal buffer with the cached audio samples @@ -253,7 +253,7 @@ private : /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - bool Update(unsigned int channelCount, unsigned int sampleRate); + bool update(unsigned int channelCount, unsigned int sampleRate); //////////////////////////////////////////////////////////// /// \brief Add a sound to the list of sounds that use this buffer @@ -261,7 +261,7 @@ private : /// \param sound Sound instance to attach /// //////////////////////////////////////////////////////////// - void AttachSound(Sound* sound) const; + void attachSound(Sound* sound) const; //////////////////////////////////////////////////////////// /// \brief Remove a sound from the list of sounds that use this buffer @@ -269,7 +269,7 @@ private : /// \param sound Sound instance to detach /// //////////////////////////////////////////////////////////// - void DetachSound(Sound* sound) const; + void detachSound(Sound* sound) const; //////////////////////////////////////////////////////////// // Types @@ -304,7 +304,7 @@ private : /// are like texture pixels, and a sf::SoundBuffer is similar to /// a sf::Texture. /// -/// A sound buffer can be loaded from a file (see LoadFromFile() +/// A sound buffer can be loaded from a file (see loadFromFile() /// for the complete list of supported formats), from memory, from /// a custom stream (see sf::InputStream) or directly from an array /// of samples. It can also be saved back to a file. @@ -333,25 +333,25 @@ private : /// sf::SoundBuffer buffer; /// /// // Load it from a file -/// if (!buffer.LoadFromFile("sound.wav")) +/// if (!buffer.loadFromFile("sound.wav")) /// { /// // error... /// } /// /// // Create a sound source and bind it to the buffer /// sf::Sound sound1; -/// sound1.SetBuffer(buffer); +/// sound1.setBuffer(buffer); /// /// // Play the sound -/// sound1.Play(); +/// sound1.play(); /// /// // Create another sound source bound to the same buffer /// sf::Sound sound2; -/// sound2.SetBuffer(buffer); +/// sound2.setBuffer(buffer); /// /// // Play it with a higher pitch -- the first sound remains unchanged -/// sound2.SetPitch(2); -/// sound2.Play(); +/// sound2.setPitch(2); +/// sound2.play(); /// \endcode /// /// \see sf::Sound, sf::SoundBufferRecorder diff --git a/include/SFML/Audio/SoundBufferRecorder.hpp b/include/SFML/Audio/SoundBufferRecorder.hpp index 35175911..4e6b2ffa 100644 --- a/include/SFML/Audio/SoundBufferRecorder.hpp +++ b/include/SFML/Audio/SoundBufferRecorder.hpp @@ -56,7 +56,7 @@ public : /// \return Read-only access to the sound buffer /// //////////////////////////////////////////////////////////// - const SoundBuffer& GetBuffer() const; + const SoundBuffer& getBuffer() const; private : @@ -66,7 +66,7 @@ private : /// \return True to start the capture, or false to abort it /// //////////////////////////////////////////////////////////// - virtual bool OnStart(); + virtual bool onStart(); //////////////////////////////////////////////////////////// /// \brief Process a new chunk of recorded samples @@ -77,13 +77,13 @@ private : /// \return True to continue the capture, or false to stop it /// //////////////////////////////////////////////////////////// - virtual bool OnProcessSamples(const Int16* samples, std::size_t sampleCount); + virtual bool onProcessSamples(const Int16* samples, std::size_t sampleCount); //////////////////////////////////////////////////////////// /// \brief Stop capturing audio data /// //////////////////////////////////////////////////////////// - virtual void OnStop(); + virtual void onStop(); //////////////////////////////////////////////////////////// // Member data @@ -105,29 +105,29 @@ private : /// through a sf::SoundBuffer, so that it can be played, saved /// to a file, etc. /// -/// It has the same simple interface as its base class (Start(), Stop()) +/// It has the same simple interface as its base class (start(), stop()) /// and adds a function to retrieve the recorded sound buffer -/// (GetBuffer()). +/// (getBuffer()). /// -/// As usual, don't forget to call the IsAvailable() function +/// As usual, don't forget to call the isAvailable() function /// before using this class (see sf::SoundRecorder for more details /// about this). /// /// Usage example: /// \code -/// if (SoundBufferRecorder::IsAvailable()) +/// if (SoundBufferRecorder::isAvailable()) /// { /// // Record some audio data /// SoundBufferRecorder recorder; -/// recorder.Start(); +/// recorder.start(); /// ... -/// recorder.Stop(); +/// recorder.stop(); /// /// // Get the buffer containing the captured audio data -/// const sf::SoundBuffer& buffer = recorder.GetBuffer(); +/// const sf::SoundBuffer& buffer = recorder.getBuffer(); /// /// // Save it to a file (for example...) -/// buffer.SaveToFile("my_record.ogg"); +/// buffer.saveToFile("my_record.ogg"); /// } /// \endcode /// diff --git a/include/SFML/Audio/SoundRecorder.hpp b/include/SFML/Audio/SoundRecorder.hpp index ecfd6210..011ac6af 100644 --- a/include/SFML/Audio/SoundRecorder.hpp +++ b/include/SFML/Audio/SoundRecorder.hpp @@ -61,18 +61,18 @@ public : /// /// \param sampleRate Desired capture rate, in number of samples per second /// - /// \see Stop + /// \see stop /// //////////////////////////////////////////////////////////// - void Start(unsigned int sampleRate = 44100); + void start(unsigned int sampleRate = 44100); //////////////////////////////////////////////////////////// /// \brief Stop the capture /// - /// \see Start + /// \see start /// //////////////////////////////////////////////////////////// - void Stop(); + void stop(); //////////////////////////////////////////////////////////// /// \brief Get the sample rate @@ -84,7 +84,7 @@ public : /// \return Sample rate, in samples per second /// //////////////////////////////////////////////////////////// - unsigned int GetSampleRate() const; + unsigned int getSampleRate() const; //////////////////////////////////////////////////////////// /// \brief Check if the system supports audio capture @@ -97,7 +97,7 @@ public : /// \return True if audio capture is supported, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsAvailable(); + static bool isAvailable(); protected : @@ -122,7 +122,7 @@ private : /// \return True to start the capture, or false to abort it /// //////////////////////////////////////////////////////////// - virtual bool OnStart(); + virtual bool onStart(); //////////////////////////////////////////////////////////// /// \brief Process a new chunk of recorded samples @@ -138,7 +138,7 @@ private : /// \return True to continue the capture, or false to stop it /// //////////////////////////////////////////////////////////// - virtual bool OnProcessSamples(const Int16* samples, std::size_t sampleCount) = 0; + virtual bool onProcessSamples(const Int16* samples, std::size_t sampleCount) = 0; //////////////////////////////////////////////////////////// /// \brief Stop capturing audio data @@ -149,7 +149,7 @@ private : /// implementation does nothing. /// //////////////////////////////////////////////////////////// - virtual void OnStop(); + virtual void onStop(); //////////////////////////////////////////////////////////// /// \brief Function called as the entry point of the thread @@ -158,7 +158,7 @@ private : /// only when the capture is stopped. /// //////////////////////////////////////////////////////////// - void Record(); + void record(); //////////////////////////////////////////////////////////// /// \brief Get the new available audio samples and process them @@ -168,7 +168,7 @@ private : /// forwards them to the derived class. /// //////////////////////////////////////////////////////////// - void ProcessCapturedSamples(); + void processCapturedSamples(); //////////////////////////////////////////////////////////// /// \brief Clean up the recorder's internal resources @@ -176,7 +176,7 @@ private : /// This function is called when the capture stops. /// //////////////////////////////////////////////////////////// - void CleanUp(); + void cleanup(); //////////////////////////////////////////////////////////// // Member data @@ -220,8 +220,8 @@ private : /// /// It is important to note that the audio capture happens in a /// separate thread, so that it doesn't block the rest of the -/// program. In particular, the OnProcessSamples and OnStop -/// virtual functions (but not OnStart) will be called +/// program. In particular, the onProcessSamples and onStop +/// virtual functions (but not onStart) will be called /// from this separate thread. It is important to keep this in /// mind, because you may have to take care of synchronization /// issues if you share data between threads. @@ -230,7 +230,7 @@ private : /// \code /// class CustomRecorder : public sf::SoundRecorder /// { -/// virtual bool OnStart() // optional +/// virtual bool onStart() // optional /// { /// // Initialize whatever has to be done before the capture starts /// ... @@ -239,7 +239,7 @@ private : /// return true; /// } /// -/// virtual bool OnProcessSamples(const Int16* samples, std::size_t sampleCount) +/// virtual bool onProcessSamples(const Int16* samples, std::size_t sampleCount) /// { /// // Do something with the new chunk of samples (store them, send them, ...) /// ... @@ -248,7 +248,7 @@ private : /// return true; /// } /// -/// virtual void OnStop() // optional +/// virtual void onStop() // optional /// { /// // Clean up whatever has to be done after the capture ends /// ... @@ -256,12 +256,12 @@ private : /// } /// /// // Usage -/// if (CustomRecorder::IsAvailable()) +/// if (CustomRecorder::isAvailable()) /// { /// CustomRecorder recorder; -/// recorder.Start(); +/// recorder.start(); /// ... -/// recorder.Stop(); +/// recorder.stop(); /// } /// \endcode /// diff --git a/include/SFML/Audio/SoundSource.hpp b/include/SFML/Audio/SoundSource.hpp index 2bdd2b1f..37904964 100644 --- a/include/SFML/Audio/SoundSource.hpp +++ b/include/SFML/Audio/SoundSource.hpp @@ -78,10 +78,10 @@ public : /// /// \param pitch New pitch to apply to the sound /// - /// \see GetPitch + /// \see getPitch /// //////////////////////////////////////////////////////////// - void SetPitch(float pitch); + void setPitch(float pitch); //////////////////////////////////////////////////////////// /// \brief Set the volume of the sound @@ -91,10 +91,10 @@ public : /// /// \param volume Volume of the sound /// - /// \see GetVolume + /// \see getVolume /// //////////////////////////////////////////////////////////// - void SetVolume(float volume); + void setVolume(float volume); //////////////////////////////////////////////////////////// /// \brief Set the 3D position of the sound in the audio scene @@ -107,10 +107,10 @@ public : /// \param y Y coordinate of the position of the sound in the scene /// \param z Z coordinate of the position of the sound in the scene /// - /// \see GetPosition + /// \see getPosition /// //////////////////////////////////////////////////////////// - void SetPosition(float x, float y, float z); + void setPosition(float x, float y, float z); //////////////////////////////////////////////////////////// /// \brief Set the 3D position of the sound in the audio scene @@ -121,10 +121,10 @@ public : /// /// \param position Position of the sound in the scene /// - /// \see GetPosition + /// \see getPosition /// //////////////////////////////////////////////////////////// - void SetPosition(const Vector3f& position); + void setPosition(const Vector3f& position); //////////////////////////////////////////////////////////// /// \brief Make the sound's position relative to the listener or absolute @@ -137,10 +137,10 @@ public : /// /// \param relative True to set the position relative, false to set it absolute /// - /// \see IsRelativeToListener + /// \see isRelativeToListener /// //////////////////////////////////////////////////////////// - void SetRelativeToListener(bool relative); + void setRelativeToListener(bool relative); //////////////////////////////////////////////////////////// /// \brief Set the minimum distance of the sound @@ -154,10 +154,10 @@ public : /// /// \param distance New minimum distance of the sound /// - /// \see GetMinDistance, SetAttenuation + /// \see getMinDistance, setAttenuation /// //////////////////////////////////////////////////////////// - void SetMinDistance(float distance); + void setMinDistance(float distance); //////////////////////////////////////////////////////////// /// \brief Set the attenuation factor of the sound @@ -173,40 +173,40 @@ public : /// /// \param attenuation New attenuation factor of the sound /// - /// \see GetAttenuation, SetMinDistance + /// \see getAttenuation, setMinDistance /// //////////////////////////////////////////////////////////// - void SetAttenuation(float attenuation); + void setAttenuation(float attenuation); //////////////////////////////////////////////////////////// /// \brief Get the pitch of the sound /// /// \return Pitch of the sound /// - /// \see SetPitch + /// \see setPitch /// //////////////////////////////////////////////////////////// - float GetPitch() const; + float getPitch() const; //////////////////////////////////////////////////////////// /// \brief Get the volume of the sound /// /// \return Volume of the sound, in the range [0, 100] /// - /// \see SetVolume + /// \see setVolume /// //////////////////////////////////////////////////////////// - float GetVolume() const; + float getVolume() const; //////////////////////////////////////////////////////////// /// \brief Get the 3D position of the sound in the audio scene /// /// \return Position of the sound /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - Vector3f GetPosition() const; + Vector3f getPosition() const; //////////////////////////////////////////////////////////// /// \brief Tell whether the sound's position is relative to the @@ -214,30 +214,30 @@ public : /// /// \return True if the position is relative, false if it's absolute /// - /// \see SetRelativeToListener + /// \see setRelativeToListener /// //////////////////////////////////////////////////////////// - bool IsRelativeToListener() const; + bool isRelativeToListener() const; //////////////////////////////////////////////////////////// /// \brief Get the minimum distance of the sound /// /// \return Minimum distance of the sound /// - /// \see SetMinDistance, GetAttenuation + /// \see setMinDistance, getAttenuation /// //////////////////////////////////////////////////////////// - float GetMinDistance() const; + float getMinDistance() const; //////////////////////////////////////////////////////////// /// \brief Get the attenuation factor of the sound /// /// \return Attenuation factor of the sound /// - /// \see SetAttenuation, GetMinDistance + /// \see setAttenuation, getMinDistance /// //////////////////////////////////////////////////////////// - float GetAttenuation() const; + float getAttenuation() const; protected : @@ -255,7 +255,7 @@ protected : /// \return Current status of the sound /// //////////////////////////////////////////////////////////// - Status GetStatus() const; + Status getStatus() const; //////////////////////////////////////////////////////////// // Member data diff --git a/include/SFML/Audio/SoundStream.hpp b/include/SFML/Audio/SoundStream.hpp index 9ad6c777..f0d1b03f 100644 --- a/include/SFML/Audio/SoundStream.hpp +++ b/include/SFML/Audio/SoundStream.hpp @@ -51,8 +51,8 @@ public : //////////////////////////////////////////////////////////// struct Chunk { - const Int16* Samples; ///< Pointer to the audio samples - std::size_t SampleCount; ///< Number of samples pointed by Samples + const Int16* samples; ///< Pointer to the audio samples + std::size_t sampleCount; ///< Number of samples pointed by Samples }; //////////////////////////////////////////////////////////// @@ -70,10 +70,10 @@ public : /// This function uses its own thread so that it doesn't block /// the rest of the program while the stream is played. /// - /// \see Pause, Stop + /// \see pause, stop /// //////////////////////////////////////////////////////////// - void Play(); + void play(); //////////////////////////////////////////////////////////// /// \brief Pause the audio stream @@ -81,22 +81,22 @@ public : /// This function pauses the stream if it was playing, /// otherwise (stream already paused or stopped) it has no effect. /// - /// \see Play, Stop + /// \see play, stop /// //////////////////////////////////////////////////////////// - void Pause(); + void pause(); //////////////////////////////////////////////////////////// /// \brief Stop playing the audio stream /// /// This function stops the stream if it was playing or paused, /// and does nothing if it was already stopped. - /// It also resets the playing position (unlike Pause()). + /// It also resets the playing position (unlike pause()). /// - /// \see Play, Pause + /// \see play, pause /// //////////////////////////////////////////////////////////// - void Stop(); + void stop(); //////////////////////////////////////////////////////////// /// \brief Return the number of channels of the stream @@ -106,7 +106,7 @@ public : /// \return Number of channels /// //////////////////////////////////////////////////////////// - unsigned int GetChannelCount() const; + unsigned int getChannelCount() const; //////////////////////////////////////////////////////////// /// \brief Get the stream sample rate of the stream @@ -117,7 +117,7 @@ public : /// \return Sample rate, in number of samples per second /// //////////////////////////////////////////////////////////// - unsigned int GetSampleRate() const; + unsigned int getSampleRate() const; //////////////////////////////////////////////////////////// /// \brief Get the current status of the stream (stopped, paused, playing) @@ -125,7 +125,7 @@ public : /// \return Current status /// //////////////////////////////////////////////////////////// - Status GetStatus() const; + Status getStatus() const; //////////////////////////////////////////////////////////// /// \brief Change the current playing position of the stream @@ -135,45 +135,45 @@ public : /// /// \param timeOffset New playing position, from the beginning of the stream /// - /// \see GetPlayingOffset + /// \see getPlayingOffset /// //////////////////////////////////////////////////////////// - void SetPlayingOffset(Time timeOffset); + void setPlayingOffset(Time timeOffset); //////////////////////////////////////////////////////////// /// \brief Get the current playing position of the stream /// /// \return Current playing position, from the beginning of the stream /// - /// \see SetPlayingOffset + /// \see setPlayingOffset /// //////////////////////////////////////////////////////////// - Time GetPlayingOffset() const; + Time getPlayingOffset() const; //////////////////////////////////////////////////////////// /// \brief Set whether or not the stream should loop after reaching the end /// /// If set, the stream will restart from beginning after /// reaching the end and so on, until it is stopped or - /// SetLoop(false) is called. + /// setLoop(false) is called. /// The default looping state for streams is false. /// /// \param loop True to play in loop, false to play once /// - /// \see GetLoop + /// \see getLoop /// //////////////////////////////////////////////////////////// - void SetLoop(bool loop); + void setLoop(bool loop); //////////////////////////////////////////////////////////// /// \brief Tell whether or not the stream is in loop mode /// /// \return True if the stream is looping, false otherwise /// - /// \see SetLoop + /// \see setLoop /// //////////////////////////////////////////////////////////// - bool GetLoop() const; + bool getLoop() const; protected : @@ -190,7 +190,7 @@ protected : /// /// This function must be called by derived classes as soon /// as they know the audio settings of the stream to play. - /// Any attempt to manipulate the stream (Play(), ...) before + /// Any attempt to manipulate the stream (play(), ...) before /// calling this function will fail. /// It can be called multiple times if the settings of the /// audio stream change, but only when the stream is stopped. @@ -199,7 +199,7 @@ protected : /// \param sampleRate Sample rate, in samples per second /// //////////////////////////////////////////////////////////// - void Initialize(unsigned int channelCount, unsigned int sampleRate); + void initialize(unsigned int channelCount, unsigned int sampleRate); private : @@ -210,7 +210,7 @@ private : /// only when the sound is stopped. /// //////////////////////////////////////////////////////////// - void Stream(); + void stream(); //////////////////////////////////////////////////////////// /// \brief Request a new chunk of audio samples from the stream source @@ -226,7 +226,7 @@ private : /// \return True to continue playback, false to stop /// //////////////////////////////////////////////////////////// - virtual bool OnGetData(Chunk& data) = 0; + virtual bool onGetData(Chunk& data) = 0; //////////////////////////////////////////////////////////// /// \brief Change the current playing position in the stream source @@ -237,7 +237,7 @@ private : /// \param timeOffset New playing position, relative to the beginning of the stream /// //////////////////////////////////////////////////////////// - virtual void OnSeek(Time timeOffset) = 0; + virtual void onSeek(Time timeOffset) = 0; //////////////////////////////////////////////////////////// /// \brief Fill a new buffer with audio samples, and append @@ -252,7 +252,7 @@ private : /// \return True if the stream source has requested to stop, false otherwise /// //////////////////////////////////////////////////////////// - bool FillAndPushBuffer(unsigned int bufferNum); + bool fillAndPushBuffer(unsigned int bufferNum); //////////////////////////////////////////////////////////// /// \brief Fill the audio buffers and put them all into the playing queue @@ -263,7 +263,7 @@ private : /// \return True if the derived class has requested to stop, false otherwise /// //////////////////////////////////////////////////////////// - bool FillQueue(); + bool fillQueue(); //////////////////////////////////////////////////////////// /// \brief Clear all the audio buffers and empty the playing queue @@ -271,7 +271,7 @@ private : /// This function is called when the stream is stopped. /// //////////////////////////////////////////////////////////// - void ClearQueue(); + void clearQueue(); enum { @@ -320,8 +320,8 @@ private : /// by combining this class with the network module. /// /// A derived class has to override two virtual functions: -/// \li OnGetData fills a new chunk of audio data to be played -/// \li OnSeek changes the current playing position in the source +/// \li onGetData fills a new chunk of audio data to be played +/// \li onSeek changes the current playing position in the source /// /// It is important to note that each SoundStream is played in its /// own separate thread, so that the streaming loop doesn't block the @@ -336,7 +336,7 @@ private : /// { /// public : /// -/// bool Open(const std::string& location) +/// bool open(const std::string& location) /// { /// // Open the source and get audio settings /// ... @@ -344,22 +344,22 @@ private : /// unsigned int sampleRate = ...; /// /// // Initialize the stream -- important! -/// Initialize(channelCount, sampleRate); +/// initialize(channelCount, sampleRate); /// } /// /// private : /// -/// virtual bool OnGetData(Chunk& data) +/// virtual bool onGetData(Chunk& data) /// { /// // Fill the chunk with audio data from the stream source -/// data.Samples = ...; -/// data.SampleCount = ...; +/// data.samples = ...; +/// data.sampleCount = ...; /// /// // Return true to continue playing /// return true; /// } /// -/// virtual void OnSeek(Uint32 timeOffset) +/// virtual void onSeek(Uint32 timeOffset) /// { /// // Change the current position in the stream source /// ... @@ -368,8 +368,8 @@ private : /// /// // Usage /// CustomStream stream; -/// stream.Open("path/to/stream"); -/// stream.Play(); +/// stream.open("path/to/stream"); +/// stream.play(); /// \endcode /// /// \see sf::Music diff --git a/include/SFML/Graphics/CircleShape.hpp b/include/SFML/Graphics/CircleShape.hpp index 9477b953..7b30a3bc 100644 --- a/include/SFML/Graphics/CircleShape.hpp +++ b/include/SFML/Graphics/CircleShape.hpp @@ -56,40 +56,40 @@ public : /// /// \param radius New radius of the circle /// - /// \see GetRadius + /// \see getRadius /// //////////////////////////////////////////////////////////// - void SetRadius(float radius); + void setRadius(float radius); //////////////////////////////////////////////////////////// /// \brief Get the radius of the circle /// /// \return Radius of the circle /// - /// \see SetRadius + /// \see setRadius /// //////////////////////////////////////////////////////////// - float GetRadius() const; + float getRadius() const; //////////////////////////////////////////////////////////// /// \brief Set the number of points of the circle /// /// \param count New number of points of the circle /// - /// \see GetPointCount + /// \see getPointCount /// //////////////////////////////////////////////////////////// - void SetPointCount(unsigned int count); + void setPointCount(unsigned int count); //////////////////////////////////////////////////////////// /// \brief Get the number of points of the shape /// /// \return Number of points of the shape /// - /// \see SetPointCount + /// \see setPointCount /// //////////////////////////////////////////////////////////// - virtual unsigned int GetPointCount() const; + virtual unsigned int getPointCount() const; //////////////////////////////////////////////////////////// /// \brief Get a point of the shape @@ -101,7 +101,7 @@ public : /// \return Index-th point of the shape /// //////////////////////////////////////////////////////////// - virtual Vector2f GetPoint(unsigned int index) const; + virtual Vector2f getPoint(unsigned int index) const; private : @@ -129,12 +129,12 @@ private : /// Usage example: /// \code /// sf::CircleShape circle; -/// circle.SetRadius(150); -/// circle.SetOutlineColor(sf::Color::Red); -/// circle.SetOutlineThickness(5); -/// circle.SetPosition(10, 20); +/// circle.setRadius(150); +/// circle.setOutlineColor(sf::Color::Red); +/// circle.setOutlineThickness(5); +/// circle.setPosition(10, 20); /// ... -/// window.Draw(circle); +/// window.draw(circle); /// \endcode /// /// Since the graphics card can't draw perfect circles, we have to diff --git a/include/SFML/Graphics/ConvexShape.hpp b/include/SFML/Graphics/ConvexShape.hpp index a3bb4e34..c60ae8e0 100644 --- a/include/SFML/Graphics/ConvexShape.hpp +++ b/include/SFML/Graphics/ConvexShape.hpp @@ -58,20 +58,20 @@ public : /// /// \param count New number of points of the polygon /// - /// \see GetPointCount + /// \see getPointCount /// //////////////////////////////////////////////////////////// - void SetPointCount(unsigned int count); + void setPointCount(unsigned int count); //////////////////////////////////////////////////////////// /// \brief Get the number of points of the polygon /// /// \return Number of points of the polygon /// - /// \see SetPointCount + /// \see setPointCount /// //////////////////////////////////////////////////////////// - virtual unsigned int GetPointCount() const; + virtual unsigned int getPointCount() const; //////////////////////////////////////////////////////////// /// \brief Set the position of a point @@ -85,10 +85,10 @@ public : /// \param index Index of the point to change, in range [0 .. GetPointCount() - 1] /// \param point New position of the point /// - /// \see GetPoint + /// \see getPoint /// //////////////////////////////////////////////////////////// - void SetPoint(unsigned int index, const Vector2f& point); + void setPoint(unsigned int index, const Vector2f& point); //////////////////////////////////////////////////////////// /// \brief Get the position of a point @@ -99,10 +99,10 @@ public : /// /// \return Position of the index-th point of the polygon /// - /// \see SetPoint + /// \see setPoint /// //////////////////////////////////////////////////////////// - virtual Vector2f GetPoint(unsigned int index) const; + virtual Vector2f getPoint(unsigned int index) const; private : @@ -134,15 +134,15 @@ private : /// Usage example: /// \code /// sf::ConvexShape polygon; -/// polygon.SetPointCount(3); -/// polygon.SetPoint(0, sf::Vector2f(0, 0)); -/// polygon.SetPoint(1, sf::Vector2f(0, 10)); -/// polygon.SetPoint(2, sf::Vector2f(25, 5)); -/// polygon.SetOutlineColor(sf::Color::Red); -/// polygon.SetOutlineThickness(5); -/// polygon.SetPosition(10, 20); +/// polygon.setPointCount(3); +/// polygon.setPoint(0, sf::Vector2f(0, 0)); +/// polygon.setPoint(1, sf::Vector2f(0, 10)); +/// polygon.setPoint(2, sf::Vector2f(25, 5)); +/// polygon.setOutlineColor(sf::Color::Red); +/// polygon.setOutlineThickness(5); +/// polygon.setPosition(10, 20); /// ... -/// window.Draw(polygon); +/// window.draw(polygon); /// \endcode /// /// \see sf::Shape, sf::RectangleShape, sf::CircleShape diff --git a/include/SFML/Graphics/Drawable.hpp b/include/SFML/Graphics/Drawable.hpp index 0fe51a1c..bb1d8b57 100644 --- a/include/SFML/Graphics/Drawable.hpp +++ b/include/SFML/Graphics/Drawable.hpp @@ -66,7 +66,7 @@ private : /// \param states Current render states /// //////////////////////////////////////////////////////////// - virtual void Draw(RenderTarget& target, RenderStates states) const = 0; + virtual void draw(RenderTarget& target, RenderStates states) const = 0; }; } // namespace sf @@ -100,14 +100,14 @@ private : /// /// private : /// -/// virtual void Draw(sf::RenderTarget& target, RenderStates states) const +/// virtual void draw(sf::RenderTarget& target, RenderStates states) const /// { /// // You can draw other high-level objects -/// target.Draw(m_sprite, states); +/// target.draw(m_sprite, states); /// /// // ... or use the low-level API /// states.Texture = &m_texture; -/// target.Draw(m_vertices, states); +/// target.draw(m_vertices, states); /// /// // ... or draw with OpenGL directly /// glBegin(GL_QUADS); diff --git a/include/SFML/Graphics/Font.hpp b/include/SFML/Graphics/Font.hpp index 2bfa4862..59fca08b 100644 --- a/include/SFML/Graphics/Font.hpp +++ b/include/SFML/Graphics/Font.hpp @@ -88,10 +88,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromMemory, LoadFromStream + /// \see loadFromMemory, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& filename); + bool loadFromFile(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Load the font from a file in memory @@ -107,10 +107,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromStream + /// \see loadFromFile, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const void* data, std::size_t sizeInBytes); + bool loadFromMemory(const void* data, std::size_t sizeInBytes); //////////////////////////////////////////////////////////// /// \brief Load the font from a custom stream @@ -125,10 +125,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory + /// \see loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool LoadFromStream(InputStream& stream); + bool loadFromStream(InputStream& stream); //////////////////////////////////////////////////////////// /// \brief Retrieve a glyph of the font @@ -140,7 +140,7 @@ public : /// \return The glyph corresponding to \a codePoint and \a characterSize /// //////////////////////////////////////////////////////////// - const Glyph& GetGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const; + const Glyph& getGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const; //////////////////////////////////////////////////////////// /// \brief Get the kerning offset of two glyphs @@ -158,7 +158,7 @@ public : /// \return Kerning value for \a first and \a second, in pixels /// //////////////////////////////////////////////////////////// - int GetKerning(Uint32 first, Uint32 second, unsigned int characterSize) const; + int getKerning(Uint32 first, Uint32 second, unsigned int characterSize) const; //////////////////////////////////////////////////////////// /// \brief Get the line spacing @@ -171,7 +171,7 @@ public : /// \return Line spacing, in pixels /// //////////////////////////////////////////////////////////// - int GetLineSpacing(unsigned int characterSize) const; + int getLineSpacing(unsigned int characterSize) const; //////////////////////////////////////////////////////////// /// \brief Retrieve the texture containing the loaded glyphs of a certain size @@ -185,7 +185,7 @@ public : /// \return Texture containing the glyphs of the requested size /// //////////////////////////////////////////////////////////// - const Texture& GetTexture(unsigned int characterSize) const; + const Texture& getTexture(unsigned int characterSize) const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -209,7 +209,7 @@ public : /// \return Reference to the built-in default font /// //////////////////////////////////////////////////////////// - static const Font& GetDefaultFont(); + static const Font& getDefaultFont(); private : @@ -219,11 +219,11 @@ private : //////////////////////////////////////////////////////////// struct Row { - Row(unsigned int top, unsigned int height) : Width(0), Top(top), Height(height) {} + Row(unsigned int top, unsigned int height) : width(0), top(top), height(height) {} - unsigned int Width; ///< Current width of the row - unsigned int Top; ///< Y position of the row into the texture - unsigned int Height; ///< Height of the row + unsigned int width; ///< Current width of the row + unsigned int top; ///< Y position of the row into the texture + unsigned int height; ///< Height of the row }; //////////////////////////////////////////////////////////// @@ -239,17 +239,17 @@ private : { Page(); - GlyphTable Glyphs; ///< Table mapping code points to their corresponding glyph - sf::Texture Texture; ///< Texture containing the pixels of the glyphs - unsigned int NextRow; ///< Y position of the next new row in the texture - std::vector Rows; ///< List containing the position of all the existing rows + GlyphTable glyphs; ///< Table mapping code points to their corresponding glyph + sf::Texture texture; ///< Texture containing the pixels of the glyphs + unsigned int nextRow; ///< Y position of the next new row in the texture + std::vector rows; ///< List containing the position of all the existing rows }; //////////////////////////////////////////////////////////// /// \brief Free all the internal resources /// //////////////////////////////////////////////////////////// - void Cleanup(); + void cleanup(); //////////////////////////////////////////////////////////// /// \brief Load a new glyph and store it in the cache @@ -261,7 +261,7 @@ private : /// \return The glyph corresponding to \a codePoint and \a characterSize /// //////////////////////////////////////////////////////////// - Glyph LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const; + Glyph loadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const; //////////////////////////////////////////////////////////// /// \brief Find a suitable rectangle within the texture for a glyph @@ -273,7 +273,7 @@ private : /// \return Found rectangle within the texture /// //////////////////////////////////////////////////////////// - IntRect FindGlyphRect(Page& page, unsigned int width, unsigned int height) const; + IntRect findGlyphRect(Page& page, unsigned int width, unsigned int height) const; //////////////////////////////////////////////////////////// /// \brief Make sure that the given size is the current one @@ -283,7 +283,7 @@ private : /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - bool SetCurrentSize(unsigned int characterSize) const; + bool setCurrentSize(unsigned int characterSize) const; //////////////////////////////////////////////////////////// // Types @@ -313,7 +313,7 @@ private : /// /// Fonts can be loaded from a file, from memory or from a custom /// stream, and supports the most common types of fonts. See -/// the LoadFromFile function for the complete list of supported formats. +/// the loadFromFile function for the complete list of supported formats. /// /// Once it is loaded, a sf::Font instance provides three /// types of informations about the font: @@ -347,22 +347,22 @@ private : /// sf::Font font; /// /// // Load it from a file -/// if (!font.LoadFromFile("arial.ttf")) +/// if (!font.loadFromFile("arial.ttf")) /// { /// // error... /// } /// /// // Create a text which uses our font /// sf::Text text1; -/// text1.SetFont(font); -/// text1.SetCharacterSize(30); -/// text1.SetStyle(sf::Text::Regular); +/// text1.setFont(font); +/// text1.setCharacterSize(30); +/// text1.setStyle(sf::Text::Regular); /// /// // Create another text using the same font, but with different parameters /// sf::Text text2; -/// text2.SetFont(font); -/// text2.SetCharacterSize(50); -/// text1.SetStyle(sf::Text::Italic); +/// text2.setFont(font); +/// text2.setCharacterSize(50); +/// text1.setStyle(sf::Text::Italic); /// \endcode /// /// Apart from loading font files, and passing them to instances diff --git a/include/SFML/Graphics/Glyph.hpp b/include/SFML/Graphics/Glyph.hpp index ba452d6b..293b849a 100644 --- a/include/SFML/Graphics/Glyph.hpp +++ b/include/SFML/Graphics/Glyph.hpp @@ -46,14 +46,14 @@ public : /// \brief Default constructor /// //////////////////////////////////////////////////////////// - Glyph() : Advance(0) {} + Glyph() : advance(0) {} //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - int Advance; ///< Offset to move horizontically to the next character - IntRect Bounds; ///< Bounding rectangle of the glyph, in coordinates relative to the baseline - IntRect TextureRect; ///< Texture coordinates of the glyph inside the font's texture + int advance; ///< Offset to move horizontically to the next character + IntRect bounds; ///< Bounding rectangle of the glyph, in coordinates relative to the baseline + IntRect textureRect; ///< Texture coordinates of the glyph inside the font's texture }; } // namespace sf diff --git a/include/SFML/Graphics/Image.hpp b/include/SFML/Graphics/Image.hpp index 32031866..e2e4376c 100644 --- a/include/SFML/Graphics/Image.hpp +++ b/include/SFML/Graphics/Image.hpp @@ -63,7 +63,7 @@ public : /// \param color Fill color /// //////////////////////////////////////////////////////////// - void Create(unsigned int width, unsigned int height, const Color& color = Color(0, 0, 0)); + void create(unsigned int width, unsigned int height, const Color& color = Color(0, 0, 0)); //////////////////////////////////////////////////////////// /// \brief Create the image from an array of pixels @@ -78,7 +78,7 @@ public : /// \param pixels Array of pixels to copy to the image /// //////////////////////////////////////////////////////////// - void Create(unsigned int width, unsigned int height, const Uint8* pixels); + void create(unsigned int width, unsigned int height, const Uint8* pixels); //////////////////////////////////////////////////////////// /// \brief Load the image from a file on disk @@ -92,10 +92,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromMemory, LoadFromStream, SaveToFile + /// \see loadFromMemory, loadFromStream, saveToFile /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& filename); + bool loadFromFile(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Load the image from a file in memory @@ -110,10 +110,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromFile, LoadFromStream + /// \see loadFromFile, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const void* data, std::size_t size); + bool loadFromMemory(const void* data, std::size_t size); //////////////////////////////////////////////////////////// /// \brief Load the image from a custom stream @@ -127,10 +127,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromFile, LoadFromMemory + /// \see loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool LoadFromStream(InputStream& stream); + bool loadFromStream(InputStream& stream); //////////////////////////////////////////////////////////// /// \brief Save the image to a file on disk @@ -144,30 +144,30 @@ public : /// /// \return True if saving was successful /// - /// \see Create, LoadFromFile, LoadFromMemory + /// \see create, loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool SaveToFile(const std::string& filename) const; + bool saveToFile(const std::string& filename) const; //////////////////////////////////////////////////////////// /// \brief Return the width of the image /// /// \return Width in pixels /// - /// \see GetHeight + /// \see getHeight /// //////////////////////////////////////////////////////////// - unsigned int GetWidth() const; + unsigned int getWidth() const; //////////////////////////////////////////////////////////// /// \brief Return the height of the image /// /// \return Height in pixels /// - /// \see GetWidth + /// \see getWidth /// //////////////////////////////////////////////////////////// - unsigned int GetHeight() const; + unsigned int getHeight() const; //////////////////////////////////////////////////////////// /// \brief Create a transparency mask from a specified color-key @@ -180,7 +180,7 @@ public : /// \param alpha Alpha value to assign to transparent pixels /// //////////////////////////////////////////////////////////// - void CreateMaskFromColor(const Color& color, Uint8 alpha = 0); + void createMaskFromColor(const Color& color, Uint8 alpha = 0); //////////////////////////////////////////////////////////// /// \brief Copy pixels from another image onto this one @@ -202,7 +202,7 @@ public : /// \param applyAlpha Should the copy take in account the source transparency? /// //////////////////////////////////////////////////////////// - void Copy(const Image& source, unsigned int destX, unsigned int destY, const IntRect& sourceRect = IntRect(0, 0, 0, 0), bool applyAlpha = false); + void copy(const Image& source, unsigned int destX, unsigned int destY, const IntRect& sourceRect = IntRect(0, 0, 0, 0), bool applyAlpha = false); //////////////////////////////////////////////////////////// /// \brief Change the color of a pixel @@ -215,10 +215,10 @@ public : /// \param y Y coordinate of pixel to change /// \param color New color of the pixel /// - /// \see GetPixel + /// \see getPixel /// //////////////////////////////////////////////////////////// - void SetPixel(unsigned int x, unsigned int y, const Color& color); + void setPixel(unsigned int x, unsigned int y, const Color& color); //////////////////////////////////////////////////////////// /// \brief Get the color of a pixel @@ -232,8 +232,10 @@ public : /// /// \return Color of the pixel at coordinates (x, y) /// + /// \see setPixel + /// //////////////////////////////////////////////////////////// - Color GetPixel(unsigned int x, unsigned int y) const; + Color getPixel(unsigned int x, unsigned int y) const; //////////////////////////////////////////////////////////// /// \brief Get a read-only pointer to the array of pixels @@ -248,19 +250,19 @@ public : /// \return Read-only pointer to the array of pixels /// //////////////////////////////////////////////////////////// - const Uint8* GetPixelsPtr() const; + const Uint8* getPixelsPtr() const; //////////////////////////////////////////////////////////// /// \brief Flip the image horizontally (left <-> right) /// //////////////////////////////////////////////////////////// - void FlipHorizontally(); + void flipHorizontally(); //////////////////////////////////////////////////////////// /// \brief Flip the image vertically (top <-> bottom) /// //////////////////////////////////////////////////////////// - void FlipVertically(); + void flipVertically(); private : @@ -293,7 +295,7 @@ private : /// channels -- just like a sf::Color. /// All the functions that return an array of pixels follow /// this rule, and all parameters that you pass to sf::Image -/// functions (such as LoadFromPixels) must use this +/// functions (such as loadFromPixels) must use this /// representation as well. /// /// A sf::Image can be copied, but it is a heavy resource and @@ -304,24 +306,24 @@ private : /// \code /// // Load an image file from a file /// sf::Image background; -/// if (!background.LoadFromFile("background.jpg")) +/// if (!background.loadFromFile("background.jpg")) /// return -1; /// /// // Create a 20x20 image filled with black color /// sf::Image image; -/// if (!image.Create(20, 20, sf::Color::Black)) +/// if (!image.create(20, 20, sf::Color::Black)) /// return -1; /// /// // Copy image1 on image2 at position (10, 10) -/// image.Copy(background, 10, 10); +/// image.copy(background, 10, 10); /// /// // Make the top-left pixel transparent -/// sf::Color color = image.GetPixel(0, 0); +/// sf::Color color = image.getPixel(0, 0); /// color.a = 0; -/// image.SetPixel(0, 0, color); +/// image.setPixel(0, 0, color); /// /// // Save the image to a file -/// if (!image.SaveToFile("result.png")) +/// if (!image.saveToFile("result.png")) /// return -1; /// \endcode /// diff --git a/include/SFML/Graphics/Rect.hpp b/include/SFML/Graphics/Rect.hpp index 0f7b1c08..532bae16 100644 --- a/include/SFML/Graphics/Rect.hpp +++ b/include/SFML/Graphics/Rect.hpp @@ -100,10 +100,10 @@ public : /// /// \return True if the point is inside, false otherwise /// - /// \see Intersects + /// \see intersects /// //////////////////////////////////////////////////////////// - bool Contains(T x, T y) const; + bool contains(T x, T y) const; //////////////////////////////////////////////////////////// /// \brief Check if a point is inside the rectangle's area @@ -112,10 +112,10 @@ public : /// /// \return True if the point is inside, false otherwise /// - /// \see Intersects + /// \see intersects /// //////////////////////////////////////////////////////////// - bool Contains(const Vector2& point) const; + bool contains(const Vector2& point) const; //////////////////////////////////////////////////////////// /// \brief Check the intersection between two rectangles @@ -124,10 +124,10 @@ public : /// /// \return True if rectangles overlap, false otherwise /// - /// \see Contains + /// \see contains /// //////////////////////////////////////////////////////////// - bool Intersects(const Rect& rectangle) const; + bool intersects(const Rect& rectangle) const; //////////////////////////////////////////////////////////// /// \brief Check the intersection between two rectangles @@ -140,18 +140,18 @@ public : /// /// \return True if rectangles overlap, false otherwise /// - /// \see Contains + /// \see contains /// //////////////////////////////////////////////////////////// - bool Intersects(const Rect& rectangle, Rect& intersection) const; + bool intersects(const Rect& rectangle, Rect& intersection) const; //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - T Left; ///< Left coordinate of the rectangle - T Top; ///< Top coordinate of the rectangle - T Width; ///< Width of the rectangle - T Height; ///< Height of the rectangle + T left; ///< Left coordinate of the rectangle + T top; ///< Top coordinate of the rectangle + T width; ///< Width of the rectangle + T height; ///< Height of the rectangle }; //////////////////////////////////////////////////////////// @@ -202,18 +202,18 @@ typedef Rect FloatRect; /// /// A rectangle is defined by its top-left corner and its size. /// It is a very simple class defined for convenience, so -/// its member variables (Left, Top, Width and Height) are public +/// its member variables (left, top, width and height) are public /// and can be accessed directly, just like the vector classes /// (Vector2 and Vector3). /// /// To keep things simple, sf::Rect doesn't define /// functions to emulate the properties that are not directly -/// members (such as Right, Bottom, Center, etc.), it rather +/// members (such as right, bottom, center, etc.), it rather /// only provides intersection functions. /// /// sf::Rect uses the usual rules for its boundaries: -/// \li The Left and Top edges are included in the rectangle's area -/// \li The right (Left + Width) and bottom (Top + Height) edges are excluded from the rectangle's area +/// \li The left and top edges are included in the rectangle's area +/// \li The right (left + width) and bottom (top + height) edges are excluded from the rectangle's area /// /// This means that sf::IntRect(0, 0, 1, 1) and sf::IntRect(1, 1, 1, 1) /// don't intersect. @@ -236,12 +236,12 @@ typedef Rect FloatRect; /// sf::IntRect r2(position, size); /// /// // Test intersections with the point (3, 1) -/// bool b1 = r1.Contains(3, 1); // true -/// bool b2 = r2.Contains(3, 1); // false +/// bool b1 = r1.contains(3, 1); // true +/// bool b2 = r2.contains(3, 1); // false /// /// // Test the intersection between r1 and r2 /// sf::IntRect result; -/// bool b3 = r1.Intersects(r2, result); // true +/// bool b3 = r1.intersects(r2, result); // true /// // result == (4, 2, 16, 3) /// \endcode /// diff --git a/include/SFML/Graphics/Rect.inl b/include/SFML/Graphics/Rect.inl index e978758f..1a2ba549 100644 --- a/include/SFML/Graphics/Rect.inl +++ b/include/SFML/Graphics/Rect.inl @@ -26,10 +26,10 @@ //////////////////////////////////////////////////////////// template Rect::Rect() : -Left (0), -Top (0), -Width (0), -Height(0) +left (0), +top (0), +width (0), +height(0) { } @@ -38,10 +38,10 @@ Height(0) //////////////////////////////////////////////////////////// template Rect::Rect(T left, T top, T width, T height) : -Left (left), -Top (top), -Width (width), -Height(height) +left (left), +top (top), +width (width), +height(height) { } @@ -50,10 +50,10 @@ Height(height) //////////////////////////////////////////////////////////// template Rect::Rect(const Vector2& position, const Vector2& size) : -Left (position.x), -Top (position.y), -Width (size.x), -Height(size.y) +left (position.x), +top (position.y), +width (size.x), +height(size.y) { } @@ -63,53 +63,53 @@ Height(size.y) template template Rect::Rect(const Rect& rectangle) : -Left (static_cast(rectangle.Left)), -Top (static_cast(rectangle.Top)), -Width (static_cast(rectangle.Width)), -Height(static_cast(rectangle.Height)) +left (static_cast(rectangle.left)), +top (static_cast(rectangle.Top)), +width (static_cast(rectangle.Width)), +height(static_cast(rectangle.Height)) { } //////////////////////////////////////////////////////////// template -bool Rect::Contains(T x, T y) const +bool Rect::contains(T x, T y) const { - return (x >= Left) && (x < Left + Width) && (y >= Top) && (y < Top + Height); + return (x >= left) && (x < left + width) && (y >= top) && (y < top + height); } //////////////////////////////////////////////////////////// template -bool Rect::Contains(const Vector2& point) const +bool Rect::contains(const Vector2& point) const { - return Contains(point.x, point.y); + return contains(point.x, point.y); } //////////////////////////////////////////////////////////// template -bool Rect::Intersects(const Rect& rectangle) const +bool Rect::intersects(const Rect& rectangle) const { Rect intersection; - return Intersects(rectangle, intersection); + return intersects(rectangle, intersection); } //////////////////////////////////////////////////////////// template -bool Rect::Intersects(const Rect& rectangle, Rect& intersection) const +bool Rect::intersects(const Rect& rectangle, Rect& intersection) const { // Compute the intersection boundaries - T left = std::max(Left, rectangle.Left); - T top = std::max(Top, rectangle.Top); - T right = std::min(Left + Width, rectangle.Left + rectangle.Width); - T bottom = std::min(Top + Height, rectangle.Top + rectangle.Height); + T interLeft = std::max(left, rectangle.left); + T interTop = std::max(top, rectangle.top); + T interRight = std::min(left + width, rectangle.left + rectangle.width); + T interBottom = std::min(top + height, rectangle.top + rectangle.height); // If the intersection is valid (positive non zero area), then there is an intersection - if ((left < right) && (top < bottom)) + if ((interLeft < interRight) && (interTop < interBottom)) { - intersection = Rect(left, top, right - left, bottom - top); + intersection = Rect(interLeft, interTop, interRight - interLeft, interBottom - interTop); return true; } else @@ -124,8 +124,8 @@ bool Rect::Intersects(const Rect& rectangle, Rect& intersection) const template inline bool operator ==(const Rect& left, const Rect& right) { - return (left.Left == right.Left) && (left.Width == right.Width) && - (left.Top == right.Top) && (left.Height == right.Height); + return (left.left == right.left) && (left.width == right.width) && + (left.top == right.top) && (left.height == right.height); } @@ -133,6 +133,5 @@ inline bool operator ==(const Rect& left, const Rect& right) template inline bool operator !=(const Rect& left, const Rect& right) { - return (left.Left != right.Left) || (left.Width != right.Width) || - (left.Top != right.Top) || (left.Height != right.Height); + return !(left == right); } diff --git a/include/SFML/Graphics/RectangleShape.hpp b/include/SFML/Graphics/RectangleShape.hpp index 188834e4..df844242 100644 --- a/include/SFML/Graphics/RectangleShape.hpp +++ b/include/SFML/Graphics/RectangleShape.hpp @@ -55,20 +55,20 @@ public : /// /// \param size New size of the rectangle /// - /// \see GetSize + /// \see getSize /// //////////////////////////////////////////////////////////// - void SetSize(const Vector2f& size); + void setSize(const Vector2f& size); //////////////////////////////////////////////////////////// /// \brief Get the size of the rectangle /// /// \return Size of the rectangle /// - /// \see SetSize + /// \see setSize /// //////////////////////////////////////////////////////////// - const Vector2f& GetSize() const; + const Vector2f& getSize() const; //////////////////////////////////////////////////////////// /// \brief Get the number of points defining the shape @@ -76,7 +76,7 @@ public : /// \return Number of points of the shape /// //////////////////////////////////////////////////////////// - virtual unsigned int GetPointCount() const; + virtual unsigned int getPointCount() const; //////////////////////////////////////////////////////////// /// \brief Get a point of the shape @@ -88,7 +88,7 @@ public : /// \return Index-th point of the shape /// //////////////////////////////////////////////////////////// - virtual Vector2f GetPoint(unsigned int index) const; + virtual Vector2f getPoint(unsigned int index) const; private : @@ -115,12 +115,12 @@ private : /// Usage example: /// \code /// sf::RectangleShape rectangle; -/// rectangle.SetSize(sf::Vector2f(100, 50)); -/// rectangle.SetOutlineColor(sf::Color::Red); -/// rectangle.SetOutlineThickness(5); -/// rectangle.SetPosition(10, 20); +/// rectangle.setSize(sf::Vector2f(100, 50)); +/// rectangle.setOutlineColor(sf::Color::Red); +/// rectangle.setOutlineThickness(5); +/// rectangle.setPosition(10, 20); /// ... -/// window.Draw(rectangle); +/// window.draw(rectangle); /// \endcode /// /// \see sf::Shape, sf::CircleShape, sf::ConvexShape diff --git a/include/SFML/Graphics/RenderStates.hpp b/include/SFML/Graphics/RenderStates.hpp index 661878e1..32e28916 100644 --- a/include/SFML/Graphics/RenderStates.hpp +++ b/include/SFML/Graphics/RenderStates.hpp @@ -66,7 +66,7 @@ public : /// \param blendMode Blend mode to use /// //////////////////////////////////////////////////////////// - RenderStates(sf::BlendMode blendMode); + RenderStates(BlendMode blendMode); //////////////////////////////////////////////////////////// /// \brief Construct a default set of render states with a custom transform @@ -74,7 +74,7 @@ public : /// \param transform Transform to use /// //////////////////////////////////////////////////////////// - RenderStates(const sf::Transform& transform); + RenderStates(const Transform& transform); //////////////////////////////////////////////////////////// /// \brief Construct a default set of render states with a custom texture @@ -82,7 +82,7 @@ public : /// \param texture Texture to use /// //////////////////////////////////////////////////////////// - RenderStates(const sf::Texture* texture); + RenderStates(const Texture* texture); //////////////////////////////////////////////////////////// /// \brief Construct a default set of render states with a custom shader @@ -90,7 +90,7 @@ public : /// \param shader Shader to use /// //////////////////////////////////////////////////////////// - RenderStates(const sf::Shader* shader); + RenderStates(const Shader* shader); //////////////////////////////////////////////////////////// /// \brief Construct a set of render states with all its attributes @@ -101,8 +101,8 @@ public : /// \param shader Shader to use /// //////////////////////////////////////////////////////////// - RenderStates(sf::BlendMode blendMode, const sf::Transform& transform, - const sf::Texture* texture, const sf::Shader* shader); + RenderStates(BlendMode blendMode, const Transform& transform, + const Texture* texture, const Shader* shader); //////////////////////////////////////////////////////////// // Static member data @@ -112,10 +112,10 @@ public : //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - sf::BlendMode BlendMode; ///< Blending mode - sf::Transform Transform; ///< Transform - const sf::Texture* Texture; ///< Texture - const sf::Shader* Shader; ///< Shader + BlendMode blendMode; ///< Blending mode + Transform transform; ///< Transform + const Texture* texture; ///< Texture + const Shader* shader; ///< Shader }; } // namespace sf @@ -158,7 +158,7 @@ public : /// function: sf::RenderStates has an implicit one-argument /// constructor for each state. /// \code -/// window.Draw(sprite, shader); +/// window.draw(sprite, shader); /// \endcode /// /// When you're inside the Draw function of a drawable diff --git a/include/SFML/Graphics/RenderTarget.hpp b/include/SFML/Graphics/RenderTarget.hpp index cc942b6d..1c236c42 100644 --- a/include/SFML/Graphics/RenderTarget.hpp +++ b/include/SFML/Graphics/RenderTarget.hpp @@ -67,7 +67,7 @@ public : /// \param color Fill color to use to clear the render target /// //////////////////////////////////////////////////////////// - void Clear(const Color& color = Color(0, 0, 0, 255)); + void clear(const Color& color = Color(0, 0, 0, 255)); //////////////////////////////////////////////////////////// /// \brief Change the current active view @@ -81,24 +81,24 @@ public : /// so it is not necessary to keep the original one alive /// after calling this function. /// To restore the original view of the target, you can pass - /// the result of GetDefaultView() to this function. + /// the result of getDefaultView() to this function. /// /// \param view New view to use /// - /// \see GetView, GetDefaultView + /// \see getView, getDefaultView /// //////////////////////////////////////////////////////////// - void SetView(const View& view); + void setView(const View& view); //////////////////////////////////////////////////////////// /// \brief Get the view currently in use in the render target /// /// \return The view object that is currently used /// - /// \see SetView, GetDefaultView + /// \see setView, getDefaultView /// //////////////////////////////////////////////////////////// - const View& GetView() const; + const View& getView() const; //////////////////////////////////////////////////////////// /// \brief Get the default view of the render target @@ -108,10 +108,10 @@ public : /// /// \return The default view of the render target /// - /// \see SetView, GetView + /// \see setView, getView /// //////////////////////////////////////////////////////////// - const View& GetDefaultView() const; + const View& getDefaultView() const; //////////////////////////////////////////////////////////// /// \brief Get the viewport of a view, applied to this render target @@ -126,7 +126,7 @@ public : /// \return Viewport rectangle, expressed in pixels /// //////////////////////////////////////////////////////////// - IntRect GetViewport(const View& view) const; + IntRect getViewport(const View& view) const; //////////////////////////////////////////////////////////// /// \brief Convert a point from target coordinates to view coordinates @@ -150,7 +150,7 @@ public : /// \return The converted point, in "world" units /// //////////////////////////////////////////////////////////// - Vector2f ConvertCoords(unsigned int x, unsigned int y) const; + Vector2f convertCoords(unsigned int x, unsigned int y) const; //////////////////////////////////////////////////////////// /// \brief Convert a point from target coordinates to view coordinates @@ -176,7 +176,7 @@ public : /// \return The converted point, in "world" units /// //////////////////////////////////////////////////////////// - Vector2f ConvertCoords(unsigned int x, unsigned int y, const View& view) const; + Vector2f convertCoords(unsigned int x, unsigned int y, const View& view) const; //////////////////////////////////////////////////////////// /// \brief Draw a drawable object to the render-target @@ -185,7 +185,7 @@ public : /// \param states Render states to use for drawing /// //////////////////////////////////////////////////////////// - void Draw(const Drawable& drawable, const RenderStates& states = RenderStates::Default); + void draw(const Drawable& drawable, const RenderStates& states = RenderStates::Default); //////////////////////////////////////////////////////////// /// \brief Draw primitives defined by an array of vertices @@ -196,7 +196,7 @@ public : /// \param states Render states to use for drawing /// //////////////////////////////////////////////////////////// - void Draw(const Vertex* vertices, unsigned int vertexCount, + void draw(const Vertex* vertices, unsigned int vertexCount, PrimitiveType type, const RenderStates& states = RenderStates::Default); //////////////////////////////////////////////////////////// @@ -204,10 +204,8 @@ public : /// /// \return Size in pixels /// - /// \see GetHeight - /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const = 0; + virtual Vector2u getSize() const = 0; //////////////////////////////////////////////////////////// /// \brief Save the current OpenGL render states and matrices @@ -222,10 +220,10 @@ public : /// calls Draw functions. Example: /// \code /// // OpenGL code here... - /// window.PushGLStates(); - /// window.Draw(...); - /// window.Draw(...); - /// window.PopGLStates(); + /// window.pushGLStates(); + /// window.draw(...); + /// window.draw(...); + /// window.popGLStates(); /// // OpenGL code here... /// \endcode /// @@ -238,44 +236,44 @@ public : /// saved and restored). Take a look at the ResetGLStates /// function if you do so. /// - /// \see PopGLStates + /// \see popGLStates /// //////////////////////////////////////////////////////////// - void PushGLStates(); + void pushGLStates(); //////////////////////////////////////////////////////////// /// \brief Restore the previously saved OpenGL render states and matrices /// - /// See the description of PushGLStates to get a detailed + /// See the description of pushGLStates to get a detailed /// description of these functions. /// - /// \see PushGLStates + /// \see pushGLStates /// //////////////////////////////////////////////////////////// - void PopGLStates(); + void popGLStates(); //////////////////////////////////////////////////////////// /// \brief Reset the internal OpenGL states so that the target is ready for drawing /// /// This function can be used when you mix SFML drawing /// and direct OpenGL rendering, if you choose not to use - /// PushGLStates/PopGLStates. It makes sure that all OpenGL - /// states needed by SFML are set, so that subsequent Draw() + /// pushGLStates/popGLStates. It makes sure that all OpenGL + /// states needed by SFML are set, so that subsequent draw() /// calls will work as expected. /// /// Example: /// \code /// // OpenGL code here... /// glPushAttrib(...); - /// window.ResetGLStates(); - /// window.Draw(...); - /// window.Draw(...); + /// window.resetGLStates(); + /// window.draw(...); + /// window.draw(...); /// glPopAttrib(...); /// // OpenGL code here... /// \endcode /// //////////////////////////////////////////////////////////// - void ResetGLStates(); + void resetGLStates(); protected : @@ -292,13 +290,13 @@ protected : /// target is created and ready for drawing. /// //////////////////////////////////////////////////////////// - void Initialize(); + void initialize(); //////////////////////////////////////////////////////////// /// \brief Apply the current view /// //////////////////////////////////////////////////////////// - void ApplyCurrentView(); + void applyCurrentView(); //////////////////////////////////////////////////////////// /// \brief Apply a new blending mode @@ -306,7 +304,7 @@ protected : /// \param mode Blending mode to apply /// //////////////////////////////////////////////////////////// - void ApplyBlendMode(BlendMode mode); + void applyBlendMode(BlendMode mode); //////////////////////////////////////////////////////////// /// \brief Apply a new transform @@ -314,7 +312,7 @@ protected : /// \param transform Transform to apply /// //////////////////////////////////////////////////////////// - void ApplyTransform(const Transform& transform); + void applyTransform(const Transform& transform); //////////////////////////////////////////////////////////// /// \brief Apply a new texture @@ -322,7 +320,7 @@ protected : /// \param texture Texture to apply /// //////////////////////////////////////////////////////////// - void ApplyTexture(const Texture* texture); + void applyTexture(const Texture* texture); //////////////////////////////////////////////////////////// /// \brief Apply a new shader @@ -330,7 +328,7 @@ protected : /// \param shader Shader to apply /// //////////////////////////////////////////////////////////// - void ApplyShader(const Shader* shader); + void applyShader(const Shader* shader); private : @@ -346,7 +344,7 @@ private : /// \return True if the function succeeded /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active) = 0; + virtual bool activate(bool active) = 0; //////////////////////////////////////////////////////////// /// \brief Render states cache @@ -356,11 +354,11 @@ private : { enum {VertexCacheSize = 4}; - bool ViewChanged; ///< Has the current view changed since last draw? - BlendMode LastBlendMode; ///< Cached blending mode - Uint64 LastTextureId; ///< Cached texture - bool UseVertexCache; ///< Did we previously use the vertex cache? - Vertex VertexCache[VertexCacheSize]; ///< Pre-transformed vertices cache + bool viewChanged; ///< Has the current view changed since last draw? + BlendMode lastBlendMode; ///< Cached blending mode + Uint64 lastTextureId; ///< Cached texture + bool useVertexCache; ///< Did we previously use the vertex cache? + Vertex vertexCache[VertexCacheSize]; ///< Pre-transformed vertices cache }; //////////////////////////////////////////////////////////// @@ -397,7 +395,7 @@ private : /// OpenGL stuff. It is even possible to mix together OpenGL calls /// and regular SFML drawing commands. When doing so, make sure that /// OpenGL states are not messed up by calling the -/// PushGLStates/PopGLStates functions. +/// pushGLStates/popGLStates functions. /// /// \see sf::RenderWindow, sf::RenderTexture, sf::View /// diff --git a/include/SFML/Graphics/RenderTexture.hpp b/include/SFML/Graphics/RenderTexture.hpp index 132d5961..707d459d 100644 --- a/include/SFML/Graphics/RenderTexture.hpp +++ b/include/SFML/Graphics/RenderTexture.hpp @@ -52,9 +52,9 @@ public : /// \brief Default constructor /// /// Constructs an empty, invalid render-texture. You must - /// call Create to have a valid render-texture. + /// call create to have a valid render-texture. /// - /// \see Create + /// \see create /// //////////////////////////////////////////////////////////// RenderTexture(); @@ -76,37 +76,37 @@ public : /// a depth-buffer. Otherwise it is unnecessary, and you should /// leave this parameter to false (which is its default value). /// - /// \param width Width of the render-texture - /// \param height Height of the render-texture - /// \param depthBuffer Do you want this render-texture to have a depth buffer? + /// \param width Width of the render-texture + /// \param height Height of the render-texture + /// \param depthBuffer Do you want this render-texture to have a depth buffer? /// /// \return True if creation has been successful /// //////////////////////////////////////////////////////////// - bool Create(unsigned int width, unsigned int height, bool depthBuffer = false); + bool create(unsigned int width, unsigned int height, bool depthBuffer = false); //////////////////////////////////////////////////////////// /// \brief Enable or disable texture smoothing /// - /// This function is similar to Texture::SetSmooth. + /// This function is similar to Texture::setSmooth. /// This parameter is disabled by default. /// /// \param smooth True to enable smoothing, false to disable it /// - /// \see IsSmooth + /// \see isSmooth /// //////////////////////////////////////////////////////////// - void SetSmooth(bool smooth); + void setSmooth(bool smooth); //////////////////////////////////////////////////////////// /// \brief Tell whether the smooth filtering is enabled or not /// /// \return True if texture smoothing is enabled /// - /// \see SetSmooth + /// \see setSmooth /// //////////////////////////////////////////////////////////// - bool IsSmooth() const; + bool isSmooth() const; //////////////////////////////////////////////////////////// /// \brief Activate of deactivate the render-texture for rendering @@ -123,7 +123,7 @@ public : /// \return True if operation was successful, false otherwise /// //////////////////////////////////////////////////////////// - bool SetActive(bool active = true); + bool setActive(bool active = true); //////////////////////////////////////////////////////////// /// \brief Update the contents of the target texture @@ -134,18 +134,18 @@ public : /// it may leave the texture in an undefined state. /// //////////////////////////////////////////////////////////// - void Display(); + void display(); //////////////////////////////////////////////////////////// /// \brief Return the size of the rendering region of the texture /// /// The returned value is the size that you passed to - /// the Create function. + /// the create function. /// /// \return Size in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const; + virtual Vector2u getSize() const; //////////////////////////////////////////////////////////// /// \brief Get a read-only reference to the target texture @@ -161,7 +161,7 @@ public : /// \return Const reference to the texture /// //////////////////////////////////////////////////////////// - const Texture& GetTexture() const; + const Texture& getTexture() const; private : @@ -176,7 +176,7 @@ private : /// \return True if the function succeeded /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active); + virtual bool activate(bool active); //////////////////////////////////////////////////////////// // Member data @@ -215,35 +215,35 @@ private : /// /// // Create a new render-texture /// sf::RenderTexture texture; -/// if (!texture.Create(500, 500)) +/// if (!texture.create(500, 500)) /// return -1 /// /// // The main loop -/// while (window.IsOpen()) +/// while (window.isOpen()) /// { /// // Event processing /// // ... /// /// // Clear the whole texture with red color -/// texture.Clear(sf::Color::Red); +/// texture.clear(sf::Color::Red); /// /// // Draw stuff to the texture -/// texture.Draw(sprite); // sprite is a sf::Sprite -/// texture.Draw(shape); // shape is a sf::Shape -/// texture.Draw(text); // text is a sf::Text +/// texture.draw(sprite); // sprite is a sf::Sprite +/// texture.draw(shape); // shape is a sf::Shape +/// texture.draw(text); // text is a sf::Text /// /// // We're done drawing to the texture -/// texture.Display(); +/// texture.display(); /// /// // Now we start rendering to the window, clear it first -/// window.Clear(); +/// window.clear(); /// /// // Draw the texture -/// sf::Sprite sprite(texture.GetTexture()); -/// window.Draw(sprite); +/// sf::Sprite sprite(texture.getTexture()); +/// window.draw(sprite); /// /// // End the current frame and display its contents on screen -/// window.Display(); +/// window.display(); /// } /// \endcode /// diff --git a/include/SFML/Graphics/RenderWindow.hpp b/include/SFML/Graphics/RenderWindow.hpp index eaa4cee6..ad897da3 100644 --- a/include/SFML/Graphics/RenderWindow.hpp +++ b/include/SFML/Graphics/RenderWindow.hpp @@ -109,7 +109,7 @@ public : /// \return Size in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const; + virtual Vector2u getSize() const; //////////////////////////////////////////////////////////// /// \brief Copy the current contents of the window to an image @@ -118,14 +118,14 @@ public : /// screenshots of the application. If you want to update an /// image with the contents of the window and then use it for /// drawing, you should rather use a sf::Texture and its - /// Update(Window&) function. + /// update(Window&) function. /// You can also draw things directly to a texture with the /// sf::RenderTexture class. /// /// \return Image containing the captured contents /// //////////////////////////////////////////////////////////// - Image Capture() const; + Image capture() const; private : @@ -137,7 +137,7 @@ private : /// the window is created. /// //////////////////////////////////////////////////////////// - virtual void OnCreate(); + virtual void onCreate(); //////////////////////////////////////////////////////////// /// \brief Function called after the window has been resized @@ -146,7 +146,7 @@ private : /// perform custom actions when the size of the window changes. /// //////////////////////////////////////////////////////////// - virtual void OnResize(); + virtual void onResize(); //////////////////////////////////////////////////////////// /// \brief Activate the target for rendering @@ -156,7 +156,7 @@ private : /// \return True if the function succeeded /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active); + virtual bool activate(bool active); }; } // namespace sf @@ -188,30 +188,30 @@ private : /// sf::RenderWindow window(sf::VideoMode(800, 600), "SFML window"); /// /// // Limit the framerate to 60 frames per second (this step is optional) -/// window.SetFramerateLimit(60); +/// window.setFramerateLimit(60); /// /// // The main loop - ends as soon as the window is closed -/// while (window.IsOpen()) +/// while (window.isOpen()) /// { /// // Event processing /// sf::Event event; -/// while (window.PollEvent(event)) +/// while (window.pollEvent(event)) /// { /// // Request for closing the window -/// if (event.Type == sf::Event::Closed) -/// window.Close(); +/// if (event.type == sf::Event::Closed) +/// window.close(); /// } /// /// // Clear the whole window before rendering a new frame -/// window.Clear(); +/// window.clear(); /// /// // Draw some graphical entities -/// window.Draw(sprite); -/// window.Draw(circle); -/// window.Draw(text); +/// window.draw(sprite); +/// window.draw(circle); +/// window.draw(text); /// /// // End the current frame and display its contents on screen -/// window.Display(); +/// window.display(); /// } /// \endcode /// @@ -233,15 +233,15 @@ private : /// ... /// /// // Start the rendering loop -/// while (window.IsOpen()) +/// while (window.isOpen()) /// { /// // Process events /// ... /// /// // Draw a background sprite -/// window.PushGLStates(); -/// window.Draw(sprite); -/// window.PopGLStates(); +/// window.pushGLStates(); +/// window.draw(sprite); +/// window.popGLStates(); /// /// // Draw a 3D object using OpenGL /// glBegin(GL_QUADS); @@ -250,12 +250,12 @@ private : /// glEnd(); /// /// // Draw text on top of the 3D object -/// window.PushGLStates(); -/// window.Draw(text); -/// window.PopGLStates(); +/// window.pushGLStates(); +/// window.draw(text); +/// window.popGLStates(); /// /// // Finally, display the rendered frame on screen -/// window.Display(); +/// window.display(); /// } /// \endcode /// diff --git a/include/SFML/Graphics/Shader.hpp b/include/SFML/Graphics/Shader.hpp index 4e19bd04..8b85689d 100644 --- a/include/SFML/Graphics/Shader.hpp +++ b/include/SFML/Graphics/Shader.hpp @@ -63,7 +63,7 @@ public : }; //////////////////////////////////////////////////////////// - /// \brief Special type/value that can be passed to SetParameter, + /// \brief Special type/value that can be passed to setParameter, /// and that represents the texture of the object being drawn /// //////////////////////////////////////////////////////////// @@ -102,10 +102,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromMemory, LoadFromStream + /// \see loadFromMemory, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& filename, Type type); + bool loadFromFile(const std::string& filename, Type type); //////////////////////////////////////////////////////////// /// \brief Load both the vertex and fragment shaders from files @@ -123,10 +123,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromMemory, LoadFromStream + /// \see loadFromMemory, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& vertexShaderFilename, const std::string& fragmentShaderFilename); + bool loadFromFile(const std::string& vertexShaderFilename, const std::string& fragmentShaderFilename); //////////////////////////////////////////////////////////// /// \brief Load either the vertex or fragment shader from a source code in memory @@ -143,10 +143,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromStream + /// \see loadFromFile, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const std::string& shader, Type type); + bool loadFromMemory(const std::string& shader, Type type); //////////////////////////////////////////////////////////// /// \brief Load both the vertex and fragment shaders from source codes in memory @@ -164,10 +164,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromStream + /// \see loadFromFile, loadFromStream /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const std::string& vertexShader, const std::string& fragmentShader); + bool loadFromMemory(const std::string& vertexShader, const std::string& fragmentShader); //////////////////////////////////////////////////////////// /// \brief Load either the vertex or fragment shader from a custom stream @@ -184,10 +184,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory + /// \see loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool LoadFromStream(InputStream& stream, Type type); + bool loadFromStream(InputStream& stream, Type type); //////////////////////////////////////////////////////////// /// \brief Load both the vertex and fragment shaders from custom streams @@ -205,10 +205,10 @@ public : /// /// \return True if loading succeeded, false if it failed /// - /// \see LoadFromFile, LoadFromMemory + /// \see loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool LoadFromStream(InputStream& vertexShaderStream, InputStream& fragmentShaderStream); + bool loadFromStream(InputStream& vertexShaderStream, InputStream& fragmentShaderStream); //////////////////////////////////////////////////////////// /// \brief Change a float parameter of the shader @@ -222,14 +222,14 @@ public : /// uniform float myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", 5.2f); + /// shader.setParameter("myparam", 5.2f); /// \endcode /// /// \param name Name of the parameter in the shader /// \param x Value to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, float x); + void setParameter(const std::string& name, float x); //////////////////////////////////////////////////////////// /// \brief Change a 2-components vector parameter of the shader @@ -243,7 +243,7 @@ public : /// uniform vec2 myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", 5.2f, 6.0f); + /// shader.setParameter("myparam", 5.2f, 6.0f); /// \endcode /// /// \param name Name of the parameter in the shader @@ -251,7 +251,7 @@ public : /// \param y Second component of the value to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, float x, float y); + void setParameter(const std::string& name, float x, float y); //////////////////////////////////////////////////////////// /// \brief Change a 3-components vector parameter of the shader @@ -265,7 +265,7 @@ public : /// uniform vec3 myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", 5.2f, 6.0f, -8.1f); + /// shader.setParameter("myparam", 5.2f, 6.0f, -8.1f); /// \endcode /// /// \param name Name of the parameter in the shader @@ -274,7 +274,7 @@ public : /// \param z Third component of the value to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, float x, float y, float z); + void setParameter(const std::string& name, float x, float y, float z); //////////////////////////////////////////////////////////// /// \brief Change a 4-components vector parameter of the shader @@ -288,7 +288,7 @@ public : /// uniform vec4 myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", 5.2f, 6.0f, -8.1f, 0.4f); + /// shader.setParameter("myparam", 5.2f, 6.0f, -8.1f, 0.4f); /// \endcode /// /// \param name Name of the parameter in the shader @@ -298,7 +298,7 @@ public : /// \param w Fourth component of the value to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, float x, float y, float z, float w); + void setParameter(const std::string& name, float x, float y, float z, float w); //////////////////////////////////////////////////////////// /// \brief Change a 2-components vector parameter of the shader @@ -312,14 +312,14 @@ public : /// uniform vec2 myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", sf::Vector2f(5.2f, 6.0f)); + /// shader.setParameter("myparam", sf::Vector2f(5.2f, 6.0f)); /// \endcode /// /// \param name Name of the parameter in the shader /// \param vector Vector to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, const Vector2f& vector); + void setParameter(const std::string& name, const Vector2f& vector); //////////////////////////////////////////////////////////// /// \brief Change a 3-components vector parameter of the shader @@ -333,14 +333,14 @@ public : /// uniform vec3 myparam; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("myparam", sf::Vector3f(5.2f, 6.0f, -8.1f)); + /// shader.setParameter("myparam", sf::Vector3f(5.2f, 6.0f, -8.1f)); /// \endcode /// /// \param name Name of the parameter in the shader /// \param vector Vector to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, const Vector3f& vector); + void setParameter(const std::string& name, const Vector3f& vector); //////////////////////////////////////////////////////////// /// \brief Change a color parameter of the shader @@ -360,14 +360,14 @@ public : /// uniform vec4 color; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("color", sf::Color(255, 128, 0, 255)); + /// shader.setParameter("color", sf::Color(255, 128, 0, 255)); /// \endcode /// /// \param name Name of the parameter in the shader /// \param color Color to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, const Color& color); + void setParameter(const std::string& name, const Color& color); //////////////////////////////////////////////////////////// /// \brief Change a matrix parameter of the shader @@ -383,14 +383,14 @@ public : /// \code /// sf::Transform transform; /// transform.Translate(5, 10); - /// shader.SetParameter("matrix", transform); + /// shader.setParameter("matrix", transform); /// \endcode /// /// \param name Name of the parameter in the shader /// \param transform Transform to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, const sf::Transform& transform); + void setParameter(const std::string& name, const sf::Transform& transform); //////////////////////////////////////////////////////////// /// \brief Change a texture parameter of the shader @@ -406,7 +406,7 @@ public : /// \code /// sf::Texture texture; /// ... - /// shader.SetParameter("the_texture", texture); + /// shader.setParameter("the_texture", texture); /// \endcode /// It is important to note that \a texture must remain alive as long /// as the shader uses it, no copy is made internally. @@ -415,14 +415,14 @@ public : /// known in advance, you can pass the special value /// sf::Shader::CurrentTexture: /// \code - /// shader.SetParameter("the_texture", sf::Shader::CurrentTexture). + /// shader.setParameter("the_texture", sf::Shader::CurrentTexture). /// \endcode /// /// \param name Name of the texture in the shader /// \param texture Texture to assign /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, const Texture& texture); + void setParameter(const std::string& name, const Texture& texture); //////////////////////////////////////////////////////////// /// \brief Change a texture parameter of the shader @@ -439,13 +439,13 @@ public : /// uniform sampler2D current; // this is the variable in the shader /// \endcode /// \code - /// shader.SetParameter("current", sf::Shader::CurrentTexture); + /// shader.setParameter("current", sf::Shader::CurrentTexture); /// \endcode /// /// \param name Name of the texture in the shader /// //////////////////////////////////////////////////////////// - void SetParameter(const std::string& name, CurrentTextureType); + void setParameter(const std::string& name, CurrentTextureType); //////////////////////////////////////////////////////////// /// \brief Bind the shader for rendering (activate it) @@ -454,16 +454,16 @@ public : /// you want to use the shader with a custom OpenGL rendering /// instead of a SFML drawable. /// \code - /// window.SetActive(); - /// shader.Bind(); + /// window.setActive(); + /// shader.bind(); /// ... render OpenGL geometry ... - /// shader.Unbind(); + /// shader.unbind(); /// \endcode /// - /// \see Unbind + /// \see unbind /// //////////////////////////////////////////////////////////// - void Bind() const; + void bind() const; //////////////////////////////////////////////////////////// /// \brief Unbind the shader (deactivate it) @@ -472,10 +472,10 @@ public : /// you want to use the shader with a custom OpenGL rendering /// instead of a SFML drawable. /// - /// \see Bind + /// \see bind /// //////////////////////////////////////////////////////////// - void Unbind() const; + void unbind() const; //////////////////////////////////////////////////////////// /// \brief Tell whether or not the system supports shaders @@ -487,7 +487,7 @@ public : /// \return True if shaders are supported, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsAvailable(); + static bool isAvailable(); private : @@ -503,7 +503,7 @@ private : /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - bool Compile(const char* vertexShaderCode, const char* fragmentShaderCode); + bool compile(const char* vertexShaderCode, const char* fragmentShaderCode); //////////////////////////////////////////////////////////// /// \brief Bind all the textures used by the shader @@ -512,7 +512,7 @@ private : /// updates the corresponding variables in the shader accordingly. /// //////////////////////////////////////////////////////////// - void BindTextures() const; + void bindTextures() const; //////////////////////////////////////////////////////////// // Types @@ -563,13 +563,13 @@ private : /// \li transforms (matrices) /// /// The value of the variables can be changed at any time -/// with either the various overloads of the SetParameter function: +/// with either the various overloads of the setParameter function: /// \code -/// shader.SetParameter("offset", 2.f); -/// shader.SetParameter("color", 0.5f, 0.8f, 0.3f); -/// shader.SetParameter("matrix", transform); // transform is a sf::Transform -/// shader.SetParameter("overlay", texture); // texture is a sf::Texture -/// shader.SetParameter("texture", sf::Shader::CurrentTexture); +/// shader.setParameter("offset", 2.f); +/// shader.setParameter("color", 0.5f, 0.8f, 0.3f); +/// shader.setParameter("matrix", transform); // transform is a sf::Transform +/// shader.setParameter("overlay", texture); // texture is a sf::Texture +/// shader.setParameter("texture", sf::Shader::CurrentTexture); /// \endcode /// /// The special Shader::CurrentTexture argument maps the @@ -579,14 +579,14 @@ private : /// To apply a shader to a drawable, you must pass it as an /// additional parameter to the Draw function: /// \code -/// window.Draw(sprite, shader); +/// window.draw(sprite, shader); /// \endcode /// /// ... which is in fact just a shortcut for this: /// \code /// sf::RenderStates states; -/// states.Shader = shader; -/// window.Draw(sprite, states); +/// states.shader = shader; +/// window.draw(sprite, states); /// \endcode /// /// Shaders can be used on any drawable, but some combinations are @@ -605,7 +605,7 @@ private : /// \li draw everything to a sf::RenderTexture, then draw it to /// the main target using the shader /// \li draw everything directly to the main target, then use -/// sf::Texture::Update(Window&) to copy its contents to a texture +/// sf::Texture::update(Window&) to copy its contents to a texture /// and draw it to the main target using the shader /// /// The first technique is more optimized because it doesn't involve @@ -617,10 +617,10 @@ private : /// sf::Shader can also be used directly as a raw shader for /// custom OpenGL geometry. /// \code -/// window.SetActive(); -/// shader.Bind(); +/// window.setActive(); +/// shader.bind(); /// ... render OpenGL geometry ... -/// shader.Unbind(); +/// shader.unbind(); /// \endcode /// //////////////////////////////////////////////////////////// diff --git a/include/SFML/Graphics/Shape.hpp b/include/SFML/Graphics/Shape.hpp index 21a4f38c..81b01b89 100644 --- a/include/SFML/Graphics/Shape.hpp +++ b/include/SFML/Graphics/Shape.hpp @@ -68,10 +68,10 @@ public : /// \param texture New texture /// \param resetRect Should the texture rect be reset to the size of the new texture? /// - /// \see GetTexture, SetTextureRect + /// \see getTexture, setTextureRect /// //////////////////////////////////////////////////////////// - void SetTexture(const Texture* texture, bool resetRect = false); + void setTexture(const Texture* texture, bool resetRect = false); //////////////////////////////////////////////////////////// /// \brief Set the sub-rectangle of the texture that the shape will display @@ -82,10 +82,10 @@ public : /// /// \param rect Rectangle defining the region of the texture to display /// - /// \see GetTextureRect, SetTexture + /// \see getTextureRect, setTexture /// //////////////////////////////////////////////////////////// - void SetTextureRect(const IntRect& rect); + void setTextureRect(const IntRect& rect); //////////////////////////////////////////////////////////// /// \brief Set the fill color of the shape @@ -99,10 +99,10 @@ public : /// /// \param color New color of the shape /// - /// \see GetFillColor, SetOutlineColor + /// \see getFillColor, setOutlineColor /// //////////////////////////////////////////////////////////// - void SetFillColor(const Color& color); + void setFillColor(const Color& color); //////////////////////////////////////////////////////////// /// \brief Set the outline color of the shape @@ -112,10 +112,10 @@ public : /// /// \param color New outline color of the shape /// - /// \see GetOutlineColor, SetFillColor + /// \see getOutlineColor, setFillColor /// //////////////////////////////////////////////////////////// - void SetOutlineColor(const Color& color); + void setOutlineColor(const Color& color); //////////////////////////////////////////////////////////// /// \brief Set the thickness of the shape's outline @@ -126,10 +126,10 @@ public : /// /// \param thickness New outline thickness /// - /// \see GetOutlineThickness + /// \see getOutlineThickness /// //////////////////////////////////////////////////////////// - void SetOutlineThickness(float thickness); + void setOutlineThickness(float thickness); //////////////////////////////////////////////////////////// /// \brief Get the source texture of the shape @@ -140,58 +140,60 @@ public : /// /// \return Pointer to the shape's texture /// - /// \see SetTexture + /// \see setTexture /// //////////////////////////////////////////////////////////// - const Texture* GetTexture() const; + const Texture* getTexture() const; //////////////////////////////////////////////////////////// /// \brief Get the sub-rectangle of the texture displayed by the shape /// /// \return Texture rectangle of the shape /// - /// \see SetTextureRect + /// \see setTextureRect /// //////////////////////////////////////////////////////////// - const IntRect& GetTextureRect() const; + const IntRect& getTextureRect() const; //////////////////////////////////////////////////////////// /// \brief Get the fill color of the shape /// /// \return Fill color of the shape /// - /// \see SetFillColor + /// \see setFillColor /// //////////////////////////////////////////////////////////// - const Color& GetFillColor() const; + const Color& getFillColor() const; //////////////////////////////////////////////////////////// /// \brief Get the outline color of the shape /// /// \return Outline color of the shape /// - /// \see SetOutlineColor + /// \see setOutlineColor /// //////////////////////////////////////////////////////////// - const Color& GetOutlineColor() const; + const Color& getOutlineColor() const; //////////////////////////////////////////////////////////// /// \brief Get the outline thickness of the shape /// /// \return Outline thickness of the shape /// - /// \see SetOutlineThickness + /// \see setOutlineThickness /// //////////////////////////////////////////////////////////// - float GetOutlineThickness() const; + float getOutlineThickness() const; //////////////////////////////////////////////////////////// /// \brief Get the total number of points of the shape /// /// \return Number of points of the shape /// + /// \see getPoint + /// //////////////////////////////////////////////////////////// - virtual unsigned int GetPointCount() const = 0; + virtual unsigned int getPointCount() const = 0; //////////////////////////////////////////////////////////// /// \brief Get a point of the shape @@ -202,8 +204,10 @@ public : /// /// \return Index-th point of the shape /// + /// \see getPointCount + /// //////////////////////////////////////////////////////////// - virtual Vector2f GetPoint(unsigned int index) const = 0; + virtual Vector2f getPoint(unsigned int index) const = 0; //////////////////////////////////////////////////////////// /// \brief Get the local bounding rectangle of the entity @@ -217,7 +221,7 @@ public : /// \return Local bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetLocalBounds() const; + FloatRect getLocalBounds() const; //////////////////////////////////////////////////////////// /// \brief Get the global bounding rectangle of the entity @@ -231,7 +235,7 @@ public : /// \return Global bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetGlobalBounds() const; + FloatRect getGlobalBounds() const; protected : @@ -246,10 +250,10 @@ protected : /// /// This function must be called by the derived class everytime /// the shape's points change (ie. the result of either - /// GetPointCount or GetPoint is different). + /// getPointCount or getPoint is different). /// //////////////////////////////////////////////////////////// - void Update(); + void update(); private : @@ -260,31 +264,31 @@ private : /// \param states Current render states /// //////////////////////////////////////////////////////////// - virtual void Draw(RenderTarget& target, RenderStates states) const; + virtual void draw(RenderTarget& target, RenderStates states) const; //////////////////////////////////////////////////////////// /// \brief Update the fill vertices' color /// //////////////////////////////////////////////////////////// - void UpdateFillColors(); + void updateFillColors(); //////////////////////////////////////////////////////////// /// \brief Update the fill vertices' texture coordinates /// //////////////////////////////////////////////////////////// - void UpdateTexCoords(); + void updateTexCoords(); //////////////////////////////////////////////////////////// /// \brief Update the outline vertices' position /// //////////////////////////////////////////////////////////// - void UpdateOutline(); + void updateOutline(); //////////////////////////////////////////////////////////// /// \brief Update the outline vertices' color /// //////////////////////////////////////////////////////////// - void UpdateOutlineColors(); + void updateOutlineColors(); private : @@ -333,8 +337,8 @@ private : /// /// You can write your own derived shape class, there are only /// two virtual functions to override: -/// \li GetOutlinePointCount must return the number of points of the shape -/// \li GetOutlinePoint must return the points of the shape +/// \li getPointCount must return the number of points of the shape +/// \li getPoint must return the points of the shape /// /// \see sf::RectangleShape, sf::CircleShape, sf::ConvexShape, sf::Transformable /// diff --git a/include/SFML/Graphics/Sprite.hpp b/include/SFML/Graphics/Sprite.hpp index d4ba318c..5c19e0de 100644 --- a/include/SFML/Graphics/Sprite.hpp +++ b/include/SFML/Graphics/Sprite.hpp @@ -61,7 +61,7 @@ public : /// /// \param texture Source texture /// - /// \see SetTexture + /// \see setTexture /// //////////////////////////////////////////////////////////// explicit Sprite(const Texture& texture); @@ -72,7 +72,7 @@ public : /// \param texture Source texture /// \param rectangle Sub-rectangle of the texture to assign to the sprite /// - /// \see SetTexture, SetTextureRect + /// \see setTexture, setTextureRect /// //////////////////////////////////////////////////////////// Sprite(const Texture& texture, const IntRect& rectangle); @@ -93,10 +93,10 @@ public : /// \param texture New texture /// \param resetRect Should the texture rect be reset to the size of the new texture? /// - /// \see GetTexture, SetTextureRect + /// \see getTexture, setTextureRect /// //////////////////////////////////////////////////////////// - void SetTexture(const Texture& texture, bool resetRect = false); + void setTexture(const Texture& texture, bool resetRect = false); //////////////////////////////////////////////////////////// /// \brief Set the sub-rectangle of the texture that the sprite will display @@ -107,10 +107,10 @@ public : /// /// \param rectangle Rectangle defining the region of the texture to display /// - /// \see GetTextureRect, SetTexture + /// \see getTextureRect, setTexture /// //////////////////////////////////////////////////////////// - void SetTextureRect(const IntRect& rectangle); + void setTextureRect(const IntRect& rectangle); //////////////////////////////////////////////////////////// /// \brief Set the global color of the sprite @@ -122,10 +122,10 @@ public : /// /// \param color New color of the sprite /// - /// \see GetColor + /// \see getColor /// //////////////////////////////////////////////////////////// - void SetColor(const Color& color); + void setColor(const Color& color); //////////////////////////////////////////////////////////// /// \brief Get the source texture of the sprite @@ -136,30 +136,30 @@ public : /// /// \return Pointer to the sprite's texture /// - /// \see SetTexture + /// \see setTexture /// //////////////////////////////////////////////////////////// - const Texture* GetTexture() const; + const Texture* getTexture() const; //////////////////////////////////////////////////////////// /// \brief Get the sub-rectangle of the texture displayed by the sprite /// /// \return Texture rectangle of the sprite /// - /// \see SetTextureRect + /// \see setTextureRect /// //////////////////////////////////////////////////////////// - const IntRect& GetTextureRect() const; + const IntRect& getTextureRect() const; //////////////////////////////////////////////////////////// /// \brief Get the global color of the sprite /// /// \return Global color of the sprite /// - /// \see SetColor + /// \see setColor /// //////////////////////////////////////////////////////////// - const Color& GetColor() const; + const Color& getColor() const; //////////////////////////////////////////////////////////// /// \brief Get the local bounding rectangle of the entity @@ -173,7 +173,7 @@ public : /// \return Local bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetLocalBounds() const; + FloatRect getLocalBounds() const; //////////////////////////////////////////////////////////// /// \brief Get the global bounding rectangle of the entity @@ -187,7 +187,7 @@ public : /// \return Global bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetGlobalBounds() const; + FloatRect getGlobalBounds() const; private : @@ -198,19 +198,19 @@ private : /// \param states Current render states /// //////////////////////////////////////////////////////////// - virtual void Draw(RenderTarget& target, RenderStates states) const; + virtual void draw(RenderTarget& target, RenderStates states) const; //////////////////////////////////////////////////////////// /// \brief Update the vertices' positions /// //////////////////////////////////////////////////////////// - void UpdatePositions(); + void updatePositions(); //////////////////////////////////////////////////////////// /// \brief Update the vertices' texture coordinates /// //////////////////////////////////////////////////////////// - void UpdateTexCoords(); + void updateTexCoords(); //////////////////////////////////////////////////////////// // Member data @@ -259,17 +259,17 @@ private : /// \code /// // Declare and load a texture /// sf::Texture texture; -/// texture.LoadFromFile("texture.png"); +/// texture.loadFromFile("texture.png"); /// /// // Create a sprite /// sf::Sprite sprite; -/// sprite.SetTexture(texture); -/// sprite.SetTextureRect(sf::IntRect(10, 10, 50, 30)); -/// sprite.SetColor(sf::Color(255, 255, 255, 200)); -/// sprite.SetPosition(100, 25); +/// sprite.setTexture(texture); +/// sprite.setTextureRect(sf::IntRect(10, 10, 50, 30)); +/// sprite.setColor(sf::Color(255, 255, 255, 200)); +/// sprite.setPosition(100, 25); /// /// // Draw it -/// window.Draw(sprite); +/// window.draw(sprite); /// \endcode /// /// \see sf::Texture, sf::Transformable diff --git a/include/SFML/Graphics/Text.hpp b/include/SFML/Graphics/Text.hpp index 542f8b1f..f81cbad0 100644 --- a/include/SFML/Graphics/Text.hpp +++ b/include/SFML/Graphics/Text.hpp @@ -77,7 +77,7 @@ public : /// \param characterSize Base size of characters, in pixels /// //////////////////////////////////////////////////////////// - explicit Text(const String& string, const Font& font = Font::GetDefaultFont(), unsigned int characterSize = 30); + explicit Text(const String& string, const Font& font = Font::getDefaultFont(), unsigned int characterSize = 30); //////////////////////////////////////////////////////////// /// \brief Set the text's string @@ -95,10 +95,10 @@ public : /// /// \param string New string /// - /// \see GetString + /// \see getString /// //////////////////////////////////////////////////////////// - void SetString(const String& string); + void setString(const String& string); //////////////////////////////////////////////////////////// /// \brief Set the text's font @@ -110,14 +110,14 @@ public : /// If the font is destroyed and the text tries to /// use it, the behaviour is undefined. /// Texts have a valid font by default, which the built-in - /// Font::GetDefaultFont(). + /// Font::getDefaultFont(). /// /// \param font New font /// - /// \see GetFont + /// \see getFont /// //////////////////////////////////////////////////////////// - void SetFont(const Font& font); + void setFont(const Font& font); //////////////////////////////////////////////////////////// /// \brief Set the character size @@ -126,10 +126,10 @@ public : /// /// \param size New character size, in pixels /// - /// \see GetCharacterSize + /// \see getCharacterSize /// //////////////////////////////////////////////////////////// - void SetCharacterSize(unsigned int size); + void setCharacterSize(unsigned int size); //////////////////////////////////////////////////////////// /// \brief Set the text's style @@ -140,10 +140,10 @@ public : /// /// \param style New style /// - /// \see GetStyle + /// \see getStyle /// //////////////////////////////////////////////////////////// - void SetStyle(Uint32 style); + void setStyle(Uint32 style); //////////////////////////////////////////////////////////// /// \brief Set the global color of the text @@ -152,10 +152,10 @@ public : /// /// \param color New color of the text /// - /// \see GetColor + /// \see getColor /// //////////////////////////////////////////////////////////// - void SetColor(const Color& color); + void setColor(const Color& color); //////////////////////////////////////////////////////////// /// \brief Get the text's string @@ -164,17 +164,17 @@ public : /// be converted to standard string types. So, the following /// lines of code are all valid: /// \code - /// sf::String s1 = text.GetString(); - /// std::string s2 = text.GetString(); - /// std::wstring s3 = text.GetString(); + /// sf::String s1 = text.getString(); + /// std::string s2 = text.getString(); + /// std::wstring s3 = text.getString(); /// \endcode /// /// \return Text's string /// - /// \see GetString + /// \see setString /// //////////////////////////////////////////////////////////// - const String& GetString() const; + const String& getString() const; //////////////////////////////////////////////////////////// /// \brief Get the text's font @@ -184,40 +184,40 @@ public : /// /// \return Text's font /// - /// \see SetFont + /// \see setFont /// //////////////////////////////////////////////////////////// - const Font& GetFont() const; + const Font& getFont() const; //////////////////////////////////////////////////////////// /// \brief Get the character size /// /// \return Size of the characters, in pixels /// - /// \see SetCharacterSize + /// \see setCharacterSize /// //////////////////////////////////////////////////////////// - unsigned int GetCharacterSize() const; + unsigned int getCharacterSize() const; //////////////////////////////////////////////////////////// /// \brief Get the text's style /// /// \return Text's style /// - /// \see SetStyle + /// \see setStyle /// //////////////////////////////////////////////////////////// - Uint32 GetStyle() const; + Uint32 getStyle() const; //////////////////////////////////////////////////////////// /// \brief Get the global color of the text /// /// \return Global color of the text /// - /// \see SetColor + /// \see setColor /// //////////////////////////////////////////////////////////// - const Color& GetColor() const; + const Color& getColor() const; //////////////////////////////////////////////////////////// /// \brief Return the position of the \a index-th character @@ -234,7 +234,7 @@ public : /// \return Position of the character /// //////////////////////////////////////////////////////////// - Vector2f FindCharacterPos(std::size_t index) const; + Vector2f findCharacterPos(std::size_t index) const; //////////////////////////////////////////////////////////// /// \brief Get the local bounding rectangle of the entity @@ -248,7 +248,7 @@ public : /// \return Local bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetLocalBounds() const; + FloatRect getLocalBounds() const; //////////////////////////////////////////////////////////// /// \brief Get the global bounding rectangle of the entity @@ -262,7 +262,7 @@ public : /// \return Global bounding rectangle of the entity /// //////////////////////////////////////////////////////////// - FloatRect GetGlobalBounds() const; + FloatRect getGlobalBounds() const; private : @@ -273,13 +273,13 @@ private : /// \param states Current render states /// //////////////////////////////////////////////////////////// - virtual void Draw(RenderTarget& target, RenderStates states) const; + virtual void draw(RenderTarget& target, RenderStates states) const; //////////////////////////////////////////////////////////// /// \brief Update the text's geometry /// //////////////////////////////////////////////////////////// - void UpdateGeometry(); + void updateGeometry(); //////////////////////////////////////////////////////////// // Member data @@ -335,17 +335,17 @@ private : /// \code /// // Declare and load a font /// sf::Font font; -/// font.LoadFromFile("arial.ttf"); +/// font.loadFromFile("arial.ttf"); /// /// // Create a text /// sf::Text text("hello"); -/// text.SetFont(font); -/// text.SetCharacterSize(30); -/// text.SetStyle(sf::Text::Bold); -/// text.SetColor(sf::Color::Red); +/// text.setFont(font); +/// text.setCharacterSize(30); +/// text.setStyle(sf::Text::Bold); +/// text.setColor(sf::Color::Red); /// /// // Draw it -/// window.Draw(text); +/// window.draw(text); /// \endcode /// /// Note that you don't need to load a font to draw text, diff --git a/include/SFML/Graphics/Texture.hpp b/include/SFML/Graphics/Texture.hpp index b6b26c7d..a61397cf 100644 --- a/include/SFML/Graphics/Texture.hpp +++ b/include/SFML/Graphics/Texture.hpp @@ -93,7 +93,7 @@ public : /// \return True if creation was successful /// //////////////////////////////////////////////////////////// - bool Create(unsigned int width, unsigned int height); + bool create(unsigned int width, unsigned int height); //////////////////////////////////////////////////////////// /// \brief Load the texture from a file on disk @@ -101,8 +101,8 @@ public : /// This function is a shortcut for the following code: /// \code /// sf::Image image; - /// image.LoadFromFile(filename); - /// texture.LoadFromImage(image, area); + /// image.loadFromFile(filename); + /// texture.loadFromImage(image, area); /// \endcode /// /// The \a area argument can be used to load only a sub-rectangle @@ -112,7 +112,7 @@ public : /// is adjusted to fit the image size. /// /// The maximum size for a texture depends on the graphics - /// driver and can be retrieved with the GetMaximumSize function. + /// driver and can be retrieved with the getMaximumSize function. /// /// If this function fails, the texture is left unchanged. /// @@ -121,10 +121,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromMemory, LoadFromStream, LoadFromImage + /// \see loadFromMemory, loadFromStream, loadFromImage /// //////////////////////////////////////////////////////////// - bool LoadFromFile(const std::string& filename, const IntRect& area = IntRect()); + bool loadFromFile(const std::string& filename, const IntRect& area = IntRect()); //////////////////////////////////////////////////////////// /// \brief Load the texture from a file in memory @@ -132,8 +132,8 @@ public : /// This function is a shortcut for the following code: /// \code /// sf::Image image; - /// image.LoadFromMemory(data, size); - /// texture.LoadFromImage(image, area); + /// image.loadFromMemory(data, size); + /// texture.loadFromImage(image, area); /// \endcode /// /// The \a area argument can be used to load only a sub-rectangle @@ -143,7 +143,7 @@ public : /// is adjusted to fit the image size. /// /// The maximum size for a texture depends on the graphics - /// driver and can be retrieved with the GetMaximumSize function. + /// driver and can be retrieved with the getMaximumSize function. /// /// If this function fails, the texture is left unchanged. /// @@ -153,10 +153,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromFile, LoadFromStream, LoadFromImage + /// \see loadFromFile, loadFromStream, loadFromImage /// //////////////////////////////////////////////////////////// - bool LoadFromMemory(const void* data, std::size_t size, const IntRect& area = IntRect()); + bool loadFromMemory(const void* data, std::size_t size, const IntRect& area = IntRect()); //////////////////////////////////////////////////////////// /// \brief Load the texture from a file in memory @@ -164,8 +164,8 @@ public : /// This function is a shortcut for the following code: /// \code /// sf::Image image; - /// image.LoadFromStream(stream); - /// texture.LoadFromImage(image, area); + /// image.loadFromStream(stream); + /// texture.loadFromImage(image, area); /// \endcode /// /// The \a area argument can be used to load only a sub-rectangle @@ -175,7 +175,7 @@ public : /// is adjusted to fit the image size. /// /// The maximum size for a texture depends on the graphics - /// driver and can be retrieved with the GetMaximumSize function. + /// driver and can be retrieved with the getMaximumSize function. /// /// If this function fails, the texture is left unchanged. /// @@ -184,10 +184,10 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromFile, LoadFromMemory, LoadFromImage + /// \see loadFromFile, loadFromMemory, loadFromImage /// //////////////////////////////////////////////////////////// - bool LoadFromStream(sf::InputStream& stream, const IntRect& area = IntRect()); + bool loadFromStream(sf::InputStream& stream, const IntRect& area = IntRect()); //////////////////////////////////////////////////////////// /// \brief Load the texture from an image @@ -199,7 +199,7 @@ public : /// is adjusted to fit the image size. /// /// The maximum size for a texture depends on the graphics - /// driver and can be retrieved with the GetMaximumSize function. + /// driver and can be retrieved with the getMaximumSize function. /// /// If this function fails, the texture is left unchanged. /// @@ -208,30 +208,30 @@ public : /// /// \return True if loading was successful /// - /// \see LoadFromFile, LoadFromMemory + /// \see loadFromFile, loadFromMemory /// //////////////////////////////////////////////////////////// - bool LoadFromImage(const Image& image, const IntRect& area = IntRect()); + bool loadFromImage(const Image& image, const IntRect& area = IntRect()); //////////////////////////////////////////////////////////// /// \brief Return the width of the texture /// /// \return Width in pixels /// - /// \see GetHeight + /// \see getHeight /// //////////////////////////////////////////////////////////// - unsigned int GetWidth() const; + unsigned int getWidth() const; //////////////////////////////////////////////////////////// /// \brief Return the height of the texture /// /// \return Height in pixels /// - /// \see GetWidth + /// \see getWidth /// //////////////////////////////////////////////////////////// - unsigned int GetHeight() const; + unsigned int getHeight() const; //////////////////////////////////////////////////////////// /// \brief Copy the texture pixels to an image @@ -243,10 +243,10 @@ public : /// /// \return Image containing the texture's pixels /// - /// \see LoadFromImage + /// \see loadFromImage /// //////////////////////////////////////////////////////////// - Image CopyToImage() const; + Image copyToImage() const; //////////////////////////////////////////////////////////// /// \brief Update the whole texture from an array of pixels @@ -264,7 +264,7 @@ public : /// \param pixels Array of pixels to copy to the texture /// //////////////////////////////////////////////////////////// - void Update(const Uint8* pixels); + void update(const Uint8* pixels); //////////////////////////////////////////////////////////// /// \brief Update a part of the texture from an array of pixels @@ -286,7 +286,7 @@ public : /// \param y Y offset in the texture where to copy the source pixels /// //////////////////////////////////////////////////////////// - void Update(const Uint8* pixels, unsigned int width, unsigned int height, unsigned int x, unsigned int y); + void update(const Uint8* pixels, unsigned int width, unsigned int height, unsigned int x, unsigned int y); //////////////////////////////////////////////////////////// /// \brief Update the texture from an image @@ -306,7 +306,7 @@ public : /// \param image Image to copy to the texture /// //////////////////////////////////////////////////////////// - void Update(const Image& image); + void update(const Image& image); //////////////////////////////////////////////////////////// /// \brief Update a part of the texture from an image @@ -323,7 +323,7 @@ public : /// \param y Y offset in the texture where to copy the source image /// //////////////////////////////////////////////////////////// - void Update(const Image& image, unsigned int x, unsigned int y); + void update(const Image& image, unsigned int x, unsigned int y); //////////////////////////////////////////////////////////// /// \brief Update the texture from the contents of a window @@ -343,7 +343,7 @@ public : /// \param window Window to copy to the texture /// //////////////////////////////////////////////////////////// - void Update(const Window& window); + void update(const Window& window); //////////////////////////////////////////////////////////// /// \brief Update a part of the texture from the contents of a window @@ -360,7 +360,7 @@ public : /// \param y Y offset in the texture where to copy the source window /// //////////////////////////////////////////////////////////// - void Update(const Window& window, unsigned int x, unsigned int y); + void update(const Window& window, unsigned int x, unsigned int y); //////////////////////////////////////////////////////////// /// \brief Activate the texture for rendering @@ -382,7 +382,7 @@ public : /// \param coordinateType Type of texture coordinates to use /// //////////////////////////////////////////////////////////// - void Bind(CoordinateType coordinateType = Normalized) const; + void bind(CoordinateType coordinateType = Normalized) const; //////////////////////////////////////////////////////////// /// \brief Enable or disable the smooth filter @@ -395,20 +395,20 @@ public : /// /// \param smooth True to enable smoothing, false to disable it /// - /// \see IsSmooth + /// \see isSmooth /// //////////////////////////////////////////////////////////// - void SetSmooth(bool smooth); + void setSmooth(bool smooth); //////////////////////////////////////////////////////////// /// \brief Tell whether the smooth filter is enabled or not /// /// \return True if smoothing is enabled, false if it is disabled /// - /// \see SetSmooth + /// \see setSmooth /// //////////////////////////////////////////////////////////// - bool IsSmooth() const; + bool isSmooth() const; //////////////////////////////////////////////////////////// /// \brief Enable or disable repeating @@ -429,20 +429,20 @@ public : /// /// \param repeated True to repeat the texture, false to disable repeating /// - /// \see IsRepeated + /// \see isRepeated /// //////////////////////////////////////////////////////////// - void SetRepeated(bool repeated); + void setRepeated(bool repeated); //////////////////////////////////////////////////////////// /// \brief Tell whether the texture is repeated or not /// /// \return True if repeat mode is enabled, false if it is disabled /// - /// \see SetRepeated + /// \see setRepeated /// //////////////////////////////////////////////////////////// - bool IsRepeated() const; + bool isRepeated() const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -464,7 +464,7 @@ public : /// \return Maximum size allowed for textures, in pixels /// //////////////////////////////////////////////////////////// - static unsigned int GetMaximumSize(); + static unsigned int getMaximumSize(); private : @@ -484,7 +484,7 @@ private : /// \return Valid nearest size (greater than or equal to specified size) /// //////////////////////////////////////////////////////////// - static unsigned int GetValidSize(unsigned int size); + static unsigned int getValidSize(unsigned int size); //////////////////////////////////////////////////////////// // Member data @@ -518,7 +518,7 @@ private : /// Being stored in the graphics card memory has some drawbacks. /// A texture cannot be manipulated as freely as a sf::Image, /// you need to prepare the pixels first and then upload them -/// to the texture in a single operation (see Texture::Update). +/// to the texture in a single operation (see Texture::update). /// /// sf::Texture makes it easy to convert from/to sf::Image, but /// keep in mind that these calls require transfers between @@ -531,7 +531,7 @@ private : /// However, if you want to perform some modifications on the pixels /// before creating the final texture, you can load your file to a /// sf::Image, do whatever you need with the pixels, and then call -/// Texture::LoadFromImage. +/// Texture::loadFromImage. /// /// Since they live in the graphics card memory, the pixels of a texture /// cannot be accessed without a slow copy first. And they cannot be @@ -552,15 +552,15 @@ private : /// /// // Load a texture from a file /// sf::Texture texture; -/// if (!texture.LoadFromFile("texture.png")) +/// if (!texture.loadFromFile("texture.png")) /// return -1; /// /// // Assign it to a sprite /// sf::Sprite sprite; -/// sprite.SetTexture(texture); +/// sprite.setTexture(texture); /// /// // Draw the textured sprite -/// window.Draw(sprite); +/// window.draw(sprite); /// \endcode /// /// \code @@ -569,7 +569,7 @@ private : /// /// // Create an empty texture /// sf::Texture texture; -/// if (!texture.Create(640, 480)) +/// if (!texture.create(640, 480)) /// return -1; /// /// // Create a sprite that will display the texture @@ -581,10 +581,10 @@ private : /// /// // update the texture /// sf::Uint8* pixels = ...; // get a fresh chunk of pixels (the next frame of a movie, for example) -/// texture.Update(pixels); +/// texture.update(pixels); /// /// // draw it -/// window.Draw(sprite); +/// window.draw(sprite); /// /// ... /// } diff --git a/include/SFML/Graphics/Transform.hpp b/include/SFML/Graphics/Transform.hpp index a4ef7f8f..75f13758 100644 --- a/include/SFML/Graphics/Transform.hpp +++ b/include/SFML/Graphics/Transform.hpp @@ -78,13 +78,13 @@ public : /// /// \code /// sf::Transform transform = ...; - /// glLoadMatrixf(transform.GetMatrix()); + /// glLoadMatrixf(transform.getMatrix()); /// \endcode /// /// \return Pointer to a 4x4 matrix /// //////////////////////////////////////////////////////////// - const float* GetMatrix() const; + const float* getMatrix() const; //////////////////////////////////////////////////////////// /// \brief Return the inverse of the transform @@ -95,7 +95,7 @@ public : /// \return A new transform which is the inverse of self /// //////////////////////////////////////////////////////////// - Transform GetInverse() const; + Transform getInverse() const; //////////////////////////////////////////////////////////// /// \brief Transform a 2D point @@ -106,7 +106,7 @@ public : /// \return Transformed point /// //////////////////////////////////////////////////////////// - Vector2f TransformPoint(float x, float y) const; + Vector2f transformPoint(float x, float y) const; //////////////////////////////////////////////////////////// /// \brief Transform a 2D point @@ -116,7 +116,7 @@ public : /// \return Transformed point /// //////////////////////////////////////////////////////////// - Vector2f TransformPoint(const Vector2f& point) const; + Vector2f transformPoint(const Vector2f& point) const; //////////////////////////////////////////////////////////// /// \brief Transform a rectangle @@ -132,7 +132,7 @@ public : /// \return Transformed rectangle /// //////////////////////////////////////////////////////////// - FloatRect TransformRect(const FloatRect& rectangle) const; + FloatRect transformRect(const FloatRect& rectangle) const; //////////////////////////////////////////////////////////// /// \brief Combine the current transform with another one @@ -146,7 +146,7 @@ public : /// \return Reference to *this /// //////////////////////////////////////////////////////////// - Transform& Combine(const Transform& transform); + Transform& combine(const Transform& transform); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a translation @@ -155,7 +155,7 @@ public : /// can be chained. /// \code /// sf::Transform transform; - /// transform.Translate(100, 200).Rotate(45); + /// transform.translate(100, 200).rotate(45); /// \endcode /// /// \param x Offset to apply on X axis @@ -163,10 +163,10 @@ public : /// /// \return Reference to *this /// - /// \see Rotate, Scale + /// \see rotate, scale /// //////////////////////////////////////////////////////////// - Transform& Translate(float x, float y); + Transform& translate(float x, float y); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a translation @@ -175,17 +175,17 @@ public : /// can be chained. /// \code /// sf::Transform transform; - /// transform.Translate(sf::Vector2f(100, 200)).Rotate(45); + /// transform.translate(sf::Vector2f(100, 200)).rotate(45); /// \endcode /// /// \param offset Translation offset to apply /// /// \return Reference to *this /// - /// \see Rotate, Scale + /// \see rotate, scale /// //////////////////////////////////////////////////////////// - Transform& Translate(const Vector2f& offset); + Transform& translate(const Vector2f& offset); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a rotation @@ -194,17 +194,17 @@ public : /// can be chained. /// \code /// sf::Transform transform; - /// transform.Rotate(90).Translate(50, 20); + /// transform.rotate(90).translate(50, 20); /// \endcode /// /// \param angle Rotation angle, in degrees /// /// \return Reference to *this /// - /// \see Translate, Scale + /// \see translate, scale /// //////////////////////////////////////////////////////////// - Transform& Rotate(float angle); + Transform& rotate(float angle); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a rotation @@ -212,13 +212,13 @@ public : /// The center of rotation is provided for convenience as a second /// argument, so that you can build rotations around arbitrary points /// more easily (and efficiently) than the usual - /// Translate(-center).Rotate(angle).Translate(center). + /// translate(-center).rotate(angle).translate(center). /// /// This function returns a reference to *this, so that calls /// can be chained. /// \code /// sf::Transform transform; - /// transform.Rotate(90, 8, 3).Translate(50, 20); + /// transform.rotate(90, 8, 3).translate(50, 20); /// \endcode /// /// \param angle Rotation angle, in degrees @@ -227,10 +227,10 @@ public : /// /// \return Reference to *this /// - /// \see Translate, Scale + /// \see translate, scale /// //////////////////////////////////////////////////////////// - Transform& Rotate(float angle, float centerX, float centerY); + Transform& rotate(float angle, float centerX, float centerY); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a rotation @@ -238,13 +238,13 @@ public : /// The center of rotation is provided for convenience as a second /// argument, so that you can build rotations around arbitrary points /// more easily (and efficiently) than the usual - /// Translate(-center).Rotate(angle).Translate(center). + /// translate(-center).rotate(angle).translate(center). /// /// This function returns a reference to *this, so that calls /// can be chained. /// \code /// sf::Transform transform; - /// transform.Rotate(90, sf::Vector2f(8, 3)).Translate(sf::Vector2f(50, 20)); + /// transform.rotate(90, sf::Vector2f(8, 3)).translate(sf::Vector2f(50, 20)); /// \endcode /// /// \param angle Rotation angle, in degrees @@ -252,10 +252,10 @@ public : /// /// \return Reference to *this /// - /// \see Translate, Scale + /// \see translate, scale /// //////////////////////////////////////////////////////////// - Transform& Rotate(float angle, const Vector2f& center); + Transform& rotate(float angle, const Vector2f& center); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a scaling @@ -264,7 +264,7 @@ public : /// can be chained. /// \code /// sf::Transform transform; - /// transform.Scale(2, 1).Rotate(45); + /// transform.scale(2, 1).rotate(45); /// \endcode /// /// \param scaleX Scaling factor on the X axis @@ -272,10 +272,10 @@ public : /// /// \return Reference to *this /// - /// \see Translate, Rotate + /// \see translate, rotate /// //////////////////////////////////////////////////////////// - Transform& Scale(float scaleX, float scaleY); + Transform& scale(float scaleX, float scaleY); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a scaling @@ -283,13 +283,13 @@ public : /// The center of scaling is provided for convenience as a second /// argument, so that you can build scaling around arbitrary points /// more easily (and efficiently) than the usual - /// Translate(-center).Scale(factors).Translate(center). + /// translate(-center).scale(factors).translate(center). /// /// This function returns a reference to *this, so that calls /// can be chained. /// \code /// sf::Transform transform; - /// transform.Scale(2, 1, 8, 3).Rotate(45); + /// transform.scale(2, 1, 8, 3).rotate(45); /// \endcode /// /// \param scaleX Scaling factor on X axis @@ -299,10 +299,10 @@ public : /// /// \return Reference to *this /// - /// \see Translate, Rotate + /// \see translate, rotate /// //////////////////////////////////////////////////////////// - Transform& Scale(float scaleX, float scaleY, float centerX, float centerY); + Transform& scale(float scaleX, float scaleY, float centerX, float centerY); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a scaling @@ -311,17 +311,17 @@ public : /// can be chained. /// \code /// sf::Transform transform; - /// transform.Scale(sf::Vector2f(2, 1)).Rotate(45); + /// transform.scale(sf::Vector2f(2, 1)).rotate(45); /// \endcode /// /// \param factors Scaling factors /// /// \return Reference to *this /// - /// \see Translate, Rotate + /// \see translate, rotate /// //////////////////////////////////////////////////////////// - Transform& Scale(const Vector2f& factors); + Transform& scale(const Vector2f& factors); //////////////////////////////////////////////////////////// /// \brief Combine the current transform with a scaling @@ -329,13 +329,13 @@ public : /// The center of scaling is provided for convenience as a second /// argument, so that you can build scaling around arbitrary points /// more easily (and efficiently) than the usual - /// Translate(-center).Scale(factors).Translate(center). + /// translate(-center).scale(factors).translate(center). /// /// This function returns a reference to *this, so that calls /// can be chained. /// \code /// sf::Transform transform; - /// transform.Scale(sf::Vector2f(2, 1), sf::Vector2f(8, 3)).Rotate(45); + /// transform.scale(sf::Vector2f(2, 1), sf::Vector2f(8, 3)).rotate(45); /// \endcode /// /// \param factors Scaling factors @@ -343,10 +343,10 @@ public : /// /// \return Reference to *this /// - /// \see Translate, Rotate + /// \see translate, rotate /// //////////////////////////////////////////////////////////// - Transform& Scale(const Vector2f& factors, const Vector2f& center); + Transform& scale(const Vector2f& factors, const Vector2f& center); //////////////////////////////////////////////////////////// // Static member data @@ -365,7 +365,7 @@ private: /// \relates sf::Transform /// \brief Overload of binary operator * to combine two transforms /// -/// This call is equivalent to calling Transform(left).Combine(right). +/// This call is equivalent to calling Transform(left).combine(right). /// /// \param left Left operand (the first transform) /// \param right Right operand (the second transform) @@ -379,7 +379,7 @@ SFML_GRAPHICS_API Transform operator *(const Transform& left, const Transform& r /// \relates sf::Transform /// \brief Overload of binary operator *= to combine two transforms /// -/// This call is equivalent to calling left.Combine(right). +/// This call is equivalent to calling left.combine(right). /// /// \param left Left operand (the first transform) /// \param right Right operand (the second transform) @@ -393,7 +393,7 @@ SFML_GRAPHICS_API Transform& operator *=(Transform& left, const Transform& right /// \relates sf::Transform /// \brief Overload of binary operator * to transform a point /// -/// This call is equivalent to calling left.TransformPoint(right). +/// This call is equivalent to calling left.transformPoint(right). /// /// \param left Left operand (the transform) /// \param right Right operand (the point to transform) @@ -431,18 +431,18 @@ SFML_GRAPHICS_API Vector2f operator *(const Transform& left, const Vector2f& rig /// \code /// // define a translation transform /// sf::Transform translation; -/// translation.Translate(20, 50); +/// translation.translate(20, 50); /// /// // define a rotation transform /// sf::Transform rotation; -/// rotation.Rotate(45); +/// rotation.rotate(45); /// /// // combine them /// sf::Transform transform = translation * rotation; /// /// // use the result to transform stuff... -/// sf::Vector2f point = transform.TransformPoint(10, 20); -/// sf::FloatRect rect = transform.TransformRect(sf::FloatRect(0, 0, 10, 100)); +/// sf::Vector2f point = transform.transformPoint(10, 20); +/// sf::FloatRect rect = transform.transformRect(sf::FloatRect(0, 0, 10, 100)); /// \endcode /// /// \see sf::Transformable, sf::RenderStates diff --git a/include/SFML/Graphics/Transformable.hpp b/include/SFML/Graphics/Transformable.hpp index eeade01d..4ec180b7 100644 --- a/include/SFML/Graphics/Transformable.hpp +++ b/include/SFML/Graphics/Transformable.hpp @@ -55,7 +55,7 @@ public : virtual ~Transformable(); //////////////////////////////////////////////////////////// - /// \brief Set the position of the object + /// \brief set the position of the object /// /// This function completely overwrites the previous position. /// See Move to apply an offset based on the previous position instead. @@ -64,13 +64,13 @@ public : /// \param x X coordinate of the new position /// \param y Y coordinate of the new position /// - /// \see Move, GetPosition + /// \see move, getPosition /// //////////////////////////////////////////////////////////// - void SetPosition(float x, float y); + void setPosition(float x, float y); //////////////////////////////////////////////////////////// - /// \brief Set the position of the object + /// \brief set the position of the object /// /// This function completely overwrites the previous position. /// See Move to apply an offset based on the previous position instead. @@ -78,13 +78,13 @@ public : /// /// \param position New position /// - /// \see Move, GetPosition + /// \see move, getPosition /// //////////////////////////////////////////////////////////// - void SetPosition(const Vector2f& position); + void setPosition(const Vector2f& position); //////////////////////////////////////////////////////////// - /// \brief Set the orientation of the object + /// \brief set the orientation of the object /// /// This function completely overwrites the previous rotation. /// See Rotate to add an angle based on the previous rotation instead. @@ -92,13 +92,13 @@ public : /// /// \param angle New rotation, in degrees /// - /// \see Rotate, GetRotation + /// \see rotate, getRotation /// //////////////////////////////////////////////////////////// - void SetRotation(float angle); + void setRotation(float angle); //////////////////////////////////////////////////////////// - /// \brief Set the scale factors of the object + /// \brief set the scale factors of the object /// /// This function completely overwrites the previous scale. /// See Scale to add a factor based on the previous scale instead. @@ -107,13 +107,13 @@ public : /// \param factorX New horizontal scale factor /// \param factorY New vertical scale factor /// - /// \see Scale, GetScale + /// \see scale, getScale /// //////////////////////////////////////////////////////////// - void SetScale(float factorX, float factorY); + void setScale(float factorX, float factorY); //////////////////////////////////////////////////////////// - /// \brief Set the scale factors of the object + /// \brief set the scale factors of the object /// /// This function completely overwrites the previous scale. /// See Scale to add a factor based on the previous scale instead. @@ -121,13 +121,13 @@ public : /// /// \param factors New scale factors /// - /// \see Scale, GetScale + /// \see scale, getScale /// //////////////////////////////////////////////////////////// - void SetScale(const Vector2f& factors); + void setScale(const Vector2f& factors); //////////////////////////////////////////////////////////// - /// \brief Set the local origin of the object + /// \brief set the local origin of the object /// /// The origin of an object defines the center point for /// all transformations (position, scale, rotation). @@ -139,13 +139,13 @@ public : /// \param x X coordinate of the new origin /// \param y Y coordinate of the new origin /// - /// \see GetOrigin + /// \see getOrigin /// //////////////////////////////////////////////////////////// - void SetOrigin(float x, float y); + void setOrigin(float x, float y); //////////////////////////////////////////////////////////// - /// \brief Set the local origin of the object + /// \brief set the local origin of the object /// /// The origin of an object defines the center point for /// all transformations (position, scale, rotation). @@ -156,160 +156,160 @@ public : /// /// \param origin New origin /// - /// \see GetOrigin + /// \see getOrigin /// //////////////////////////////////////////////////////////// - void SetOrigin(const Vector2f& origin); + void setOrigin(const Vector2f& origin); //////////////////////////////////////////////////////////// - /// \brief Get the position of the object + /// \brief get the position of the object /// /// \return Current position /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - const Vector2f& GetPosition() const; + const Vector2f& getPosition() const; //////////////////////////////////////////////////////////// - /// \brief Get the orientation of the object + /// \brief get the orientation of the object /// /// The rotation is always in the range [0, 360]. /// /// \return Current rotation, in degrees /// - /// \see SetRotation + /// \see setRotation /// //////////////////////////////////////////////////////////// - float GetRotation() const; + float getRotation() const; //////////////////////////////////////////////////////////// - /// \brief Get the current scale of the object + /// \brief get the current scale of the object /// /// \return Current scale factors /// - /// \see SetScale + /// \see setScale /// //////////////////////////////////////////////////////////// - const Vector2f& GetScale() const; + const Vector2f& getScale() const; //////////////////////////////////////////////////////////// - /// \brief Get the local origin of the object + /// \brief get the local origin of the object /// /// \return Current origin /// - /// \see SetOrigin + /// \see setOrigin /// //////////////////////////////////////////////////////////// - const Vector2f& GetOrigin() const; + const Vector2f& getOrigin() const; //////////////////////////////////////////////////////////// /// \brief Move the object by a given offset /// /// This function adds to the current position of the object, - /// unlike SetPosition which overwrites it. + /// unlike setPosition which overwrites it. /// Thus, it is equivalent to the following code: /// \code - /// sf::Vector2f pos = object.GetPosition(); - /// object.SetPosition(pos.x + offsetX, pos.y + offsetY); + /// sf::Vector2f pos = object.getPosition(); + /// object.setPosition(pos.x + offsetX, pos.y + offsetY); /// \endcode /// /// \param offsetX X offset /// \param offsetY Y offset /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - void Move(float offsetX, float offsetY); + void move(float offsetX, float offsetY); //////////////////////////////////////////////////////////// /// \brief Move the object by a given offset /// /// This function adds to the current position of the object, - /// unlike SetPosition which overwrites it. + /// unlike setPosition which overwrites it. /// Thus, it is equivalent to the following code: /// \code - /// object.SetPosition(object.GetPosition() + offset); + /// object.setPosition(object.getPosition() + offset); /// \endcode /// /// \param offset Offset /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - void Move(const Vector2f& offset); + void move(const Vector2f& offset); //////////////////////////////////////////////////////////// /// \brief Rotate the object /// /// This function adds to the current rotation of the object, - /// unlike SetRotation which overwrites it. + /// unlike setRotation which overwrites it. /// Thus, it is equivalent to the following code: /// \code - /// object.SetRotation(object.GetRotation() + angle); + /// object.setRotation(object.getRotation() + angle); /// \endcode /// /// \param angle Angle of rotation, in degrees /// //////////////////////////////////////////////////////////// - void Rotate(float angle); + void rotate(float angle); //////////////////////////////////////////////////////////// /// \brief Scale the object /// /// This function multiplies the current scale of the object, - /// unlike SetScale which overwrites it. + /// unlike setScale which overwrites it. /// Thus, it is equivalent to the following code: /// \code - /// sf::Vector2f scale = object.GetScale(); - /// object.SetScale(scale.x * factorX, scale.y * factorY); + /// sf::Vector2f scale = object.getScale(); + /// object.setScale(scale.x * factorX, scale.y * factorY); /// \endcode /// /// \param factorX Horizontal scale factor /// \param factorY Vertical scale factor /// - /// \see SetScale + /// \see setScale /// //////////////////////////////////////////////////////////// - void Scale(float factorX, float factorY); + void scale(float factorX, float factorY); //////////////////////////////////////////////////////////// /// \brief Scale the object /// /// This function multiplies the current scale of the object, - /// unlike SetScale which overwrites it. + /// unlike setScale which overwrites it. /// Thus, it is equivalent to the following code: /// \code - /// sf::Vector2f scale = object.GetScale(); - /// object.SetScale(scale.x * factor.x, scale.y * factor.y); + /// sf::Vector2f scale = object.getScale(); + /// object.setScale(scale.x * factor.x, scale.y * factor.y); /// \endcode /// /// \param factor Scale factors /// - /// \see SetScale + /// \see setScale /// //////////////////////////////////////////////////////////// - void Scale(const Vector2f& factor); + void scale(const Vector2f& factor); //////////////////////////////////////////////////////////// - /// \brief Get the combined transform of the object + /// \brief get the combined transform of the object /// /// \return Transform combining the position/rotation/scale/origin of the object /// - /// \see GetInverseTransform + /// \see getInverseTransform /// //////////////////////////////////////////////////////////// - const Transform& GetTransform() const; + const Transform& getTransform() const; //////////////////////////////////////////////////////////// - /// \brief Get the inverse of the combined transform of the object + /// \brief get the inverse of the combined transform of the object /// /// \return Inverse of the combined transformations applied to the object /// - /// \see GetTransform + /// \see getTransform /// //////////////////////////////////////////////////////////// - const Transform& GetInverseTransform() const; + const Transform& getInverseTransform() const; private : @@ -377,17 +377,17 @@ private : /// \code /// class MyEntity : public sf::Transformable, public sf::Drawable /// { -/// virtual void Draw(sf::RenderTarget& target, sf::RenderStates states) const +/// virtual void draw(sf::RenderTarget& target, sf::RenderStates states) const /// { -/// states.Transform *= GetTransform(); -/// target.Draw(..., states); +/// states.transform *= getTransform(); +/// target.draw(..., states); /// } /// }; /// /// MyEntity entity; -/// entity.SetPosition(10, 20); -/// entity.SetRotation(45); -/// window.Draw(entity); +/// entity.setPosition(10, 20); +/// entity.setRotation(45); +/// window.draw(entity); /// \endcode /// /// It can also be used as a member, if you don't want to use @@ -397,18 +397,18 @@ private : /// class MyEntity /// { /// public : -/// void setPosition(const MyVector& v) +/// void SetPosition(const MyVector& v) /// { -/// m_transform.SetPosition(v.x(), v.y()); +/// myTransform.setPosition(v.x(), v.y()); /// } /// -/// void draw(sf::RenderTarget& target) const +/// void Draw(sf::RenderTarget& target) const /// { -/// target.Draw(..., m_transform.GetTransform()); +/// target.draw(..., myTransform.getTransform()); /// } /// /// private : -/// sf::Transformable m_transform; +/// sf::Transformable myTransform; /// }; /// \endcode /// diff --git a/include/SFML/Graphics/Vertex.hpp b/include/SFML/Graphics/Vertex.hpp index bbe70b75..f9c2c38a 100644 --- a/include/SFML/Graphics/Vertex.hpp +++ b/include/SFML/Graphics/Vertex.hpp @@ -68,7 +68,7 @@ public : /// \param color Vertex color /// //////////////////////////////////////////////////////////// - Vertex(const Vector2f& position, const sf::Color& color); + Vertex(const Vector2f& position, const Color& color); //////////////////////////////////////////////////////////// /// \brief Construct the vertex from its position and texture coordinates @@ -89,14 +89,14 @@ public : /// \param texCoords Vertex texture coordinates /// //////////////////////////////////////////////////////////// - Vertex(const Vector2f& position, const sf::Color& color, const Vector2f& texCoords); + Vertex(const Vector2f& position, const Color& color, const Vector2f& texCoords); //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - Vector2f Position; ///< 2D position of the vertex - sf::Color Color; ///< Color of the vertex - Vector2f TexCoords; ///< Coordinates of the texture's pixel to map to the vertex + Vector2f position; ///< 2D position of the vertex + Color color; ///< Color of the vertex + Vector2f texCoords; ///< Coordinates of the texture's pixel to map to the vertex }; } // namespace sf @@ -136,7 +136,7 @@ public : /// }; /// /// // draw it -/// window.Draw(vertices, 4, sf::Quads); +/// window.draw(vertices, 4, sf::Quads); /// \endcode /// /// Note: although texture coordinates are supposed to be an integer diff --git a/include/SFML/Graphics/VertexArray.hpp b/include/SFML/Graphics/VertexArray.hpp index db6116a5..637ea31d 100644 --- a/include/SFML/Graphics/VertexArray.hpp +++ b/include/SFML/Graphics/VertexArray.hpp @@ -69,7 +69,7 @@ public : /// \return Number of vertices in the array /// //////////////////////////////////////////////////////////// - unsigned int GetVertexCount() const; + unsigned int getVertexCount() const; //////////////////////////////////////////////////////////// /// \brief Get a read-write access to a vertex by its index @@ -82,7 +82,7 @@ public : /// /// \return Reference to the index-th vertex /// - /// \see GetVertexCount + /// \see getVertexCount /// //////////////////////////////////////////////////////////// Vertex& operator [](unsigned int index); @@ -98,7 +98,7 @@ public : /// /// \return Const reference to the index-th vertex /// - /// \see GetVertexCount + /// \see getVertexCount /// //////////////////////////////////////////////////////////// const Vertex& operator [](unsigned int index) const; @@ -112,7 +112,7 @@ public : /// reallocating all the memory. /// //////////////////////////////////////////////////////////// - void Clear(); + void clear(); //////////////////////////////////////////////////////////// /// \brief Resize the vertex array @@ -126,7 +126,7 @@ public : /// \param vertexCount New size of the array (number of vertices) /// //////////////////////////////////////////////////////////// - void Resize(unsigned int vertexCount); + void resize(unsigned int vertexCount); //////////////////////////////////////////////////////////// /// \brief Add a vertex to the array @@ -134,7 +134,7 @@ public : /// \param vertex Vertex to add /// //////////////////////////////////////////////////////////// - void Append(const Vertex& vertex); + void append(const Vertex& vertex); //////////////////////////////////////////////////////////// /// \brief Set the type of primitives to draw @@ -150,7 +150,7 @@ public : /// \param type Type of primitive /// //////////////////////////////////////////////////////////// - void SetPrimitiveType(PrimitiveType type); + void setPrimitiveType(PrimitiveType type); //////////////////////////////////////////////////////////// /// \brief Get the type of primitives drawn by the vertex array @@ -158,7 +158,7 @@ public : /// \return Primitive type /// //////////////////////////////////////////////////////////// - PrimitiveType GetPrimitiveType() const; + PrimitiveType getPrimitiveType() const; //////////////////////////////////////////////////////////// /// \brief Compute the bounding rectangle of the vertex array @@ -169,7 +169,7 @@ public : /// \return Bounding rectangle of the vertex array /// //////////////////////////////////////////////////////////// - FloatRect GetBounds() const; + FloatRect getBounds() const; private : @@ -180,7 +180,7 @@ private : /// \param states Current render states /// //////////////////////////////////////////////////////////// - virtual void Draw(RenderTarget& target, RenderStates states) const; + virtual void draw(RenderTarget& target, RenderStates states) const; private: @@ -210,12 +210,12 @@ private: /// Example: /// \code /// sf::VertexArray lines(sf::LinesStrip, 4); -/// lines[0].Position = sf::Vector2f(10, 0); -/// lines[1].Position = sf::Vector2f(20, 0); -/// lines[2].Position = sf::Vector2f(30, 5); -/// lines[3].Position = sf::Vector2f(40, 2); +/// lines[0].position = sf::Vector2f(10, 0); +/// lines[1].position = sf::Vector2f(20, 0); +/// lines[2].position = sf::Vector2f(30, 5); +/// lines[3].position = sf::Vector2f(40, 2); /// -/// window.Draw(lines); +/// window.draw(lines); /// \endcode /// /// \see sf::Vertex diff --git a/include/SFML/Graphics/View.hpp b/include/SFML/Graphics/View.hpp index 03da78d5..47fd6629 100644 --- a/include/SFML/Graphics/View.hpp +++ b/include/SFML/Graphics/View.hpp @@ -75,20 +75,20 @@ public : /// \param x X coordinate of the new center /// \param y Y coordinate of the new center /// - /// \see SetSize, GetCenter + /// \see setSize, getCenter /// //////////////////////////////////////////////////////////// - void SetCenter(float x, float y); + void setCenter(float x, float y); //////////////////////////////////////////////////////////// /// \brief Set the center of the view /// /// \param center New center /// - /// \see SetSize, GetCenter + /// \see setSize, getCenter /// //////////////////////////////////////////////////////////// - void SetCenter(const Vector2f& center); + void setCenter(const Vector2f& center); //////////////////////////////////////////////////////////// /// \brief Set the size of the view @@ -96,20 +96,20 @@ public : /// \param width New width of the view /// \param height New height of the view /// - /// \see SetCenter, GetCenter + /// \see setCenter, getCenter /// //////////////////////////////////////////////////////////// - void SetSize(float width, float height); + void setSize(float width, float height); //////////////////////////////////////////////////////////// /// \brief Set the size of the view /// /// \param size New size /// - /// \see SetCenter, GetCenter + /// \see setCenter, getCenter /// //////////////////////////////////////////////////////////// - void SetSize(const Vector2f& size); + void setSize(const Vector2f& size); //////////////////////////////////////////////////////////// /// \brief Set the orientation of the view @@ -118,10 +118,10 @@ public : /// /// \param angle New angle, in degrees /// - /// \see GetRotation + /// \see getRotation /// //////////////////////////////////////////////////////////// - void SetRotation(float angle); + void setRotation(float angle); //////////////////////////////////////////////////////////// /// \brief Set the target viewport @@ -130,15 +130,15 @@ public : /// view are displayed, expressed as a factor (between 0 and 1) /// of the size of the RenderTarget to which the view is applied. /// For example, a view which takes the left side of the target would - /// be defined with View.SetViewport(sf::FloatRect(0, 0, 0.5, 1)). + /// be defined with View.setViewport(sf::FloatRect(0, 0, 0.5, 1)). /// By default, a view has a viewport which covers the entire target. /// /// \param viewport New viewport rectangle /// - /// \see GetViewport + /// \see getViewport /// //////////////////////////////////////////////////////////// - void SetViewport(const FloatRect& viewport); + void setViewport(const FloatRect& viewport); //////////////////////////////////////////////////////////// /// \brief Reset the view to the given rectangle @@ -147,50 +147,50 @@ public : /// /// \param rectangle Rectangle defining the zone to display /// - /// \see SetCenter, SetSize, SetRotation + /// \see setCenter, setSize, setRotation /// //////////////////////////////////////////////////////////// - void Reset(const FloatRect& rectangle); + void reset(const FloatRect& rectangle); //////////////////////////////////////////////////////////// /// \brief Get the center of the view /// /// \return Center of the view /// - /// \see GetSize, SetCenter + /// \see getSize, setCenter /// //////////////////////////////////////////////////////////// - const Vector2f& GetCenter() const; + const Vector2f& getCenter() const; //////////////////////////////////////////////////////////// /// \brief Get the size of the view /// /// \return Size of the view /// - /// \see GetCenter, SetSize + /// \see getCenter, setSize /// //////////////////////////////////////////////////////////// - const Vector2f& GetSize() const; + const Vector2f& getSize() const; //////////////////////////////////////////////////////////// /// \brief Get the current orientation of the view /// /// \return Rotation angle of the view, in degrees /// - /// \see SetRotation + /// \see setRotation /// //////////////////////////////////////////////////////////// - float GetRotation() const; + float getRotation() const; //////////////////////////////////////////////////////////// /// \brief Get the target viewport rectangle of the view /// /// \return Viewport rectangle, expressed as a factor of the target size /// - /// \see SetViewport + /// \see setViewport /// //////////////////////////////////////////////////////////// - const FloatRect& GetViewport() const; + const FloatRect& getViewport() const; //////////////////////////////////////////////////////////// /// \brief Move the view relatively to its current position @@ -198,30 +198,30 @@ public : /// \param offsetX X coordinate of the move offset /// \param offsetY Y coordinate of the move offset /// - /// \see SetCenter, Rotate, Zoom + /// \see setCenter, rotate, zoom /// //////////////////////////////////////////////////////////// - void Move(float offsetX, float offsetY); + void move(float offsetX, float offsetY); //////////////////////////////////////////////////////////// /// \brief Move the view relatively to its current position /// /// \param offset Move offset /// - /// \see SetCenter, Rotate, Zoom + /// \see setCenter, rotate, zoom /// //////////////////////////////////////////////////////////// - void Move(const Vector2f& offset); + void move(const Vector2f& offset); //////////////////////////////////////////////////////////// /// \brief Rotate the view relatively to its current orientation /// /// \param angle Angle to rotate, in degrees /// - /// \see SetRotation, Move, Zoom + /// \see setRotation, move, zoom /// //////////////////////////////////////////////////////////// - void Rotate(float angle); + void rotate(float angle); //////////////////////////////////////////////////////////// /// \brief Resize the view rectangle relatively to its current size @@ -235,10 +235,10 @@ public : /// /// \param factor Zoom factor to apply /// - /// \see SetSize, Move, Rotate + /// \see setSize, move, rotate /// //////////////////////////////////////////////////////////// - void Zoom(float factor); + void zoom(float factor); //////////////////////////////////////////////////////////// /// \brief Get the projection transform of the view @@ -247,10 +247,10 @@ public : /// /// \return Projection transform defining the view /// - /// \see GetInverseTransform + /// \see getInverseTransform /// //////////////////////////////////////////////////////////// - const Transform& GetTransform() const; + const Transform& getTransform() const; //////////////////////////////////////////////////////////// /// \brief Get the inverse projection transform of the view @@ -259,10 +259,10 @@ public : /// /// \return Inverse of the projection transform defining the view /// - /// \see GetTransform + /// \see getTransform /// //////////////////////////////////////////////////////////// - const Transform& GetInverseTransform() const; + const Transform& getInverseTransform() const; private : @@ -315,25 +315,25 @@ private : /// sf::View view; /// /// // Initialize the view to a rectangle located at (100, 100) and with a size of 400x200 -/// view.Reset(sf::FloatRect(100, 100, 400, 200)); +/// view.reset(sf::FloatRect(100, 100, 400, 200)); /// /// // Rotate it by 45 degrees -/// view.Rotate(45); +/// view.rotate(45); /// /// // Set its target viewport to be half of the window -/// view.SetViewport(sf::FloatRect(0.f, 0.f, 0.5f, 1.f)); +/// view.setViewport(sf::FloatRect(0.f, 0.f, 0.5f, 1.f)); /// /// // Apply it -/// window.SetView(view); +/// window.setView(view); /// /// // Render stuff -/// window.Draw(someSprite); +/// window.draw(someSprite); /// /// // Set the default view back -/// window.SetView(window.GetDefaultView()); +/// window.setView(window.getDefaultView()); /// /// // Render stuff not affected by the view -/// window.Draw(someText); +/// window.draw(someText); /// \endcode /// /// \see sf::RenderWindow, sf::RenderTexture diff --git a/include/SFML/Network/Ftp.hpp b/include/SFML/Network/Ftp.hpp index db98c014..92c0e04b 100644 --- a/include/SFML/Network/Ftp.hpp +++ b/include/SFML/Network/Ftp.hpp @@ -154,7 +154,7 @@ public : /// \return True if the status is a success, false if it is a failure /// //////////////////////////////////////////////////////////// - bool IsOk() const; + bool isOk() const; //////////////////////////////////////////////////////////// /// \brief Get the status code of the response @@ -162,7 +162,7 @@ public : /// \return Status code /// //////////////////////////////////////////////////////////// - Status GetStatus() const; + Status getStatus() const; //////////////////////////////////////////////////////////// /// \brief Get the full message contained in the response @@ -170,7 +170,7 @@ public : /// \return The response message /// //////////////////////////////////////////////////////////// - const std::string& GetMessage() const; + const std::string& getMessage() const; private : @@ -203,7 +203,7 @@ public : /// \return Directory name /// //////////////////////////////////////////////////////////// - const std::string& GetDirectory() const; + const std::string& getDirectory() const; private : @@ -237,7 +237,7 @@ public : /// \return Array containing the requested filenames /// //////////////////////////////////////////////////////////// - const std::vector& GetFilenames() const; + const std::vector& getFilenames() const; private : @@ -275,20 +275,20 @@ public : /// /// \return Server response to the request /// - /// \see Disconnect + /// \see disconnect /// //////////////////////////////////////////////////////////// - Response Connect(const IpAddress& server, unsigned short port = 21, Time timeout = Time::Zero); + Response connect(const IpAddress& server, unsigned short port = 21, Time timeout = Time::Zero); //////////////////////////////////////////////////////////// /// \brief Close the connection with the server /// /// \return Server response to the request /// - /// \see Connect + /// \see connect /// //////////////////////////////////////////////////////////// - Response Disconnect(); + Response disconnect(); //////////////////////////////////////////////////////////// /// \brief Log in using an anonymous account @@ -299,7 +299,7 @@ public : /// \return Server response to the request /// //////////////////////////////////////////////////////////// - Response Login(); + Response login(); //////////////////////////////////////////////////////////// /// \brief Log in using a username and a password @@ -313,7 +313,7 @@ public : /// \return Server response to the request /// //////////////////////////////////////////////////////////// - Response Login(const std::string& name, const std::string& password); + Response login(const std::string& name, const std::string& password); //////////////////////////////////////////////////////////// /// \brief Send a null command to keep the connection alive @@ -324,7 +324,7 @@ public : /// \return Server response to the request /// //////////////////////////////////////////////////////////// - Response KeepAlive(); + Response keepAlive(); //////////////////////////////////////////////////////////// /// \brief Get the current working directory @@ -334,10 +334,10 @@ public : /// /// \return Server response to the request /// - /// \see GetDirectoryListing, ChangeDirectory, ParentDirectory + /// \see getDirectoryListing, changeDirectory, parentDirectory /// //////////////////////////////////////////////////////////// - DirectoryResponse GetWorkingDirectory(); + DirectoryResponse getWorkingDirectory(); //////////////////////////////////////////////////////////// /// \brief Get the contents of the given directory @@ -351,10 +351,10 @@ public : /// /// \return Server response to the request /// - /// \see GetWorkingDirectory, ChangeDirectory, ParentDirectory + /// \see getWorkingDirectory, changeDirectory, parentDirectory /// //////////////////////////////////////////////////////////// - ListingResponse GetDirectoryListing(const std::string& directory = ""); + ListingResponse getDirectoryListing(const std::string& directory = ""); //////////////////////////////////////////////////////////// /// \brief Change the current working directory @@ -365,20 +365,20 @@ public : /// /// \return Server response to the request /// - /// \see GetWorkingDirectory, GetDirectoryListing, ParentDirectory + /// \see getWorkingDirectory, getDirectoryListing, parentDirectory /// //////////////////////////////////////////////////////////// - Response ChangeDirectory(const std::string& directory); + Response changeDirectory(const std::string& directory); //////////////////////////////////////////////////////////// /// \brief Go to the parent directory of the current one /// /// \return Server response to the request /// - /// \see GetWorkingDirectory, GetDirectoryListing, ChangeDirectory + /// \see getWorkingDirectory, getDirectoryListing, changeDirectory /// //////////////////////////////////////////////////////////// - Response ParentDirectory(); + Response parentDirectory(); //////////////////////////////////////////////////////////// /// \brief Create a new directory @@ -390,10 +390,10 @@ public : /// /// \return Server response to the request /// - /// \see DeleteDirectory + /// \see deleteDirectory /// //////////////////////////////////////////////////////////// - Response CreateDirectory(const std::string& name); + Response createDirectory(const std::string& name); //////////////////////////////////////////////////////////// /// \brief Remove an existing directory @@ -407,10 +407,10 @@ public : /// /// \return Server response to the request /// - /// \see CreateDirectory + /// \see createDirectory /// //////////////////////////////////////////////////////////// - Response DeleteDirectory(const std::string& name); + Response deleteDirectory(const std::string& name); //////////////////////////////////////////////////////////// /// \brief Rename an existing file @@ -423,10 +423,10 @@ public : /// /// \return Server response to the request /// - /// \see DeleteFile + /// \see deleteFile /// //////////////////////////////////////////////////////////// - Response RenameFile(const std::string& file, const std::string& newName); + Response renameFile(const std::string& file, const std::string& newName); //////////////////////////////////////////////////////////// /// \brief Remove an existing file @@ -440,10 +440,10 @@ public : /// /// \return Server response to the request /// - /// \see RenameFile + /// \see renameFile /// //////////////////////////////////////////////////////////// - Response DeleteFile(const std::string& name); + Response deleteFile(const std::string& name); //////////////////////////////////////////////////////////// /// \brief Download a file from the server @@ -459,10 +459,10 @@ public : /// /// \return Server response to the request /// - /// \see Upload + /// \see upload /// //////////////////////////////////////////////////////////// - Response Download(const std::string& remoteFile, const std::string& localPath, TransferMode mode = Binary); + Response download(const std::string& remoteFile, const std::string& localPath, TransferMode mode = Binary); //////////////////////////////////////////////////////////// /// \brief Upload a file to the server @@ -478,8 +478,10 @@ public : /// /// \return Server response to the request /// + /// \see download + /// //////////////////////////////////////////////////////////// - Response Upload(const std::string& localFile, const std::string& remotePath, TransferMode mode = Binary); + Response upload(const std::string& localFile, const std::string& remotePath, TransferMode mode = Binary); private : @@ -492,7 +494,7 @@ private : /// \return Server response to the request /// //////////////////////////////////////////////////////////// - Response SendCommand(const std::string& command, const std::string& parameter = ""); + Response sendCommand(const std::string& command, const std::string& parameter = ""); //////////////////////////////////////////////////////////// /// \brief Receive a response from the server @@ -503,7 +505,7 @@ private : /// \return Server response to the request /// //////////////////////////////////////////////////////////// - Response GetResponse(); + Response getResponse(); //////////////////////////////////////////////////////////// /// \brief Utility class for exchanging datas with the server @@ -543,11 +545,11 @@ private : /// /// Every command returns a FTP response, which contains the /// status code as well as a message from the server. Some -/// commands such as GetWorkingDirectory and GetDirectoryListing +/// commands such as getWorkingDirectory and getDirectoryListing /// return additional data, and use a class derived from /// sf::Ftp::Response to provide this data. /// -/// All commands, especially Upload and Download, may take some +/// All commands, especially upload and download, may take some /// time to complete. This is important to know if you don't want /// to block your application while the server is completing /// the task. @@ -558,32 +560,32 @@ private : /// sf::Ftp ftp; /// /// // Connect to the server -/// sf::Ftp::Response response = ftp.Connect("ftp://ftp.myserver.com"); -/// if (response.IsOk()) +/// sf::Ftp::Response response = ftp.connect("ftp://ftp.myserver.com"); +/// if (response.isOk()) /// std::cout << "Connected" << std::endl; /// /// // Log in -/// response = ftp.Login("laurent", "dF6Zm89D"); -/// if (response.IsOk()) +/// response = ftp.login("laurent", "dF6Zm89D"); +/// if (response.isOk()) /// std::cout << "Logged in" << std::endl; /// /// // Print the working directory -/// sf::Ftp::DirectoryResponse directory = ftp.GetWorkingDirectory(); -/// if (directory.IsOk()) -/// std::cout << "Working directory: " << directory.GetDirectory() << std::endl; +/// sf::Ftp::DirectoryResponse directory = ftp.getWorkingDirectory(); +/// if (directory.isOk()) +/// std::cout << "Working directory: " << directory.getDirectory() << std::endl; /// /// // Create a new directory -/// response = ftp.CreateDirectory("files"); -/// if (response.IsOk()) +/// response = ftp.createDirectory("files"); +/// if (response.isOk()) /// std::cout << "Created new directory" << std::endl; /// /// // Upload a file to this new directory -/// response = ftp.Upload("local-path/file.txt", "files", sf::Ftp::Ascii); -/// if (response.IsOk()) +/// response = ftp.upload("local-path/file.txt", "files", sf::Ftp::Ascii); +/// if (response.isOk()) /// std::cout << "File uploaded" << std::endl; /// /// // Disconnect from the server (optional) -/// ftp.Disconnect(); +/// ftp.disconnect(); /// \endcode /// //////////////////////////////////////////////////////////// diff --git a/include/SFML/Network/Http.hpp b/include/SFML/Network/Http.hpp index c386d64b..75cc1989 100644 --- a/include/SFML/Network/Http.hpp +++ b/include/SFML/Network/Http.hpp @@ -92,7 +92,7 @@ public : /// \param value Value of the field /// //////////////////////////////////////////////////////////// - void SetField(const std::string& field, const std::string& value); + void setField(const std::string& field, const std::string& value); //////////////////////////////////////////////////////////// /// \brief Set the request method @@ -104,7 +104,7 @@ public : /// \param method Method to use for the request /// //////////////////////////////////////////////////////////// - void SetMethod(Method method); + void setMethod(Method method); //////////////////////////////////////////////////////////// /// \brief Set the requested URI @@ -116,7 +116,7 @@ public : /// \param uri URI to request, relative to the host /// //////////////////////////////////////////////////////////// - void SetUri(const std::string& uri); + void setUri(const std::string& uri); //////////////////////////////////////////////////////////// /// \brief Set the HTTP version for the request @@ -127,7 +127,7 @@ public : /// \param minor Minor HTTP version number /// //////////////////////////////////////////////////////////// - void SetHttpVersion(unsigned int major, unsigned int minor); + void setHttpVersion(unsigned int major, unsigned int minor); //////////////////////////////////////////////////////////// /// \brief Set the body of the request @@ -139,7 +139,7 @@ public : /// \param body Content of the body /// //////////////////////////////////////////////////////////// - void SetBody(const std::string& body); + void setBody(const std::string& body); private : @@ -154,7 +154,7 @@ public : /// \return String containing the request, ready to be sent /// //////////////////////////////////////////////////////////// - std::string Prepare() const; + std::string prepare() const; //////////////////////////////////////////////////////////// /// \brief Check if the request defines a field @@ -166,7 +166,7 @@ public : /// \return True if the field exists, false otherwise /// //////////////////////////////////////////////////////////// - bool HasField(const std::string& field) const; + bool hasField(const std::string& field) const; //////////////////////////////////////////////////////////// // Types @@ -178,7 +178,7 @@ public : //////////////////////////////////////////////////////////// FieldTable m_fields; ///< Fields of the header associated to their value Method m_method; ///< Method to use for the request - std::string m_uRI; ///< Target URI of the request + std::string m_uri; ///< Target URI of the request unsigned int m_majorVersion; ///< Major HTTP version unsigned int m_minorVersion; ///< Minor HTTP version std::string m_body; ///< Body of the request @@ -252,7 +252,7 @@ public : /// \return Value of the field, or empty string if not found /// //////////////////////////////////////////////////////////// - const std::string& GetField(const std::string& field) const; + const std::string& getField(const std::string& field) const; //////////////////////////////////////////////////////////// /// \brief Get the response status code @@ -265,27 +265,27 @@ public : /// \return Status code of the response /// //////////////////////////////////////////////////////////// - Status GetStatus() const; + Status getStatus() const; //////////////////////////////////////////////////////////// /// \brief Get the major HTTP version number of the response /// /// \return Major HTTP version number /// - /// \see GetMinorHttpVersion + /// \see getMinorHttpVersion /// //////////////////////////////////////////////////////////// - unsigned int GetMajorHttpVersion() const; + unsigned int getMajorHttpVersion() const; //////////////////////////////////////////////////////////// /// \brief Get the minor HTTP version number of the response /// /// \return Minor HTTP version number /// - /// \see GetMajorHttpVersion + /// \see getMajorHttpVersion /// //////////////////////////////////////////////////////////// - unsigned int GetMinorHttpVersion() const; + unsigned int getMinorHttpVersion() const; //////////////////////////////////////////////////////////// /// \brief Get the body of the response @@ -299,7 +299,7 @@ public : /// \return The response body /// //////////////////////////////////////////////////////////// - const std::string& GetBody() const; + const std::string& getBody() const; private : @@ -314,7 +314,7 @@ public : /// \param data Content of the response to parse /// //////////////////////////////////////////////////////////// - void Parse(const std::string& data); + void parse(const std::string& data); //////////////////////////////////////////////////////////// // Types @@ -368,7 +368,7 @@ public : /// \param port Port to use for connection /// //////////////////////////////////////////////////////////// - void SetHost(const std::string& host, unsigned short port = 0); + void setHost(const std::string& host, unsigned short port = 0); //////////////////////////////////////////////////////////// /// \brief Send a HTTP request and return the server's response. @@ -388,7 +388,7 @@ public : /// \return Server's response /// //////////////////////////////////////////////////////////// - Response SendRequest(const Request& request, Time timeout = Time::Zero); + Response sendRequest(const Request& request, Time timeout = Time::Zero); private : @@ -444,19 +444,19 @@ private : /// sf::Http http; /// /// // We'll work on http://www.sfml-dev.org -/// http.SetHost("http://www.sfml-dev.org"); +/// http.setHost("http://www.sfml-dev.org"); /// /// // Prepare a request to get the 'features.php' page /// sf::Http::Request request("features.php"); /// /// // Send the request -/// sf::Http::Response response = http.SendRequest(request); +/// sf::Http::Response response = http.sendRequest(request); /// /// // Check the status code and display the result -/// sf::Http::Response::Status status = response.GetStatus(); +/// sf::Http::Response::Status status = response.getStatus(); /// if (status == sf::Http::Response::Ok) /// { -/// std::cout << response.GetBody() << std::endl; +/// std::cout << response.getBody() << std::endl; /// } /// else /// { diff --git a/include/SFML/Network/IpAddress.hpp b/include/SFML/Network/IpAddress.hpp index 71b372e6..ee5ff688 100644 --- a/include/SFML/Network/IpAddress.hpp +++ b/include/SFML/Network/IpAddress.hpp @@ -103,7 +103,7 @@ public : /// /// \param address 4 bytes of the address packed into a 32-bits integer /// - /// \see ToInteger + /// \see toInteger /// //////////////////////////////////////////////////////////// explicit IpAddress(Uint32 address); @@ -117,10 +117,10 @@ public : /// /// \return String representation of the address /// - /// \see ToInteger + /// \see toInteger /// //////////////////////////////////////////////////////////// - std::string ToString() const; + std::string toString() const; //////////////////////////////////////////////////////////// /// \brief Get an integer representation of the address @@ -133,10 +133,10 @@ public : /// /// \return 32-bits unsigned integer representation of the address /// - /// \see ToString + /// \see toString /// //////////////////////////////////////////////////////////// - Uint32 ToInteger() const; + Uint32 toInteger() const; //////////////////////////////////////////////////////////// /// \brief Get the computer's local address @@ -144,15 +144,15 @@ public : /// The local address is the address of the computer from the /// LAN point of view, i.e. something like 192.168.1.56. It is /// meaningful only for communications over the local network. - /// Unlike GetPublicAddress, this function is fast and may be + /// Unlike getPublicAddress, this function is fast and may be /// used safely anywhere. /// /// \return Local IP address of the computer /// - /// \see GetPublicAddress + /// \see getPublicAddress /// //////////////////////////////////////////////////////////// - static IpAddress GetLocalAddress(); + static IpAddress getLocalAddress(); //////////////////////////////////////////////////////////// /// \brief Get the computer's public address @@ -173,10 +173,10 @@ public : /// /// \return Public IP address of the computer /// - /// \see GetLocalAddress + /// \see getLocalAddress /// //////////////////////////////////////////////////////////// - static IpAddress GetPublicAddress(Time timeout = Time::Zero); + static IpAddress getPublicAddress(Time timeout = Time::Zero); //////////////////////////////////////////////////////////// // Static member data @@ -306,8 +306,8 @@ SFML_NETWORK_API std::ostream& operator <<(std::ostream& stream, const IpAddress /// sf::IpAddress a5("my_computer"); // a local address created from a network name /// sf::IpAddress a6("89.54.1.169"); // a distant address /// sf::IpAddress a7("www.google.com"); // a distant address created from a network name -/// sf::IpAddress a8 = sf::IpAddress::GetLocalAddress(); // my address on the local network -/// sf::IpAddress a9 = sf::IpAddress::GetPublicAddress(); // my address on the internet +/// sf::IpAddress a8 = sf::IpAddress::getLocalAddress(); // my address on the local network +/// sf::IpAddress a9 = sf::IpAddress::getPublicAddress(); // my address on the internet /// \endcode /// /// Note that sf::IpAddress currently doesn't support IPv6 diff --git a/include/SFML/Network/Packet.hpp b/include/SFML/Network/Packet.hpp index 34a1aa5f..41ab559a 100644 --- a/include/SFML/Network/Packet.hpp +++ b/include/SFML/Network/Packet.hpp @@ -71,20 +71,20 @@ public : /// \param data Pointer to the sequence of bytes to append /// \param sizeInBytes Number of bytes to append /// - /// \see Clear + /// \see clear /// //////////////////////////////////////////////////////////// - void Append(const void* data, std::size_t sizeInBytes); + void append(const void* data, std::size_t sizeInBytes); //////////////////////////////////////////////////////////// /// \brief Clear the packet /// /// After calling Clear, the packet is empty. /// - /// \see Append + /// \see append /// //////////////////////////////////////////////////////////// - void Clear(); + void clear(); //////////////////////////////////////////////////////////// /// \brief Get a pointer to the data contained in the packet @@ -96,23 +96,23 @@ public : /// /// \return Pointer to the data /// - /// \see GetDataSize + /// \see getDataSize /// //////////////////////////////////////////////////////////// - const char* GetData() const; + const char* getData() const; //////////////////////////////////////////////////////////// /// \brief Get the size of the data contained in the packet /// /// This function returns the number of bytes pointed to by - /// what GetData returns. + /// what getData returns. /// /// \return Data size, in bytes /// - /// \see GetData + /// \see getData /// //////////////////////////////////////////////////////////// - std::size_t GetDataSize() const; + std::size_t getDataSize() const; //////////////////////////////////////////////////////////// /// \brief Tell if the reading position has reached the @@ -126,7 +126,7 @@ public : /// \see operator bool /// //////////////////////////////////////////////////////////// - bool EndOfPacket() const; + bool endOfPacket() const; public: @@ -165,7 +165,7 @@ public: /// /// \return True if last data extraction from packet was successful /// - /// \see EndOfPacket + /// \see endOfPacket /// //////////////////////////////////////////////////////////// operator BoolType() const; @@ -230,7 +230,7 @@ private : /// \return True if \a size bytes can be read from the packet /// //////////////////////////////////////////////////////////// - bool CheckSize(std::size_t size); + bool checkSize(std::size_t size); //////////////////////////////////////////////////////////// /// \brief Called before the packet is sent over the network @@ -247,10 +247,10 @@ private : /// /// \return Pointer to the array of bytes to send /// - /// \see OnReceive + /// \see onReceive /// //////////////////////////////////////////////////////////// - virtual const char* OnSend(std::size_t& size); + virtual const char* onSend(std::size_t& size); //////////////////////////////////////////////////////////// /// \brief Called after the packet is received over the network @@ -266,8 +266,10 @@ private : /// \param data Pointer to the received bytes /// \param size Number of bytes /// + /// \see onSend + /// //////////////////////////////////////////////////////////// - virtual void OnReceive(const char* data, std::size_t size); + virtual void onReceive(const char* data, std::size_t size); //////////////////////////////////////////////////////////// // Member data @@ -316,13 +318,13 @@ private : /// packet << x << s << d; /// /// // Send it over the network (socket is a valid sf::TcpSocket) -/// socket.Send(packet); +/// socket.send(packet); /// /// ----------------------------------------------------------------- /// /// // Receive the packet at the other end /// sf::Packet packet; -/// socket.Receive(packet); +/// socket.receive(packet); /// /// // Extract the variables contained in the packet /// sf::Uint32 x; @@ -369,26 +371,26 @@ private : /// and after it is received. This is typically used to /// handle automatic compression or encryption of the data. /// This is achieved by inheriting from sf::Packet, and overriding -/// the OnSend and OnReceive functions. +/// the onSend and onReceive functions. /// /// Here is an example: /// \code /// class ZipPacket : public sf::Packet /// { -/// virtual const char* OnSend(std::size_t& size) +/// virtual const char* onSend(std::size_t& size) /// { -/// const char* srcData = GetData(); -/// std::size_t srcSize = GetDataSize(); +/// const char* srcData = getData(); +/// std::size_t srcSize = getDataSize(); /// /// return MySuperZipFunction(srcData, srcSize, &size); /// } /// -/// virtual void OnReceive(const char* data, std::size_t size) +/// virtual void onReceive(const char* data, std::size_t size) /// { /// std::size_t dstSize; /// const char* dstData = MySuperUnzipFunction(data, size, &dstSize); /// -/// Append(dstData, dstSize); +/// append(dstData, dstSize); /// } /// }; /// diff --git a/include/SFML/Network/Socket.hpp b/include/SFML/Network/Socket.hpp index 19f8afec..9f7ae307 100644 --- a/include/SFML/Network/Socket.hpp +++ b/include/SFML/Network/Socket.hpp @@ -89,20 +89,20 @@ public : /// /// \param blocking True to set the socket as blocking, false for non-blocking /// - /// \see IsBlocking + /// \see isBlocking /// //////////////////////////////////////////////////////////// - void SetBlocking(bool blocking); + void setBlocking(bool blocking); //////////////////////////////////////////////////////////// /// \brief Tell whether the socket is in blocking or non-blocking mode /// /// \return True if the socket is blocking, false otherwise /// - /// \see SetBlocking + /// \see setBlocking /// //////////////////////////////////////////////////////////// - bool IsBlocking() const; + bool isBlocking() const; protected : @@ -136,7 +136,7 @@ protected : /// \return The internal (OS-specific) handle of the socket /// //////////////////////////////////////////////////////////// - SocketHandle GetHandle() const; + SocketHandle getHandle() const; //////////////////////////////////////////////////////////// /// \brief Create the internal representation of the socket @@ -144,7 +144,7 @@ protected : /// This function can only be accessed by derived classes. /// //////////////////////////////////////////////////////////// - void Create(); + void create(); //////////////////////////////////////////////////////////// /// \brief Create the internal representation of the socket @@ -155,7 +155,7 @@ protected : /// \param handle OS-specific handle of the socket to wrap /// //////////////////////////////////////////////////////////// - void Create(SocketHandle handle); + void create(SocketHandle handle); //////////////////////////////////////////////////////////// /// \brief Close the socket gracefully @@ -163,7 +163,7 @@ protected : /// This function can only be accessed by derived classes. /// //////////////////////////////////////////////////////////// - void Close(); + void close(); private : diff --git a/include/SFML/Network/SocketSelector.hpp b/include/SFML/Network/SocketSelector.hpp index 85bc6207..1c9e9bfc 100644 --- a/include/SFML/Network/SocketSelector.hpp +++ b/include/SFML/Network/SocketSelector.hpp @@ -73,10 +73,10 @@ public : /// /// \param socket Reference to the socket to add /// - /// \see Remove, Clear + /// \see remove, clear /// //////////////////////////////////////////////////////////// - void Add(Socket& socket); + void add(Socket& socket); //////////////////////////////////////////////////////////// /// \brief Remove a socket from the selector @@ -86,10 +86,10 @@ public : /// /// \param socket Reference to the socket to remove /// - /// \see Add, Clear + /// \see add, clear /// //////////////////////////////////////////////////////////// - void Remove(Socket& socket); + void remove(Socket& socket); //////////////////////////////////////////////////////////// /// \brief Remove all the sockets stored in the selector @@ -98,17 +98,17 @@ public : /// removes all the references that the selector has to /// external sockets. /// - /// \see Add, Remove + /// \see add, remove /// //////////////////////////////////////////////////////////// - void Clear(); + void clear(); //////////////////////////////////////////////////////////// /// \brief Wait until one or more sockets are ready to receive /// /// This function returns as soon as at least one socket has /// some data available to be received. To know which sockets are - /// ready, use the IsReady function. + /// ready, use the isReady function. /// If you use a timeout and no socket is ready before the timeout /// is over, the function returns false. /// @@ -116,17 +116,17 @@ public : /// /// \return True if there are sockets ready, false otherwise /// - /// \see IsReady + /// \see isReady /// //////////////////////////////////////////////////////////// - bool Wait(Time timeout = Time::Zero); + bool wait(Time timeout = Time::Zero); //////////////////////////////////////////////////////////// /// \brief Test a socket to know if it is ready to receive data /// /// This function must be used after a call to Wait, to know /// which sockets are ready to receive data. If a socket is - /// ready, a call to Receive will never block because we know + /// ready, a call to receive will never block because we know /// that there is data available to read. /// Note that if this function returns true for a TcpListener, /// this means that it is ready to accept a new connection. @@ -135,10 +135,10 @@ public : /// /// \return True if the socket is ready to read, false otherwise /// - /// \see IsReady + /// \see isReady /// //////////////////////////////////////////////////////////// - bool IsReady(Socket& socket) const; + bool isReady(Socket& socket) const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -199,7 +199,7 @@ private : /// \code /// // Create a socket to listen to new connections /// sf::TcpListener listener; -/// listener.Listen(55001); +/// listener.listen(55001); /// /// // Create a list to store the future clients /// std::list clients; @@ -208,16 +208,16 @@ private : /// sf::SocketSelector selector; /// /// // Add the listener to the selector -/// selector.Add(listener); +/// selector.add(listener); /// /// // Endless loop that waits for new connections /// while (running) /// { /// // Make the selector wait for data on any socket -/// if (selector.Wait()) +/// if (selector.wait()) /// { /// // Test the listener -/// if (selector.IsReady(listener)) +/// if (selector.isReady(listener)) /// { /// // The listener is ready: there is a pending connection /// sf::TcpSocket* client = new sf::TcpSocket; @@ -228,7 +228,7 @@ private : /// /// // Add the new client to the selector so that we will /// // be notified when he sends something -/// selector.Add(*client); +/// selector.add(*client); /// } /// } /// else @@ -237,11 +237,11 @@ private : /// for (std::list::iterator it = clients.begin(); it != clients.end(); ++it) /// { /// sf::TcpSocket& client = **it; -/// if (selector.IsReady(client)) +/// if (selector.isReady(client)) /// { /// // The client has sent some data, we can receive it /// sf::Packet packet; -/// if (client.Receive(packet) == sf::Socket::Done) +/// if (client.receive(packet) == sf::Socket::Done) /// { /// ... /// } diff --git a/include/SFML/Network/TcpListener.hpp b/include/SFML/Network/TcpListener.hpp index e9cb9df8..6a3ad9ac 100644 --- a/include/SFML/Network/TcpListener.hpp +++ b/include/SFML/Network/TcpListener.hpp @@ -58,10 +58,10 @@ public : /// /// \return Port to which the socket is bound /// - /// \see Listen + /// \see listen /// //////////////////////////////////////////////////////////// - unsigned short GetLocalPort() const; + unsigned short getLocalPort() const; //////////////////////////////////////////////////////////// /// \brief Start listening for connections @@ -75,10 +75,10 @@ public : /// /// \return Status code /// - /// \see Accept, Close + /// \see accept, close /// //////////////////////////////////////////////////////////// - Status Listen(unsigned short port); + Status listen(unsigned short port); //////////////////////////////////////////////////////////// /// \brief Stop listening and close the socket @@ -86,10 +86,10 @@ public : /// This function gracefully stops the listener. If the /// socket is not listening, this function has no effect. /// - /// \see Listen + /// \see listen /// //////////////////////////////////////////////////////////// - void Close(); + void close(); //////////////////////////////////////////////////////////// /// \brief Accept a new connection @@ -101,10 +101,10 @@ public : /// /// \return Status code /// - /// \see Listen + /// \see listen /// //////////////////////////////////////////////////////////// - Status Accept(TcpSocket& socket); + Status accept(TcpSocket& socket); }; @@ -122,7 +122,7 @@ public : /// a given port and waits for connections on that port. /// This is all it can do. /// -/// When a new connection is received, you must call Accept and +/// When a new connection is received, you must call accept and /// the listener returns a new instance of sf::TcpSocket that /// is properly initialized and can be used to communicate with /// the new client. @@ -134,7 +134,7 @@ public : /// /// A listener is automatically closed on destruction, like all /// other types of socket. However if you want to stop listening -/// before the socket is destroyed, you can call its Close() +/// before the socket is destroyed, you can call its close() /// function. /// /// Usage example: @@ -142,17 +142,17 @@ public : /// // Create a listener socket and make it wait for new /// // connections on port 55001 /// sf::TcpListener listener; -/// listener.Listen(55001); +/// listener.listen(55001); /// /// // Endless loop that waits for new connections /// while (running) /// { /// sf::TcpSocket client; -/// if (listener.Accept(client) == sf::Socket::Done) +/// if (listener.accept(client) == sf::Socket::Done) /// { /// // A new client just connected! -/// std::cout << "New connection received from " << client.GetRemoteAddress() << std::endl; -/// DoSomethingWith(client); +/// std::cout << "New connection received from " << client.getRemoteAddress() << std::endl; +/// doSomethingWith(client); /// } /// } /// \endcode diff --git a/include/SFML/Network/TcpSocket.hpp b/include/SFML/Network/TcpSocket.hpp index c981f8c3..91ca7891 100644 --- a/include/SFML/Network/TcpSocket.hpp +++ b/include/SFML/Network/TcpSocket.hpp @@ -60,10 +60,10 @@ public : /// /// \return Port to which the socket is bound /// - /// \see Connect, GetRemotePort + /// \see connect, getRemotePort /// //////////////////////////////////////////////////////////// - unsigned short GetLocalPort() const; + unsigned short getLocalPort() const; //////////////////////////////////////////////////////////// /// \brief Get the address of the connected peer @@ -73,10 +73,10 @@ public : /// /// \return Address of the remote peer /// - /// \see GetRemotePort + /// \see getRemotePort /// //////////////////////////////////////////////////////////// - IpAddress GetRemoteAddress() const; + IpAddress getRemoteAddress() const; //////////////////////////////////////////////////////////// /// \brief Get the port of the connected peer to which @@ -86,10 +86,10 @@ public : /// /// \return Remote port to which the socket is connected /// - /// \see GetRemoteAddress + /// \see getRemoteAddress /// //////////////////////////////////////////////////////////// - unsigned short GetRemotePort() const; + unsigned short getRemotePort() const; //////////////////////////////////////////////////////////// /// \brief Connect the socket to a remote peer @@ -105,10 +105,10 @@ public : /// /// \return Status code /// - /// \see Disconnect + /// \see disconnect /// //////////////////////////////////////////////////////////// - Status Connect(const IpAddress& remoteAddress, unsigned short remotePort, Time timeout = Time::Zero); + Status connect(const IpAddress& remoteAddress, unsigned short remotePort, Time timeout = Time::Zero); //////////////////////////////////////////////////////////// /// \brief Disconnect the socket from its remote peer @@ -119,7 +119,7 @@ public : /// \see Connect /// //////////////////////////////////////////////////////////// - void Disconnect(); + void disconnect(); //////////////////////////////////////////////////////////// /// \brief Send raw data to the remote peer @@ -131,10 +131,10 @@ public : /// /// \return Status code /// - /// \see Receive + /// \see receive /// //////////////////////////////////////////////////////////// - Status Send(const char* data, std::size_t size); + Status send(const char* data, std::size_t size); //////////////////////////////////////////////////////////// /// \brief Receive raw data from the remote peer @@ -149,10 +149,10 @@ public : /// /// \return Status code /// - /// \see Send + /// \see send /// //////////////////////////////////////////////////////////// - Status Receive(char* data, std::size_t size, std::size_t& received); + Status receive(char* data, std::size_t size, std::size_t& received); //////////////////////////////////////////////////////////// /// \brief Send a formatted packet of data to the remote peer @@ -163,10 +163,10 @@ public : /// /// \return Status code /// - /// \see Receive + /// \see receive /// //////////////////////////////////////////////////////////// - Status Send(Packet& packet); + Status send(Packet& packet); //////////////////////////////////////////////////////////// /// \brief Receive a formatted packet of data from the remote peer @@ -179,10 +179,10 @@ public : /// /// \return Status code /// - /// \see Send + /// \see send /// //////////////////////////////////////////////////////////// - Status Receive(Packet& packet); + Status receive(Packet& packet); private: @@ -227,10 +227,10 @@ private: /// /// When a socket is connected to a remote host, you can /// retrieve informations about this host with the -/// GetRemoteAddress and GetRemotePort functions. You can +/// getRemoteAddress and GetRemotePort functions. You can /// also get the local port to which the socket is bound /// (which is automatically chosen when the socket is connected), -/// with the GetLocalPort function. +/// with the getLocalPort function. /// /// Sending and receiving data can use either the low-level /// or the high-level functions. The low-level functions @@ -245,7 +245,7 @@ private: /// /// The socket is automatically disconnected when it is destroyed, /// but if you want to explicitely close the connection while -/// the socket instance is still alive, you can call Disconnect. +/// the socket instance is still alive, you can call disconnect. /// /// Usage example: /// \code @@ -253,38 +253,38 @@ private: /// /// // Create a socket and connect it to 192.168.1.50 on port 55001 /// sf::TcpSocket socket; -/// socket.Connect("192.168.1.50", 55001); +/// socket.connect("192.168.1.50", 55001); /// /// // Send a message to the connected host /// std::string message = "Hi, I am a client"; -/// socket.Send(message.c_str(), message.size() + 1); +/// socket.send(message.c_str(), message.size() + 1); /// /// // Receive an answer from the server /// char buffer[1024]; /// std::size_t received = 0; -/// socket.Receive(buffer, sizeof(buffer), received); +/// socket.receive(buffer, sizeof(buffer), received); /// std::cout << "The server said: " << buffer << std::endl; /// /// // ----- The server ----- /// /// // Create a listener to wait for incoming connections on port 55001 /// sf::TcpListener listener; -/// listener.Listen(55001); +/// listener.listen(55001); /// /// // Wait for a connection /// sf::TcpSocket socket; -/// listener.Accept(socket); -/// std::cout << "New client connected: " << socket.GetRemoteAddress() << std::endl; +/// listener.accept(socket); +/// std::cout << "New client connected: " << socket.getRemoteAddress() << std::endl; /// /// // Receive a message from the client /// char buffer[1024]; /// std::size_t received = 0; -/// socket.Receive(buffer, sizeof(buffer), received); +/// socket.receive(buffer, sizeof(buffer), received); /// std::cout << "The client said: " << buffer << std::endl; /// /// // Send an answer /// std::string message = "Welcome, client"; -/// socket.Send(message.c_str(), message.size() + 1); +/// socket.send(message.c_str(), message.size() + 1); /// \endcode /// /// \see sf::Socket, sf::UdpSocket, sf::Packet diff --git a/include/SFML/Network/UdpSocket.hpp b/include/SFML/Network/UdpSocket.hpp index aeefedf2..5ae7866a 100644 --- a/include/SFML/Network/UdpSocket.hpp +++ b/include/SFML/Network/UdpSocket.hpp @@ -68,10 +68,10 @@ public : /// /// \return Port to which the socket is bound /// - /// \see Bind + /// \see bind /// //////////////////////////////////////////////////////////// - unsigned short GetLocalPort() const; + unsigned short getLocalPort() const; //////////////////////////////////////////////////////////// /// \brief Bind the socket to a specific port @@ -80,16 +80,16 @@ public : /// able to receive data on that port. /// You can use the special value Socket::AnyPort to tell the /// system to automatically pick an available port, and then - /// call GetLocalPort to retrieve the chosen port. + /// call getLocalPort to retrieve the chosen port. /// /// \param port Port to bind the socket to /// /// \return Status code /// - /// \see Unbind, GetLocalPort + /// \see unbind, getLocalPort /// //////////////////////////////////////////////////////////// - Status Bind(unsigned short port); + Status bind(unsigned short port); //////////////////////////////////////////////////////////// /// \brief Unbind the socket from the local port to which it is bound @@ -98,10 +98,10 @@ public : /// available after this function is called. If the /// socket is not bound to a port, this function has no effect. /// - /// \see Bind + /// \see bind /// //////////////////////////////////////////////////////////// - void Unbind(); + void unbind(); //////////////////////////////////////////////////////////// /// \brief Send raw data to a remote peer @@ -117,10 +117,10 @@ public : /// /// \return Status code /// - /// \see Receive + /// \see receive /// //////////////////////////////////////////////////////////// - Status Send(const char* data, std::size_t size, const IpAddress& remoteAddress, unsigned short remotePort); + Status send(const char* data, std::size_t size, const IpAddress& remoteAddress, unsigned short remotePort); //////////////////////////////////////////////////////////// /// \brief Receive raw data from a remote peer @@ -140,10 +140,10 @@ public : /// /// \return Status code /// - /// \see Send + /// \see send /// //////////////////////////////////////////////////////////// - Status Receive(char* data, std::size_t size, std::size_t& received, IpAddress& remoteAddress, unsigned short& remotePort); + Status receive(char* data, std::size_t size, std::size_t& received, IpAddress& remoteAddress, unsigned short& remotePort); //////////////////////////////////////////////////////////// /// \brief Send a formatted packet of data to a remote peer @@ -158,18 +158,16 @@ public : /// /// \return Status code /// - /// \see Receive + /// \see receive /// //////////////////////////////////////////////////////////// - Status Send(Packet& packet, const IpAddress& remoteAddress, unsigned short remotePort); + Status send(Packet& packet, const IpAddress& remoteAddress, unsigned short remotePort); //////////////////////////////////////////////////////////// /// \brief Receive a formatted packet of data from a remote peer /// /// In blocking mode, this function will wait until the whole packet /// has been received. - /// Warning: this functon doesn't properly handle mixed data - /// received from multiple peers. /// /// \param packet Packet to fill with the received data /// \param remoteAddress Address of the peer that sent the data @@ -177,10 +175,10 @@ public : /// /// \return Status code /// - /// \see Send + /// \see send /// //////////////////////////////////////////////////////////// - Status Receive(Packet& packet, IpAddress& remoteAddress, unsigned short& remotePort); + Status receive(Packet& packet, IpAddress& remoteAddress, unsigned short& remotePort); private: @@ -206,8 +204,8 @@ private: /// /// It is a datagram protocol: bounded blocks of data (datagrams) /// are transfered over the network rather than a continuous -/// stream of data (TCP). Therefore, one call to Send will always -/// match one call to Receive (if the datagram is not lost), +/// stream of data (TCP). Therefore, one call to send will always +/// match one call to receive (if the datagram is not lost), /// with the same data that was sent. /// /// The UDP protocol is lightweight but unreliable. Unreliable @@ -247,37 +245,37 @@ private: /// /// // Create a socket and bind it to the port 55001 /// sf::UdpSocket socket; -/// socket.Bind(55001); +/// socket.bind(55001); /// /// // Send a message to 192.168.1.50 on port 55002 -/// std::string message = "Hi, I am " + sf::IpAddress::GetLocalAddress().ToString(); -/// socket.Send(message.c_str(), message.size() + 1, "192.168.1.50", 55002); +/// std::string message = "Hi, I am " + sf::IpAddress::getLocalAddress().toString(); +/// socket.send(message.c_str(), message.size() + 1, "192.168.1.50", 55002); /// /// // Receive an answer (most likely from 192.168.1.50, but could be anyone else) /// char buffer[1024]; /// std::size_t received = 0; /// sf::IpAddress sender; /// unsigned short port; -/// socket.Receive(buffer, sizeof(buffer), received, sender, port); +/// socket.receive(buffer, sizeof(buffer), received, sender, port); /// std::cout << sender.ToString() << " said: " << buffer << std::endl; /// /// // ----- The server ----- /// /// // Create a socket and bind it to the port 55002 /// sf::UdpSocket socket; -/// socket.Bind(55002); +/// socket.bind(55002); /// /// // Receive a message from anyone /// char buffer[1024]; /// std::size_t received = 0; /// sf::IpAddress sender; /// unsigned short port; -/// socket.Receive(buffer, sizeof(buffer), received, sender, port); +/// socket.receive(buffer, sizeof(buffer), received, sender, port); /// std::cout << sender.ToString() << " said: " << buffer << std::endl; /// /// // Send an answer -/// std::string message = "Welcome " + sender.ToString(); -/// socket.Send(message.c_str(), message.size() + 1, sender, port); +/// std::string message = "Welcome " + sender.toString(); +/// socket.send(message.c_str(), message.size() + 1, sender, port); /// \endcode /// /// \see sf::Socket, sf::TcpSocket, sf::Packet diff --git a/include/SFML/System/Clock.hpp b/include/SFML/System/Clock.hpp index 43ab9936..73118c72 100644 --- a/include/SFML/System/Clock.hpp +++ b/include/SFML/System/Clock.hpp @@ -54,13 +54,13 @@ public : /// \brief Get the elapsed time /// /// This function returns the time elapsed since the last call - /// to Restart() (or the construction of the instance if Restart() + /// to restart() (or the construction of the instance if restart() /// has not been called). /// /// \return Time elapsed /// //////////////////////////////////////////////////////////// - Time GetElapsedTime() const; + Time getElapsedTime() const; //////////////////////////////////////////////////////////// /// \brief Restart the clock @@ -71,7 +71,7 @@ public : /// \return Time elapsed /// //////////////////////////////////////////////////////////// - Time Restart(); + Time restart(); private : @@ -103,9 +103,9 @@ private : /// \code /// sf::Clock clock; /// ... -/// Time time1 = clock.GetElapsedTime(); +/// Time time1 = clock.getElapsedTime(); /// ... -/// Time time2 = clock.Restart(); +/// Time time2 = clock.restart(); /// \endcode /// /// The sf::Time value returned by the clock can then be diff --git a/include/SFML/System/Err.hpp b/include/SFML/System/Err.hpp index 5287723e..10093a1a 100644 --- a/include/SFML/System/Err.hpp +++ b/include/SFML/System/Err.hpp @@ -38,7 +38,7 @@ namespace sf /// \brief Standard stream used by SFML to output warnings and errors /// //////////////////////////////////////////////////////////// -SFML_SYSTEM_API std::ostream& Err(); +SFML_SYSTEM_API std::ostream& err(); } // namespace sf @@ -50,7 +50,7 @@ SFML_SYSTEM_API std::ostream& Err(); /// \fn sf::Err /// \ingroup system /// -/// By default, sf::Err() outputs to the same location as std::cerr, +/// By default, sf::err() outputs to the same location as std::cerr, /// (-> the stderr descriptor) which is the console if there's /// one available. /// @@ -58,7 +58,7 @@ SFML_SYSTEM_API std::ostream& Err(); /// insertion operations defined by the STL /// (operator <<, manipulators, etc.). /// -/// sf::Err() can be redirected to write to another output, independantly +/// sf::err() can be redirected to write to another output, independantly /// of std::cerr, by using the rdbuf() function provided by the /// std::ostream class. /// @@ -66,13 +66,13 @@ SFML_SYSTEM_API std::ostream& Err(); /// \code /// // Redirect to a file /// std::ofstream file("sfml-log.txt"); -/// std::streambuf* previous = sf::Err().rdbuf(file.rdbuf()); +/// std::streambuf* previous = sf::err().rdbuf(file.rdbuf()); /// /// // Redirect to nothing -/// sf::Err().rdbuf(NULL); +/// sf::err().rdbuf(NULL); /// /// // Restore the original output -/// sf::Err().rdbuf(previous); +/// sf::err().rdbuf(previous); /// \endcode /// //////////////////////////////////////////////////////////// diff --git a/include/SFML/System/InputStream.hpp b/include/SFML/System/InputStream.hpp index df4b62ee..eebf4457 100644 --- a/include/SFML/System/InputStream.hpp +++ b/include/SFML/System/InputStream.hpp @@ -56,7 +56,7 @@ public : /// \return The number of bytes actually read /// //////////////////////////////////////////////////////////// - virtual Int64 Read(char* data, Int64 size) = 0; + virtual Int64 read(char* data, Int64 size) = 0; //////////////////////////////////////////////////////////// /// \brief Change the current reading position @@ -66,7 +66,7 @@ public : /// \return The position actually sought to, or -1 on error /// //////////////////////////////////////////////////////////// - virtual Int64 Seek(Int64 position) = 0; + virtual Int64 seek(Int64 position) = 0; //////////////////////////////////////////////////////////// /// \brief Get the current reading position in the stream @@ -74,7 +74,7 @@ public : /// \return The current position, or -1 on error. /// //////////////////////////////////////////////////////////// - virtual Int64 Tell() = 0; + virtual Int64 tell() = 0; //////////////////////////////////////////////////////////// /// \brief Return the size of the stream @@ -82,7 +82,7 @@ public : /// \return The total number of bytes available in the stream, or -1 on error /// //////////////////////////////////////////////////////////// - virtual Int64 GetSize() = 0; + virtual Int64 getSize() = 0; }; } // namespace sf @@ -99,12 +99,12 @@ public : /// from which SFML can load resources. /// /// SFML resource classes like sf::Texture and -/// sf::SoundBuffer provide LoadFromFile and LoadFromMemory functions, +/// sf::SoundBuffer provide loadFromFile and loadFromMemory functions, /// which read data from conventional sources. However, if you /// have data coming from a different source (over a network, /// embedded, encrypted, compressed, etc) you can derive your /// own class from sf::InputStream and load SFML resources with -/// their LoadFromStream function. +/// their loadFromStream function. /// /// Usage example: /// \code @@ -115,15 +115,15 @@ public : /// /// ZipStream(std::string archive); /// -/// bool Open(std::string filename); +/// bool open(std::string filename); /// -/// Int64 Read(char* data, Int64 size); +/// Int64 read(char* data, Int64 size); /// -/// Int64 Seek(Int64 position); +/// Int64 seek(Int64 position); /// -/// Int64 Tell(); +/// Int64 tell(); /// -/// Int64 GetSize(); +/// Int64 getSize(); /// /// private : /// @@ -133,14 +133,14 @@ public : /// // now you can load textures... /// sf::Texture texture; /// ZipStream stream("resources.zip"); -/// stream.Open("images/img.png"); -/// texture.LoadFromStream(stream); +/// stream.open("images/img.png"); +/// texture.loadFromStream(stream); /// /// // musics... /// sf::Music music; /// ZipStream stream("resources.zip"); -/// stream.Open("musics/msc.ogg"); -/// music.OpenFromStream(stream); +/// stream.open("musics/msc.ogg"); +/// music.openFromStream(stream); /// /// // etc. /// \endcode diff --git a/include/SFML/System/Mutex.hpp b/include/SFML/System/Mutex.hpp index a3978bbb..bfdffa9a 100644 --- a/include/SFML/System/Mutex.hpp +++ b/include/SFML/System/Mutex.hpp @@ -70,7 +70,7 @@ public : /// \see Unlock /// //////////////////////////////////////////////////////////// - void Lock(); + void lock(); //////////////////////////////////////////////////////////// /// \brief Unlock the mutex @@ -78,7 +78,7 @@ public : /// \see Lock /// //////////////////////////////////////////////////////////// - void Unlock(); + void unlock(); private : @@ -115,16 +115,16 @@ private : /// /// void thread1() /// { -/// mutex.Lock(); // this call will block the thread if the mutex is already locked by thread2 +/// mutex.lock(); // this call will block the thread if the mutex is already locked by thread2 /// database.write(...); -/// mutex.Unlock(); // if thread2 was waiting, it will now be unblocked +/// mutex.unlock(); // if thread2 was waiting, it will now be unblocked /// } /// /// void thread2() /// { -/// mutex.Lock(); // this call will block the thread if the mutex is already locked by thread1 +/// mutex.lock(); // this call will block the thread if the mutex is already locked by thread1 /// database.write(...); -/// mutex.Unlock(); // if thread1 was waiting, it will now be unblocked +/// mutex.unlock(); // if thread1 was waiting, it will now be unblocked /// } /// \endcode /// @@ -140,8 +140,8 @@ private : /// a mutex multiple times in the same thread without creating /// a deadlock. In this case, the first call to Lock() behaves /// as usual, and the following ones have no effect. -/// However, you must call Unlock() exactly as many times as you -/// called Lock(). If you don't, the mutex won't be released. +/// However, you must call unlock() exactly as many times as you +/// called lock(). If you don't, the mutex won't be released. /// /// \see sf::Lock /// diff --git a/include/SFML/System/Sleep.hpp b/include/SFML/System/Sleep.hpp index 38ab210d..4e2aaa2b 100644 --- a/include/SFML/System/Sleep.hpp +++ b/include/SFML/System/Sleep.hpp @@ -38,13 +38,13 @@ namespace sf /// \ingroup system /// \brief Make the current thread sleep for a given duration /// -/// sf::Sleep is the best way to block a program or one of its +/// sf::sleep is the best way to block a program or one of its /// threads, as it doesn't consume any CPU power. /// /// \param duration Time to sleep /// //////////////////////////////////////////////////////////// -void SFML_SYSTEM_API Sleep(Time duration); +void SFML_SYSTEM_API sleep(Time duration); } // namespace sf diff --git a/include/SFML/System/String.hpp b/include/SFML/System/String.hpp index d8ab09a3..f5f1c7da 100644 --- a/include/SFML/System/String.hpp +++ b/include/SFML/System/String.hpp @@ -159,15 +159,15 @@ public : /// \brief Implicit cast operator to std::string (ANSI string) /// /// The current global locale is used for conversion. If you - /// want to explicitely specify a locale, see ToAnsiString. + /// want to explicitely specify a locale, see toAnsiString. /// Characters that do not fit in the target encoding are /// discarded from the returned string. /// This operator is defined for convenience, and is equivalent - /// to calling ToAnsiString(). + /// to calling toAnsiString(). /// /// \return Converted ANSI string /// - /// \see ToAnsiString, operator std::wstring + /// \see toAnsiString, operator std::wstring /// //////////////////////////////////////////////////////////// operator std::string() const; @@ -178,11 +178,11 @@ public : /// Characters that do not fit in the target encoding are /// discarded from the returned string. /// This operator is defined for convenience, and is equivalent - /// to calling ToWideString(). + /// to calling toWideString(). /// /// \return Converted wide string /// - /// \see ToWideString, operator std::string + /// \see toWideString, operator std::string /// //////////////////////////////////////////////////////////// operator std::wstring() const; @@ -199,10 +199,10 @@ public : /// /// \return Converted ANSI string /// - /// \see ToWideString, operator std::string + /// \see toWideString, operator std::string /// //////////////////////////////////////////////////////////// - std::string ToAnsiString(const std::locale& locale = std::locale()) const; + std::string toAnsiString(const std::locale& locale = std::locale()) const; //////////////////////////////////////////////////////////// /// \brief Convert the unicode string to a wide string @@ -212,10 +212,10 @@ public : /// /// \return Converted wide string /// - /// \see ToAnsiString, operator std::wstring + /// \see toAnsiString, operator std::wstring /// //////////////////////////////////////////////////////////// - std::wstring ToWideString() const; + std::wstring toWideString() const; //////////////////////////////////////////////////////////// /// \brief Overload of assignment operator @@ -268,30 +268,30 @@ public : /// /// This function removes all the characters from the string. /// - /// \see IsEmpty, Erase + /// \see isEmpty, erase /// //////////////////////////////////////////////////////////// - void Clear(); + void clear(); //////////////////////////////////////////////////////////// /// \brief Get the size of the string /// /// \return Number of characters in the string /// - /// \see IsEmpty + /// \see isEmpty /// //////////////////////////////////////////////////////////// - std::size_t GetSize() const; + std::size_t getSize() const; //////////////////////////////////////////////////////////// /// \brief Check whether the string is empty or not /// /// \return True if the string is empty (i.e. contains no character) /// - /// \see Clear, GetSize + /// \see clear, getSize /// //////////////////////////////////////////////////////////// - bool IsEmpty() const; + bool isEmpty() const; //////////////////////////////////////////////////////////// /// \brief Erase one or more characters from the string @@ -303,7 +303,7 @@ public : /// \param count Number of characters to erase /// //////////////////////////////////////////////////////////// - void Erase(std::size_t position, std::size_t count = 1); + void erase(std::size_t position, std::size_t count = 1); //////////////////////////////////////////////////////////// /// \brief Insert one or more characters into the string @@ -315,7 +315,7 @@ public : /// \param str Characters to insert /// //////////////////////////////////////////////////////////// - void Insert(std::size_t position, const String& str); + void insert(std::size_t position, const String& str); //////////////////////////////////////////////////////////// /// \brief Find a sequence of one or more characters in the string @@ -329,7 +329,7 @@ public : /// \return Position of \a str in the string, or String::InvalidPos if not found /// //////////////////////////////////////////////////////////// - std::size_t Find(const String& str, std::size_t start = 0) const; + std::size_t find(const String& str, std::size_t start = 0) const; //////////////////////////////////////////////////////////// /// \brief Get a pointer to the C-style array of characters @@ -342,27 +342,27 @@ public : /// \return Read-only pointer to the array of characters /// //////////////////////////////////////////////////////////// - const Uint32* GetData() const; + const Uint32* getData() const; //////////////////////////////////////////////////////////// /// \brief Return an iterator to the beginning of the string /// /// \return Read-write iterator to the beginning of the string characters /// - /// \see End + /// \see end /// //////////////////////////////////////////////////////////// - Iterator Begin(); + Iterator begin(); //////////////////////////////////////////////////////////// /// \brief Return an iterator to the beginning of the string /// /// \return Read-only iterator to the beginning of the string characters /// - /// \see End + /// \see end /// //////////////////////////////////////////////////////////// - ConstIterator Begin() const; + ConstIterator begin() const; //////////////////////////////////////////////////////////// /// \brief Return an iterator to the beginning of the string @@ -373,10 +373,10 @@ public : /// /// \return Read-write iterator to the end of the string characters /// - /// \see Begin + /// \see begin /// //////////////////////////////////////////////////////////// - Iterator End(); + Iterator end(); //////////////////////////////////////////////////////////// /// \brief Return an iterator to the beginning of the string @@ -387,10 +387,10 @@ public : /// /// \return Read-only iterator to the end of the string characters /// - /// \see Begin + /// \see begin /// //////////////////////////////////////////////////////////// - ConstIterator End() const; + ConstIterator end() const; private : @@ -524,7 +524,7 @@ SFML_SYSTEM_API String operator +(const String& left, const String& right); /// std::locale locale; /// sf::String s; /// ... -/// std::string s1 = s.ToAnsiString(locale); +/// std::string s1 = s.toAnsiString(locale); /// s = sf::String("hello", locale); /// \endcode /// diff --git a/include/SFML/System/Thread.hpp b/include/SFML/System/Thread.hpp index 19c86dc1..1730799a 100644 --- a/include/SFML/System/Thread.hpp +++ b/include/SFML/System/Thread.hpp @@ -143,7 +143,7 @@ public : /// running in parallel to the calling code. /// //////////////////////////////////////////////////////////// - void Launch(); + void launch(); //////////////////////////////////////////////////////////// /// \brief Wait until the thread finishes @@ -156,7 +156,7 @@ public : /// returns without doing anything. /// //////////////////////////////////////////////////////////// - void Wait(); + void wait(); //////////////////////////////////////////////////////////// /// \brief Terminate the thread @@ -169,7 +169,7 @@ public : /// the thread function terminate by itself. /// //////////////////////////////////////////////////////////// - void Terminate(); + void terminate(); private : @@ -181,7 +181,7 @@ private : /// This function is called by the thread implementation. /// //////////////////////////////////////////////////////////// - void Run(); + void run(); //////////////////////////////////////////////////////////// // Member data @@ -224,19 +224,19 @@ private : /// /// The thread ends when its function is terminated. If the /// owner sf::Thread instance is destroyed before the -/// thread is finished, the destructor will wait (see Wait()) +/// thread is finished, the destructor will wait (see wait()) /// /// Usage examples: /// \code /// // example 1: non member function with one argument /// -/// void ThreadFunc(int argument) +/// void threadFunc(int argument) /// { /// ... /// } /// -/// sf::Thread thread(&ThreadFunc, 5); -/// thread.Launch(); // start the thread (internally calls ThreadFunc(5)) +/// sf::Thread thread(&threadFunc, 5); +/// thread.launch(); // start the thread (internally calls threadFunc(5)) /// \endcode /// /// \code @@ -245,15 +245,15 @@ private : /// class Task /// { /// public : -/// void Run() +/// void run() /// { /// ... /// } /// }; /// /// Task task; -/// sf::Thread thread(&Task::Run, &task); -/// thread.Launch(); // start the thread (internally calls task.run()) +/// sf::Thread thread(&Task::run, &task); +/// thread.launch(); // start the thread (internally calls task.run()) /// \endcode /// /// \code @@ -268,7 +268,7 @@ private : /// }; /// /// sf::Thread thread(Task()); -/// thread.Launch(); // start the thread (internally calls operator() on the Task instance) +/// thread.launch(); // start the thread (internally calls operator() on the Task instance) /// \endcode /// /// Creating parallel threads of execution can be dangerous: diff --git a/include/SFML/System/Thread.inl b/include/SFML/System/Thread.inl index 4f84ed18..af83cca7 100644 --- a/include/SFML/System/Thread.inl +++ b/include/SFML/System/Thread.inl @@ -28,7 +28,7 @@ namespace priv struct ThreadFunc { virtual ~ThreadFunc() {} - virtual void Run() = 0; + virtual void run() = 0; }; // Specialization using a functor (including free functions) with no argument @@ -36,7 +36,7 @@ template struct ThreadFunctor : ThreadFunc { ThreadFunctor(T functor) : m_functor(functor) {} - virtual void Run() {m_functor();} + virtual void run() {m_functor();} T m_functor; }; @@ -45,7 +45,7 @@ template struct ThreadFunctorWithArg : ThreadFunc { ThreadFunctorWithArg(F function, A arg) : m_function(function), m_arg(arg) {} - virtual void Run() {m_function(m_arg);} + virtual void run() {m_function(m_arg);} F m_function; A m_arg; }; @@ -55,7 +55,7 @@ template struct ThreadMemberFunc : ThreadFunc { ThreadMemberFunc(void(C::*function)(), C* object) : m_function(function), m_object(object) {} - virtual void Run() {(m_object->*m_function)();} + virtual void run() {(m_object->*m_function)();} void(C::*m_function)(); C* m_object; }; diff --git a/include/SFML/System/ThreadLocal.hpp b/include/SFML/System/ThreadLocal.hpp index ec7d5225..e224b9a9 100644 --- a/include/SFML/System/ThreadLocal.hpp +++ b/include/SFML/System/ThreadLocal.hpp @@ -68,7 +68,7 @@ public : /// \param value Value of the variable for the current thread /// //////////////////////////////////////////////////////////// - void SetValue(void* value); + void setValue(void* value); //////////////////////////////////////////////////////////// /// \brief Retrieve the thread-specific value of the variable @@ -76,7 +76,7 @@ public : /// \return Value of the variable for the current thread /// //////////////////////////////////////////////////////////// - void* GetValue() const; + void* getValue() const; private : diff --git a/include/SFML/System/ThreadLocalPtr.hpp b/include/SFML/System/ThreadLocalPtr.hpp index 68b0dd52..77c0a3b9 100644 --- a/include/SFML/System/ThreadLocalPtr.hpp +++ b/include/SFML/System/ThreadLocalPtr.hpp @@ -128,25 +128,25 @@ public : /// MyClass object2; /// sf::ThreadLocalPtr objectPtr; /// -/// void Thread1() +/// void thread1() /// { -/// objectPtr = &object1; // doesn't impact Thread2 +/// objectPtr = &object1; // doesn't impact thread2 /// ... /// } /// -/// void Thread2() +/// void thread2() /// { -/// objectPtr = &object2; // doesn't impact Thread1 +/// objectPtr = &object2; // doesn't impact thread1 /// ... /// } /// /// int main() /// { /// // Create and launch the two threads -/// sf::Thread thread1(&Thread1); -/// sf::Thread thread2(&Thread2); -/// thread1.Launch(); -/// thread2.Launch(); +/// sf::Thread t1(&thread1); +/// sf::Thread t2(&thread2); +/// t1.launch(); +/// t2.launch(); /// /// return 0; /// } diff --git a/include/SFML/System/ThreadLocalPtr.inl b/include/SFML/System/ThreadLocalPtr.inl index 564f25b7..2bb432dc 100644 --- a/include/SFML/System/ThreadLocalPtr.inl +++ b/include/SFML/System/ThreadLocalPtr.inl @@ -37,7 +37,7 @@ ThreadLocal(value) template T& ThreadLocalPtr::operator *() const { - return *static_cast(GetValue()); + return *static_cast(getValue()); } @@ -45,7 +45,7 @@ T& ThreadLocalPtr::operator *() const template T* ThreadLocalPtr::operator ->() const { - return static_cast(GetValue()); + return static_cast(getValue()); } @@ -53,7 +53,7 @@ T* ThreadLocalPtr::operator ->() const template ThreadLocalPtr::operator T*() const { - return static_cast(GetValue()); + return static_cast(getValue()); } @@ -61,7 +61,7 @@ ThreadLocalPtr::operator T*() const template ThreadLocalPtr& ThreadLocalPtr::operator =(T* value) { - SetValue(value); + setValue(value); return *this; } @@ -70,7 +70,7 @@ ThreadLocalPtr& ThreadLocalPtr::operator =(T* value) template ThreadLocalPtr& ThreadLocalPtr::operator =(const ThreadLocalPtr& right) { - SetValue(right.GetValue()); + setValue(right.getValue()); return *this; } diff --git a/include/SFML/System/Time.hpp b/include/SFML/System/Time.hpp index c18fbc9a..3f4a2d0e 100644 --- a/include/SFML/System/Time.hpp +++ b/include/SFML/System/Time.hpp @@ -54,30 +54,30 @@ public : /// /// \return Time in seconds /// - /// \see AsMilliseconds, AsMicroseconds + /// \see asMilliseconds, asMicroseconds /// //////////////////////////////////////////////////////////// - float AsSeconds() const; + float asSeconds() const; //////////////////////////////////////////////////////////// /// \brief Return the time value as a number of milliseconds /// /// \return Time in milliseconds /// - /// \see AsSeconds, AsMicroseconds + /// \see asSeconds, asMicroseconds /// //////////////////////////////////////////////////////////// - Int32 AsMilliseconds() const; + Int32 asMilliseconds() const; //////////////////////////////////////////////////////////// /// \brief Return the time value as a number of microseconds /// /// \return Time in microseconds /// - /// \see AsSeconds, AsMilliseconds + /// \see asSeconds, asMilliseconds /// //////////////////////////////////////////////////////////// - Int64 AsMicroseconds() const; + Int64 asMicroseconds() const; //////////////////////////////////////////////////////////// // Static member data @@ -86,15 +86,15 @@ public : private : - friend SFML_SYSTEM_API Time Seconds(float); - friend SFML_SYSTEM_API Time Milliseconds(Int32); - friend SFML_SYSTEM_API Time Microseconds(Int64); + friend SFML_SYSTEM_API Time seconds(float); + friend SFML_SYSTEM_API Time milliseconds(Int32); + friend SFML_SYSTEM_API Time microseconds(Int64); //////////////////////////////////////////////////////////// /// \brief Construct from a number of microseconds /// /// This function is internal. To construct time values, - /// use sf::Seconds, sf::Milliseconds or sf::Microseconds instead. + /// use sf::seconds, sf::milliseconds or sf::microseconds instead. /// /// \param microseconds Number of microseconds /// @@ -117,10 +117,10 @@ private : /// /// \return Time value constructed from the amount of seconds /// -/// \see Milliseconds, Microseconds +/// \see milliseconds, microseconds /// //////////////////////////////////////////////////////////// -SFML_SYSTEM_API Time Seconds(float amount); +SFML_SYSTEM_API Time seconds(float amount); //////////////////////////////////////////////////////////// /// \relates Time @@ -130,10 +130,10 @@ SFML_SYSTEM_API Time Seconds(float amount); /// /// \return Time value constructed from the amount of milliseconds /// -/// \see Seconds, Microseconds +/// \see seconds, microseconds /// //////////////////////////////////////////////////////////// -SFML_SYSTEM_API Time Milliseconds(Int32 amount); +SFML_SYSTEM_API Time milliseconds(Int32 amount); //////////////////////////////////////////////////////////// /// \relates Time @@ -143,10 +143,10 @@ SFML_SYSTEM_API Time Milliseconds(Int32 amount); /// /// \return Time value constructed from the amount of microseconds /// -/// \see Seconds, Milliseconds +/// \see seconds, milliseconds /// //////////////////////////////////////////////////////////// -SFML_SYSTEM_API Time Microseconds(Int64 amount); +SFML_SYSTEM_API Time microseconds(Int64 amount); //////////////////////////////////////////////////////////// /// \relates Time @@ -428,23 +428,23 @@ SFML_SYSTEM_API Time& operator /=(Time& left, Int64 right); /// /// Usage example: /// \code -/// sf::Time t1 = sf::Seconds(0.1f); -/// Int32 milli = t1.AsMilliseconds(); // 100 +/// sf::Time t1 = sf::seconds(0.1f); +/// Int32 milli = t1.asMilliseconds(); // 100 /// -/// sf::Time t2 = sf::Milliseconds(30); -/// Int64 micro = t2.AsMicroseconds(); // 30000 +/// sf::Time t2 = sf::milliseconds(30); +/// Int64 micro = t2.asMicroseconds(); // 30000 /// -/// sf::Time t3 = sf::Microseconds(-800000); -/// float sec = t3.AsSeconds(); // -0.8 +/// sf::Time t3 = sf::microseconds(-800000); +/// float sec = t3.asSeconds(); // -0.8 /// \endcode /// /// \code -/// void Update(sf::Time elapsed) +/// void update(sf::Time elapsed) /// { -/// position += speed * elapsed.AsSeconds(); +/// position += speed * elapsed.asSeconds(); /// } /// -/// Update(sf::Milliseconds(100)); +/// Update(sf::milliseconds(100)); /// \endcode /// /// \see sf::Clock diff --git a/include/SFML/System/Utf.hpp b/include/SFML/System/Utf.hpp index f322f26d..5bd9a594 100644 --- a/include/SFML/System/Utf.hpp +++ b/include/SFML/System/Utf.hpp @@ -64,7 +64,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Decode(In begin, In end, Uint32& output, Uint32 replacement = 0); + static In decode(In begin, In end, Uint32& output, Uint32 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Encode a single UTF-8 character @@ -80,7 +80,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out Encode(Uint32 input, Out output, Uint8 replacement = 0); + static Out encode(Uint32 input, Out output, Uint8 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Advance to the next UTF-8 character @@ -95,7 +95,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Next(In begin, In end); + static In next(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Count the number of characters of a UTF-8 sequence @@ -111,7 +111,7 @@ public : /// //////////////////////////////////////////////////////////// template - static std::size_t Count(In begin, In end); + static std::size_t count(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Convert an ANSI characters range to UTF-8 @@ -128,7 +128,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); + static Out fromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert a wide characters range to UTF-8 @@ -141,7 +141,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromWide(In begin, In end, Out output); + static Out fromWide(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a latin-1 (ISO-5589-1) characters range to UTF-8 @@ -154,7 +154,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromLatin1(In begin, In end, Out output); + static Out fromLatin1(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-8 characters range to ANSI characters @@ -172,7 +172,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); + static Out toAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-8 characters range to wide characters @@ -186,7 +186,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToWide(In begin, In end, Out output, wchar_t replacement = 0); + static Out toWide(In begin, In end, Out output, wchar_t replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-8 characters range to latin-1 (ISO-5589-1) characters @@ -200,7 +200,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToLatin1(In begin, In end, Out output, char replacement = 0); + static Out toLatin1(In begin, In end, Out output, char replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-8 characters range to UTF-8 @@ -218,7 +218,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf8(In begin, In end, Out output); + static Out toUtf8(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-8 characters range to UTF-16 @@ -231,7 +231,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf16(In begin, In end, Out output); + static Out toUtf16(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-8 characters range to UTF-32 @@ -244,7 +244,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf32(In begin, In end, Out output); + static Out toUtf32(In begin, In end, Out output); }; //////////////////////////////////////////////////////////// @@ -271,7 +271,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Decode(In begin, In end, Uint32& output, Uint32 replacement = 0); + static In decode(In begin, In end, Uint32& output, Uint32 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Encode a single UTF-16 character @@ -287,7 +287,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out Encode(Uint32 input, Out output, Uint16 replacement = 0); + static Out encode(Uint32 input, Out output, Uint16 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Advance to the next UTF-16 character @@ -302,7 +302,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Next(In begin, In end); + static In next(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Count the number of characters of a UTF-16 sequence @@ -318,7 +318,7 @@ public : /// //////////////////////////////////////////////////////////// template - static std::size_t Count(In begin, In end); + static std::size_t count(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Convert an ANSI characters range to UTF-16 @@ -335,7 +335,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); + static Out fromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert a wide characters range to UTF-16 @@ -348,7 +348,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromWide(In begin, In end, Out output); + static Out fromWide(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a latin-1 (ISO-5589-1) characters range to UTF-16 @@ -361,7 +361,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromLatin1(In begin, In end, Out output); + static Out fromLatin1(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-16 characters range to ANSI characters @@ -379,7 +379,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); + static Out toAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-16 characters range to wide characters @@ -393,7 +393,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToWide(In begin, In end, Out output, wchar_t replacement = 0); + static Out toWide(In begin, In end, Out output, wchar_t replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-16 characters range to latin-1 (ISO-5589-1) characters @@ -407,7 +407,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToLatin1(In begin, In end, Out output, char replacement = 0); + static Out toLatin1(In begin, In end, Out output, char replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-16 characters range to UTF-8 @@ -420,7 +420,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf8(In begin, In end, Out output); + static Out toUtf8(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-16 characters range to UTF-16 @@ -438,7 +438,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf16(In begin, In end, Out output); + static Out toUtf16(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-16 characters range to UTF-32 @@ -451,7 +451,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf32(In begin, In end, Out output); + static Out toUtf32(In begin, In end, Out output); }; //////////////////////////////////////////////////////////// @@ -479,7 +479,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Decode(In begin, In end, Uint32& output, Uint32 replacement = 0); + static In decode(In begin, In end, Uint32& output, Uint32 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Encode a single UTF-32 character @@ -496,7 +496,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out Encode(Uint32 input, Out output, Uint32 replacement = 0); + static Out encode(Uint32 input, Out output, Uint32 replacement = 0); //////////////////////////////////////////////////////////// /// \brief Advance to the next UTF-32 character @@ -511,7 +511,7 @@ public : /// //////////////////////////////////////////////////////////// template - static In Next(In begin, In end); + static In next(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Count the number of characters of a UTF-32 sequence @@ -526,7 +526,7 @@ public : /// //////////////////////////////////////////////////////////// template - static std::size_t Count(In begin, In end); + static std::size_t count(In begin, In end); //////////////////////////////////////////////////////////// /// \brief Convert an ANSI characters range to UTF-32 @@ -543,7 +543,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); + static Out fromAnsi(In begin, In end, Out output, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert a wide characters range to UTF-32 @@ -556,7 +556,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromWide(In begin, In end, Out output); + static Out fromWide(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a latin-1 (ISO-5589-1) characters range to UTF-32 @@ -569,7 +569,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out FromLatin1(In begin, In end, Out output); + static Out fromLatin1(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-32 characters range to ANSI characters @@ -587,7 +587,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); + static Out toAnsi(In begin, In end, Out output, char replacement = 0, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-32 characters range to wide characters @@ -601,7 +601,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToWide(In begin, In end, Out output, wchar_t replacement = 0); + static Out toWide(In begin, In end, Out output, wchar_t replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert an UTF-16 characters range to latin-1 (ISO-5589-1) characters @@ -615,7 +615,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToLatin1(In begin, In end, Out output, char replacement = 0); + static Out toLatin1(In begin, In end, Out output, char replacement = 0); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-32 characters range to UTF-8 @@ -628,7 +628,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf8(In begin, In end, Out output); + static Out toUtf8(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-32 characters range to UTF-16 @@ -641,7 +641,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf16(In begin, In end, Out output); + static Out toUtf16(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Convert a UTF-32 characters range to UTF-32 @@ -659,7 +659,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out ToUtf32(In begin, In end, Out output); + static Out toUtf32(In begin, In end, Out output); //////////////////////////////////////////////////////////// /// \brief Decode a single ANSI character to UTF-32 @@ -675,7 +675,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Uint32 DecodeAnsi(In input, const std::locale& locale = std::locale()); + static Uint32 decodeAnsi(In input, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Decode a single wide character to UTF-32 @@ -690,7 +690,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Uint32 DecodeWide(In input); + static Uint32 decodeWide(In input); //////////////////////////////////////////////////////////// /// \brief Encode a single UTF-32 character to ANSI @@ -708,7 +708,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out EncodeAnsi(Uint32 codepoint, Out output, char replacement = 0, const std::locale& locale = std::locale()); + static Out encodeAnsi(Uint32 codepoint, Out output, char replacement = 0, const std::locale& locale = std::locale()); //////////////////////////////////////////////////////////// /// \brief Encode a single UTF-32 character to wide @@ -725,7 +725,7 @@ public : /// //////////////////////////////////////////////////////////// template - static Out EncodeWide(Uint32 codepoint, Out output, wchar_t replacement = 0); + static Out encodeWide(Uint32 codepoint, Out output, wchar_t replacement = 0); }; #include diff --git a/include/SFML/System/Utf.inl b/include/SFML/System/Utf.inl index b6078bbd..e3b27c81 100644 --- a/include/SFML/System/Utf.inl +++ b/include/SFML/System/Utf.inl @@ -36,7 +36,7 @@ //////////////////////////////////////////////////////////// template -In Utf<8>::Decode(In begin, In end, Uint32& output, Uint32 replacement) +In Utf<8>::decode(In begin, In end, Uint32& output, Uint32 replacement) { // Some useful precomputed data static const int trailing[256] = @@ -55,7 +55,7 @@ In Utf<8>::Decode(In begin, In end, Uint32& output, Uint32 replacement) 0x00000000, 0x00003080, 0x000E2080, 0x03C82080, 0xFA082080, 0x82082080 }; - // Decode the character + // decode the character int trailingBytes = trailing[static_cast(*begin)]; if (begin + trailingBytes < end) { @@ -84,7 +84,7 @@ In Utf<8>::Decode(In begin, In end, Uint32& output, Uint32 replacement) //////////////////////////////////////////////////////////// template -Out Utf<8>::Encode(Uint32 input, Out output, Uint8 replacement) +Out Utf<8>::encode(Uint32 input, Out output, Uint8 replacement) { // Some useful precomputed data static const Uint8 firstBytes[7] = @@ -92,7 +92,7 @@ Out Utf<8>::Encode(Uint32 input, Out output, Uint8 replacement) 0x00, 0x00, 0xC0, 0xE0, 0xF0, 0xF8, 0xFC }; - // Encode the character + // encode the character if ((input > 0x0010FFFF) || ((input >= 0xD800) && (input <= 0xDBFF))) { // Invalid character @@ -104,25 +104,25 @@ Out Utf<8>::Encode(Uint32 input, Out output, Uint8 replacement) // Valid character // Get the number of bytes to write - int bytesToWrite = 1; - if (input < 0x80) bytesToWrite = 1; - else if (input < 0x800) bytesToWrite = 2; - else if (input < 0x10000) bytesToWrite = 3; - else if (input <= 0x0010FFFF) bytesToWrite = 4; + int bytestoWrite = 1; + if (input < 0x80) bytestoWrite = 1; + else if (input < 0x800) bytestoWrite = 2; + else if (input < 0x10000) bytestoWrite = 3; + else if (input <= 0x0010FFFF) bytestoWrite = 4; // Extract the bytes to write Uint8 bytes[4]; - switch (bytesToWrite) + switch (bytestoWrite) { case 4 : bytes[3] = static_cast((input | 0x80) & 0xBF); input >>= 6; case 3 : bytes[2] = static_cast((input | 0x80) & 0xBF); input >>= 6; case 2 : bytes[1] = static_cast((input | 0x80) & 0xBF); input >>= 6; - case 1 : bytes[0] = static_cast (input | firstBytes[bytesToWrite]); + case 1 : bytes[0] = static_cast (input | firstBytes[bytestoWrite]); } // Add them to the output const Uint8* currentByte = bytes; - switch (bytesToWrite) + switch (bytestoWrite) { case 4 : *output++ = *currentByte++; case 3 : *output++ = *currentByte++; @@ -137,21 +137,21 @@ Out Utf<8>::Encode(Uint32 input, Out output, Uint8 replacement) //////////////////////////////////////////////////////////// template -In Utf<8>::Next(In begin, In end) +In Utf<8>::next(In begin, In end) { Uint32 codepoint; - return Decode(begin, end, codepoint); + return decode(begin, end, codepoint); } //////////////////////////////////////////////////////////// template -std::size_t Utf<8>::Count(In begin, In end) +std::size_t Utf<8>::count(In begin, In end) { std::size_t length = 0; while (begin < end) { - begin = Next(begin, end); + begin = next(begin, end); ++length; } @@ -161,12 +161,12 @@ std::size_t Utf<8>::Count(In begin, In end) //////////////////////////////////////////////////////////// template -Out Utf<8>::FromAnsi(In begin, In end, Out output, const std::locale& locale) +Out Utf<8>::fromAnsi(In begin, In end, Out output, const std::locale& locale) { while (begin < end) { - Uint32 codepoint = Utf<32>::DecodeAnsi(*begin++, locale); - output = Encode(codepoint, output); + Uint32 codepoint = Utf<32>::decodeAnsi(*begin++, locale); + output = encode(codepoint, output); } return output; @@ -175,12 +175,12 @@ Out Utf<8>::FromAnsi(In begin, In end, Out output, const std::locale& locale) //////////////////////////////////////////////////////////// template -Out Utf<8>::FromWide(In begin, In end, Out output) +Out Utf<8>::fromWide(In begin, In end, Out output) { while (begin < end) { - Uint32 codepoint = Utf<32>::DecodeWide(*begin++); - output = Encode(codepoint, output); + Uint32 codepoint = Utf<32>::decodeWide(*begin++); + output = encode(codepoint, output); } return output; @@ -189,12 +189,12 @@ Out Utf<8>::FromWide(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<8>::FromLatin1(In begin, In end, Out output) +Out Utf<8>::fromLatin1(In begin, In end, Out output) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 while (begin < end) - output = Encode(*begin++, output); + output = encode(*begin++, output); return output; } @@ -202,13 +202,13 @@ Out Utf<8>::FromLatin1(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<8>::ToAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) +Out Utf<8>::toAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<32>::EncodeAnsi(codepoint, output, replacement, locale); + begin = decode(begin, end, codepoint); + output = Utf<32>::encodeAnsi(codepoint, output, replacement, locale); } return output; @@ -217,13 +217,13 @@ Out Utf<8>::ToAnsi(In begin, In end, Out output, char replacement, const std::lo //////////////////////////////////////////////////////////// template -Out Utf<8>::ToWide(In begin, In end, Out output, wchar_t replacement) +Out Utf<8>::toWide(In begin, In end, Out output, wchar_t replacement) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<32>::EncodeWide(codepoint, output, replacement); + begin = decode(begin, end, codepoint); + output = Utf<32>::encodeWide(codepoint, output, replacement); } return output; @@ -232,14 +232,14 @@ Out Utf<8>::ToWide(In begin, In end, Out output, wchar_t replacement) //////////////////////////////////////////////////////////// template -Out Utf<8>::ToLatin1(In begin, In end, Out output, char replacement) +Out Utf<8>::toLatin1(In begin, In end, Out output, char replacement) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); + begin = decode(begin, end, codepoint); *output++ = codepoint < 256 ? static_cast(codepoint) : replacement; } @@ -249,7 +249,7 @@ Out Utf<8>::ToLatin1(In begin, In end, Out output, char replacement) //////////////////////////////////////////////////////////// template -Out Utf<8>::ToUtf8(In begin, In end, Out output) +Out Utf<8>::toUtf8(In begin, In end, Out output) { while (begin < end) *output++ = *begin++; @@ -260,13 +260,13 @@ Out Utf<8>::ToUtf8(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<8>::ToUtf16(In begin, In end, Out output) +Out Utf<8>::toUtf16(In begin, In end, Out output) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<16>::Encode(codepoint, output); + begin = decode(begin, end, codepoint); + output = Utf<16>::encode(codepoint, output); } return output; @@ -275,12 +275,12 @@ Out Utf<8>::ToUtf16(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<8>::ToUtf32(In begin, In end, Out output) +Out Utf<8>::toUtf32(In begin, In end, Out output) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); + begin = decode(begin, end, codepoint); *output++ = codepoint; } @@ -290,7 +290,7 @@ Out Utf<8>::ToUtf32(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -In Utf<16>::Decode(In begin, In end, Uint32& output, Uint32 replacement) +In Utf<16>::decode(In begin, In end, Uint32& output, Uint32 replacement) { Uint16 first = *begin++; @@ -330,7 +330,7 @@ In Utf<16>::Decode(In begin, In end, Uint32& output, Uint32 replacement) //////////////////////////////////////////////////////////// template -Out Utf<16>::Encode(Uint32 input, Out output, Uint16 replacement) +Out Utf<16>::encode(Uint32 input, Out output, Uint16 replacement) { if (input < 0xFFFF) { @@ -367,21 +367,21 @@ Out Utf<16>::Encode(Uint32 input, Out output, Uint16 replacement) //////////////////////////////////////////////////////////// template -In Utf<16>::Next(In begin, In end) +In Utf<16>::next(In begin, In end) { Uint32 codepoint; - return Decode(begin, end, codepoint); + return decode(begin, end, codepoint); } //////////////////////////////////////////////////////////// template -std::size_t Utf<16>::Count(In begin, In end) +std::size_t Utf<16>::count(In begin, In end) { std::size_t length = 0; while (begin < end) { - begin = Next(begin, end); + begin = next(begin, end); ++length; } @@ -391,12 +391,12 @@ std::size_t Utf<16>::Count(In begin, In end) //////////////////////////////////////////////////////////// template -Out Utf<16>::FromAnsi(In begin, In end, Out output, const std::locale& locale) +Out Utf<16>::fromAnsi(In begin, In end, Out output, const std::locale& locale) { while (begin < end) { - Uint32 codepoint = Utf<32>::DecodeAnsi(*begin++, locale); - output = Encode(codepoint, output); + Uint32 codepoint = Utf<32>::decodeAnsi(*begin++, locale); + output = encode(codepoint, output); } return output; @@ -405,12 +405,12 @@ Out Utf<16>::FromAnsi(In begin, In end, Out output, const std::locale& locale) //////////////////////////////////////////////////////////// template -Out Utf<16>::FromWide(In begin, In end, Out output) +Out Utf<16>::fromWide(In begin, In end, Out output) { while (begin < end) { - Uint32 codepoint = Utf<32>::DecodeWide(*begin++); - output = Encode(codepoint, output); + Uint32 codepoint = Utf<32>::decodeWide(*begin++); + output = encode(codepoint, output); } return output; @@ -419,7 +419,7 @@ Out Utf<16>::FromWide(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<16>::FromLatin1(In begin, In end, Out output) +Out Utf<16>::fromLatin1(In begin, In end, Out output) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 @@ -432,13 +432,13 @@ Out Utf<16>::FromLatin1(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<16>::ToAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) +Out Utf<16>::toAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<32>::EncodeAnsi(codepoint, output, replacement, locale); + begin = decode(begin, end, codepoint); + output = Utf<32>::encodeAnsi(codepoint, output, replacement, locale); } return output; @@ -447,13 +447,13 @@ Out Utf<16>::ToAnsi(In begin, In end, Out output, char replacement, const std::l //////////////////////////////////////////////////////////// template -Out Utf<16>::ToWide(In begin, In end, Out output, wchar_t replacement) +Out Utf<16>::toWide(In begin, In end, Out output, wchar_t replacement) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<32>::EncodeWide(codepoint, output, replacement); + begin = decode(begin, end, codepoint); + output = Utf<32>::encodeWide(codepoint, output, replacement); } return output; @@ -462,7 +462,7 @@ Out Utf<16>::ToWide(In begin, In end, Out output, wchar_t replacement) //////////////////////////////////////////////////////////// template -Out Utf<16>::ToLatin1(In begin, In end, Out output, char replacement) +Out Utf<16>::toLatin1(In begin, In end, Out output, char replacement) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 @@ -478,13 +478,13 @@ Out Utf<16>::ToLatin1(In begin, In end, Out output, char replacement) //////////////////////////////////////////////////////////// template -Out Utf<16>::ToUtf8(In begin, In end, Out output) +Out Utf<16>::toUtf8(In begin, In end, Out output) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); - output = Utf<8>::Encode(codepoint, output); + begin = decode(begin, end, codepoint); + output = Utf<8>::encode(codepoint, output); } return output; @@ -493,7 +493,7 @@ Out Utf<16>::ToUtf8(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<16>::ToUtf16(In begin, In end, Out output) +Out Utf<16>::toUtf16(In begin, In end, Out output) { while (begin < end) *output++ = *begin++; @@ -504,12 +504,12 @@ Out Utf<16>::ToUtf16(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<16>::ToUtf32(In begin, In end, Out output) +Out Utf<16>::toUtf32(In begin, In end, Out output) { while (begin < end) { Uint32 codepoint; - begin = Decode(begin, end, codepoint); + begin = decode(begin, end, codepoint); *output++ = codepoint; } @@ -519,7 +519,7 @@ Out Utf<16>::ToUtf32(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -In Utf<32>::Decode(In begin, In end, Uint32& output, Uint32) +In Utf<32>::decode(In begin, In end, Uint32& output, Uint32) { output = *begin++; return begin; @@ -528,7 +528,7 @@ In Utf<32>::Decode(In begin, In end, Uint32& output, Uint32) //////////////////////////////////////////////////////////// template -Out Utf<32>::Encode(Uint32 input, Out output, Uint32 replacement) +Out Utf<32>::encode(Uint32 input, Out output, Uint32 replacement) { *output++ = input; return output; @@ -537,7 +537,7 @@ Out Utf<32>::Encode(Uint32 input, Out output, Uint32 replacement) //////////////////////////////////////////////////////////// template -In Utf<32>::Next(In begin, In end) +In Utf<32>::next(In begin, In end) { return ++begin; } @@ -545,7 +545,7 @@ In Utf<32>::Next(In begin, In end) //////////////////////////////////////////////////////////// template -std::size_t Utf<32>::Count(In begin, In end) +std::size_t Utf<32>::count(In begin, In end) { return begin - end; } @@ -553,10 +553,10 @@ std::size_t Utf<32>::Count(In begin, In end) //////////////////////////////////////////////////////////// template -Out Utf<32>::FromAnsi(In begin, In end, Out output, const std::locale& locale) +Out Utf<32>::fromAnsi(In begin, In end, Out output, const std::locale& locale) { while (begin < end) - *output++ = DecodeAnsi(*begin++, locale); + *output++ = decodeAnsi(*begin++, locale); return output; } @@ -564,10 +564,10 @@ Out Utf<32>::FromAnsi(In begin, In end, Out output, const std::locale& locale) //////////////////////////////////////////////////////////// template -Out Utf<32>::FromWide(In begin, In end, Out output) +Out Utf<32>::fromWide(In begin, In end, Out output) { while (begin < end) - *output++ = DecodeWide(*begin++); + *output++ = decodeWide(*begin++); return output; } @@ -575,7 +575,7 @@ Out Utf<32>::FromWide(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<32>::FromLatin1(In begin, In end, Out output) +Out Utf<32>::fromLatin1(In begin, In end, Out output) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 @@ -588,10 +588,10 @@ Out Utf<32>::FromLatin1(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<32>::ToAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) +Out Utf<32>::toAnsi(In begin, In end, Out output, char replacement, const std::locale& locale) { while (begin < end) - output = EncodeAnsi(*begin++, output, replacement, locale); + output = encodeAnsi(*begin++, output, replacement, locale); return output; } @@ -599,10 +599,10 @@ Out Utf<32>::ToAnsi(In begin, In end, Out output, char replacement, const std::l //////////////////////////////////////////////////////////// template -Out Utf<32>::ToWide(In begin, In end, Out output, wchar_t replacement) +Out Utf<32>::toWide(In begin, In end, Out output, wchar_t replacement) { while (begin < end) - output = EncodeWide(*begin++, output, replacement); + output = encodeWide(*begin++, output, replacement); return output; } @@ -610,7 +610,7 @@ Out Utf<32>::ToWide(In begin, In end, Out output, wchar_t replacement) //////////////////////////////////////////////////////////// template -Out Utf<32>::ToLatin1(In begin, In end, Out output, char replacement) +Out Utf<32>::toLatin1(In begin, In end, Out output, char replacement) { // Latin-1 is directly compatible with Unicode encodings, // and can thus be treated as (a sub-range of) UTF-32 @@ -626,20 +626,20 @@ Out Utf<32>::ToLatin1(In begin, In end, Out output, char replacement) //////////////////////////////////////////////////////////// template -Out Utf<32>::ToUtf8(In begin, In end, Out output) +Out Utf<32>::toUtf8(In begin, In end, Out output) { while (begin < end) - output = Utf<8>::Encode(*begin++, output); + output = Utf<8>::encode(*begin++, output); return output; } //////////////////////////////////////////////////////////// template -Out Utf<32>::ToUtf16(In begin, In end, Out output) +Out Utf<32>::toUtf16(In begin, In end, Out output) { while (begin < end) - output = Utf<16>::Encode(*begin++, output); + output = Utf<16>::encode(*begin++, output); return output; } @@ -647,7 +647,7 @@ Out Utf<32>::ToUtf16(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Out Utf<32>::ToUtf32(In begin, In end, Out output) +Out Utf<32>::toUtf32(In begin, In end, Out output) { while (begin < end) *output++ = *begin++; @@ -658,7 +658,7 @@ Out Utf<32>::ToUtf32(In begin, In end, Out output) //////////////////////////////////////////////////////////// template -Uint32 Utf<32>::DecodeAnsi(In input, const std::locale& locale) +Uint32 Utf<32>::decodeAnsi(In input, const std::locale& locale) { // On Windows, gcc's standard library (glibc++) has almost // no support for Unicode stuff. As a consequence, in this @@ -687,7 +687,7 @@ Uint32 Utf<32>::DecodeAnsi(In input, const std::locale& locale) //////////////////////////////////////////////////////////// template -Uint32 Utf<32>::DecodeWide(In input) +Uint32 Utf<32>::decodeWide(In input) { // The encoding of wide characters is not well defined and is left to the system; // however we can safely assume that it is UCS-2 on Windows and @@ -701,7 +701,7 @@ Uint32 Utf<32>::DecodeWide(In input) //////////////////////////////////////////////////////////// template -Out Utf<32>::EncodeAnsi(Uint32 codepoint, Out output, char replacement, const std::locale& locale) +Out Utf<32>::encodeAnsi(Uint32 codepoint, Out output, char replacement, const std::locale& locale) { // On Windows, gcc's standard library (glibc++) has almost // no support for Unicode stuff. As a consequence, in this @@ -736,7 +736,7 @@ Out Utf<32>::EncodeAnsi(Uint32 codepoint, Out output, char replacement, const st //////////////////////////////////////////////////////////// template -Out Utf<32>::EncodeWide(Uint32 codepoint, Out output, wchar_t replacement) +Out Utf<32>::encodeWide(Uint32 codepoint, Out output, wchar_t replacement) { // The encoding of wide characters is not well defined and is left to the system; // however we can safely assume that it is UCS-2 on Windows and diff --git a/include/SFML/Window/Context.hpp b/include/SFML/Window/Context.hpp index ed70642a..d1411979 100644 --- a/include/SFML/Window/Context.hpp +++ b/include/SFML/Window/Context.hpp @@ -73,7 +73,7 @@ public : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - bool SetActive(bool active); + bool setActive(bool active); public : @@ -125,7 +125,7 @@ private : /// /// Usage example: /// \code -/// void ThreadFunction(void*) +/// void threadFunction(void*) /// { /// sf::Context context; /// // from now on, you have a valid context diff --git a/include/SFML/Window/ContextSettings.hpp b/include/SFML/Window/ContextSettings.hpp index 946654ec..39f00438 100644 --- a/include/SFML/Window/ContextSettings.hpp +++ b/include/SFML/Window/ContextSettings.hpp @@ -46,22 +46,22 @@ struct ContextSettings /// //////////////////////////////////////////////////////////// explicit ContextSettings(unsigned int depth = 0, unsigned int stencil = 0, unsigned int antialiasing = 0, unsigned int major = 2, unsigned int minor = 0) : - DepthBits (depth), - StencilBits (stencil), - AntialiasingLevel(antialiasing), - MajorVersion (major), - MinorVersion (minor) + depthBits (depth), + stencilBits (stencil), + antialiasingLevel(antialiasing), + majorVersion (major), + minorVersion (minor) { } //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - unsigned int DepthBits; ///< Bits of the depth buffer - unsigned int StencilBits; ///< Bits of the stencil buffer - unsigned int AntialiasingLevel; ///< Level of antialiasing - unsigned int MajorVersion; ///< Major number of the context version to create - unsigned int MinorVersion; ///< Minor number of the context version to create + unsigned int depthBits; ///< Bits of the depth buffer + unsigned int stencilBits; ///< Bits of the stencil buffer + unsigned int antialiasingLevel; ///< Level of antialiasing + unsigned int majorVersion; ///< Major number of the context version to create + unsigned int minorVersion; ///< Minor number of the context version to create }; } // namespace sf @@ -81,14 +81,14 @@ struct ContextSettings /// you may need to use this structure only if you're using /// SFML as a windowing system for custom OpenGL rendering. /// -/// The DepthBits and StencilBits members define the number +/// The depthBits and stencilBits members define the number /// of bits per pixel requested for the (respectively) depth /// and stencil buffers. /// -/// AntialiasingLevel represents the requested number of +/// antialiasingLevel represents the requested number of /// multisampling levels for anti-aliasing. /// -/// MajorVersion and MinorVersion define the version of the +/// majorVersion and minorVersion define the version of the /// OpenGL context that you want. Only versions greater or /// equal to 3.0 are relevant; versions lesser than 3.0 are /// all handled the same way (i.e. you can use any version @@ -99,6 +99,6 @@ struct ContextSettings /// are not supported by the system; instead, SFML will try to /// find the closest valid match. You can then retrieve the /// settings that the window actually used to create its context, -/// with Window::GetSettings(). +/// with Window::getSettings(). /// //////////////////////////////////////////////////////////// diff --git a/include/SFML/Window/Event.hpp b/include/SFML/Window/Event.hpp index 2b6d56f6..3639080b 100644 --- a/include/SFML/Window/Event.hpp +++ b/include/SFML/Window/Event.hpp @@ -50,8 +50,8 @@ public : //////////////////////////////////////////////////////////// struct SizeEvent { - unsigned int Width; ///< New width, in pixels - unsigned int Height; ///< New height, in pixels + unsigned int width; ///< New width, in pixels + unsigned int height; ///< New height, in pixels }; //////////////////////////////////////////////////////////// @@ -60,11 +60,11 @@ public : //////////////////////////////////////////////////////////// struct KeyEvent { - Keyboard::Key Code; ///< Code of the key that has been pressed - bool Alt; ///< Is the Alt key pressed? - bool Control; ///< Is the Control key pressed? - bool Shift; ///< Is the Shift key pressed? - bool System; ///< Is the System key pressed? + Keyboard::Key code; ///< Code of the key that has been pressed + bool alt; ///< Is the Alt key pressed? + bool control; ///< Is the Control key pressed? + bool shift; ///< Is the Shift key pressed? + bool system; ///< Is the System key pressed? }; //////////////////////////////////////////////////////////// @@ -73,7 +73,7 @@ public : //////////////////////////////////////////////////////////// struct TextEvent { - Uint32 Unicode; ///< UTF-32 unicode value of the character + Uint32 unicode; ///< UTF-32 unicode value of the character }; //////////////////////////////////////////////////////////// @@ -82,8 +82,8 @@ public : //////////////////////////////////////////////////////////// struct MouseMoveEvent { - int X; ///< X position of the mouse pointer, relative to the left of the owner window - int Y; ///< Y position of the mouse pointer, relative to the top of the owner window + int x; ///< X position of the mouse pointer, relative to the left of the owner window + int y; ///< Y position of the mouse pointer, relative to the top of the owner window }; //////////////////////////////////////////////////////////// @@ -93,9 +93,9 @@ public : //////////////////////////////////////////////////////////// struct MouseButtonEvent { - Mouse::Button Button; ///< Code of the button that has been pressed - int X; ///< X position of the mouse pointer, relative to the left of the owner window - int Y; ///< Y position of the mouse pointer, relative to the top of the owner window + Mouse::Button button; ///< Code of the button that has been pressed + int x; ///< X position of the mouse pointer, relative to the left of the owner window + int y; ///< Y position of the mouse pointer, relative to the top of the owner window }; //////////////////////////////////////////////////////////// @@ -104,9 +104,9 @@ public : //////////////////////////////////////////////////////////// struct MouseWheelEvent { - int Delta; ///< Number of ticks the wheel has moved (positive is up, negative is down) - int X; ///< X position of the mouse pointer, relative to the left of the owner window - int Y; ///< Y position of the mouse pointer, relative to the top of the owner window + int delta; ///< Number of ticks the wheel has moved (positive is up, negative is down) + int x; ///< X position of the mouse pointer, relative to the left of the owner window + int y; ///< Y position of the mouse pointer, relative to the top of the owner window }; //////////////////////////////////////////////////////////// @@ -116,7 +116,7 @@ public : //////////////////////////////////////////////////////////// struct JoystickConnectEvent { - unsigned int JoystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) + unsigned int joystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) }; //////////////////////////////////////////////////////////// @@ -125,9 +125,9 @@ public : //////////////////////////////////////////////////////////// struct JoystickMoveEvent { - unsigned int JoystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) - Joystick::Axis Axis; ///< Axis on which the joystick moved - float Position; ///< New position on the axis (in range [-100 .. 100]) + unsigned int joystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) + Joystick::Axis axis; ///< Axis on which the joystick moved + float position; ///< New position on the axis (in range [-100 .. 100]) }; //////////////////////////////////////////////////////////// @@ -137,8 +137,8 @@ public : //////////////////////////////////////////////////////////// struct JoystickButtonEvent { - unsigned int JoystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) - unsigned int Button; ///< Index of the button that has been pressed (in range [0 .. Joystick::ButtonCount - 1]) + unsigned int joystickId; ///< Index of the joystick (in range [0 .. Joystick::Count - 1]) + unsigned int button; ///< Index of the button that has been pressed (in range [0 .. Joystick::ButtonCount - 1]) }; //////////////////////////////////////////////////////////// @@ -172,19 +172,19 @@ public : //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - EventType Type; ///< Type of the event + EventType type; ///< Type of the event union { - SizeEvent Size; ///< Size event parameters - KeyEvent Key; ///< Key event parameters - TextEvent Text; ///< Text event parameters - MouseMoveEvent MouseMove; ///< Mouse move event parameters - MouseButtonEvent MouseButton; ///< Mouse button event parameters - MouseWheelEvent MouseWheel; ///< Mouse wheel event parameters - JoystickMoveEvent JoystickMove; ///< Joystick move event parameters - JoystickButtonEvent JoystickButton; ///< Joystick button event parameters - JoystickConnectEvent JoystickConnect; ///< Joystick (dis)connect event parameters + SizeEvent size; ///< Size event parameters + KeyEvent key; ///< Key event parameters + TextEvent text; ///< Text event parameters + MouseMoveEvent mouseMove; ///< Mouse move event parameters + MouseButtonEvent mouseButton; ///< Mouse button event parameters + MouseWheelEvent mouseWheel; ///< Mouse wheel event parameters + JoystickMoveEvent joystickMove; ///< Joystick move event parameters + JoystickButtonEvent joystickButton; ///< Joystick button event parameters + JoystickConnectEvent joystickConnect; ///< Joystick (dis)connect event parameters }; }; @@ -200,7 +200,7 @@ public : /// /// sf::Event holds all the informations about a system event /// that just happened. Events are retrieved using the -/// sf::Window::PollEvent and sf::Window::WaitEvent functions. +/// sf::Window::pollEvent and sf::Window::waitEvent functions. /// /// A sf::Event instance contains the type of the event /// (mouse moved, key pressed, window closed, ...) as well @@ -210,25 +210,25 @@ public : /// filled; all other members will have undefined values and must not /// be read if the type of the event doesn't match. For example, /// if you received a KeyPressed event, then you must read the -/// event.Key member, all other members such as event.MouseMove -/// or event.Text will have undefined values. +/// event.key member, all other members such as event.MouseMove +/// or event.text will have undefined values. /// /// Usage example: /// \code /// sf::Event event; -/// while (window.PollEvent(event)) +/// while (window.pollEvent(event)) /// { /// // Request for closing the window -/// if (event.Type == sf::Event::Closed) -/// window.Close(); +/// if (event.type == sf::Event::Closed) +/// window.close(); /// /// // The escape key was pressed -/// if ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Keyboard::Escape)) -/// window.Close(); +/// if ((event.type == sf::Event::KeyPressed) && (event.key.code == sf::Keyboard::Escape)) +/// window.close(); /// /// // The window was resized -/// if (event.Type == sf::Event::Resized) -/// DoSomethingWithTheNewSize(event.Size.Width, event.Size.Height); +/// if (event.type == sf::Event::Resized) +/// doSomethingWithTheNewSize(event.size.width, event.size.height); /// /// // etc ... /// } diff --git a/include/SFML/Window/GlResource.hpp b/include/SFML/Window/GlResource.hpp index 5b3acf6e..0806344c 100644 --- a/include/SFML/Window/GlResource.hpp +++ b/include/SFML/Window/GlResource.hpp @@ -53,7 +53,11 @@ protected : //////////////////////////////////////////////////////////// ~GlResource(); - static void EnsureGlContext(); + //////////////////////////////////////////////////////////// + /// \brief Make sure that a valid OpenGL context exists in the current thread + /// + //////////////////////////////////////////////////////////// + static void ensureGlContext(); }; } // namespace sf diff --git a/include/SFML/Window/Joystick.hpp b/include/SFML/Window/Joystick.hpp index f239c74c..604dbd15 100644 --- a/include/SFML/Window/Joystick.hpp +++ b/include/SFML/Window/Joystick.hpp @@ -76,7 +76,7 @@ public : /// \return True if the joystick is connected, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsConnected(unsigned int joystick); + static bool isConnected(unsigned int joystick); //////////////////////////////////////////////////////////// /// \brief Return the number of buttons supported by a joystick @@ -88,7 +88,7 @@ public : /// \return Number of buttons supported by the joystick /// //////////////////////////////////////////////////////////// - static unsigned int GetButtonCount(unsigned int joystick); + static unsigned int getButtonCount(unsigned int joystick); //////////////////////////////////////////////////////////// /// \brief Check if a joystick supports a given axis @@ -101,7 +101,7 @@ public : /// \return True if the joystick supports the axis, false otherwise /// //////////////////////////////////////////////////////////// - static bool HasAxis(unsigned int joystick, Axis axis); + static bool hasAxis(unsigned int joystick, Axis axis); //////////////////////////////////////////////////////////// /// \brief Check if a joystick button is pressed @@ -114,7 +114,7 @@ public : /// \return True if the button is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsButtonPressed(unsigned int joystick, unsigned int button); + static bool isButtonPressed(unsigned int joystick, unsigned int button); //////////////////////////////////////////////////////////// /// \brief Get the current position of a joystick axis @@ -127,7 +127,7 @@ public : /// \return Current position of the axis, in range [-100 .. 100] /// //////////////////////////////////////////////////////////// - static float GetAxisPosition(unsigned int joystick, Axis axis); + static float getAxisPosition(unsigned int joystick, Axis axis); //////////////////////////////////////////////////////////// /// \brief Update the states of all joysticks @@ -138,7 +138,7 @@ public : /// in this case the joysticks states are not updated automatically. /// //////////////////////////////////////////////////////////// - static void Update(); + static void update(); }; } // namespace sf @@ -173,29 +173,29 @@ public : /// \li 8 axes per joystick (sf::Joystick::AxisCount) /// /// Unlike the keyboard or mouse, the state of joysticks is sometimes -/// not directly available (depending on the OS), therefore an Update() +/// not directly available (depending on the OS), therefore an update() /// function must be called in order to update the current state of /// joysticks. When you have a window with event handling, this is done /// automatically, you don't need to call anything. But if you have no /// window, or if you want to check joysticks state before creating one, -/// you must call sf::Joystick::Update explicitely. +/// you must call sf::Joystick::update explicitely. /// /// Usage example: /// \code /// // Is joystick #0 connected? -/// bool connected = sf::Joystick::IsConnected(0); +/// bool connected = sf::Joystick::isConnected(0); /// /// // How many buttons does joystick #0 support? -/// unsigned int buttons = sf::Joystick::GetButtonCount(0); +/// unsigned int buttons = sf::Joystick::getButtonCount(0); /// /// // Does joystick #0 define a X axis? -/// bool hasX = sf::Joystick::HasAxis(0, sf::Joystick::X); +/// bool hasX = sf::Joystick::hasAxis(0, sf::Joystick::X); /// /// // Is button #2 pressed on joystick #0? -/// bool pressed = sf::Joystick::IsButtonPressed(0, 2); +/// bool pressed = sf::Joystick::isButtonPressed(0, 2); /// /// // What's the current position of the Y axis on joystick #0? -/// float position = sf::Joystick::GetAxisPosition(0, sf::Joystick::Y); +/// float position = sf::Joystick::getAxisPosition(0, sf::Joystick::Y); /// \endcode /// /// \see sf::Keyboard, sf::Mouse diff --git a/include/SFML/Window/Keyboard.hpp b/include/SFML/Window/Keyboard.hpp index cae90a6a..d3013ee7 100644 --- a/include/SFML/Window/Keyboard.hpp +++ b/include/SFML/Window/Keyboard.hpp @@ -160,7 +160,7 @@ public : /// \return True if the key is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsKeyPressed(Key key); + static bool isKeyPressed(Key key); }; } // namespace sf @@ -189,15 +189,15 @@ public : /// /// Usage example: /// \code -/// if (sf::Keyboard::IsKeyPressed(sf::Keyboard::Left)) +/// if (sf::Keyboard::isKeyPressed(sf::Keyboard::Left)) /// { /// // move left... /// } -/// else if (sf::Keyboard::IsKeyPressed(sf::Keyboard::Right)) +/// else if (sf::Keyboard::isKeyPressed(sf::Keyboard::Right)) /// { /// // move right... /// } -/// else if (sf::Keyboard::IsKeyPressed(sf::Keyboard::Escape)) +/// else if (sf::Keyboard::isKeyPressed(sf::Keyboard::Escape)) /// { /// // quit... /// } diff --git a/include/SFML/Window/Mouse.hpp b/include/SFML/Window/Mouse.hpp index 1af586bc..d78b2fff 100644 --- a/include/SFML/Window/Mouse.hpp +++ b/include/SFML/Window/Mouse.hpp @@ -67,7 +67,7 @@ public : /// \return True if the button is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsButtonPressed(Button button); + static bool isButtonPressed(Button button); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in desktop coordinates @@ -78,7 +78,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetPosition(); + static Vector2i getPosition(); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in window coordinates @@ -91,7 +91,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetPosition(const Window& relativeTo); + static Vector2i getPosition(const Window& relativeTo); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in desktop coordinates @@ -102,7 +102,7 @@ public : /// \param position New position of the mouse /// //////////////////////////////////////////////////////////// - static void SetPosition(const Vector2i& position); + static void setPosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in window coordinates @@ -114,7 +114,7 @@ public : /// \param relativeTo Reference window /// //////////////////////////////////////////////////////////// - static void SetPosition(const Vector2i& position, const Window& relativeTo); + static void setPosition(const Vector2i& position, const Window& relativeTo); }; } // namespace sf @@ -150,16 +150,16 @@ public : /// /// Usage example: /// \code -/// if (sf::Mouse::IsButtonPressed(sf::Mouse::Left)) +/// if (sf::Mouse::isButtonPressed(sf::Mouse::Left)) /// { /// // left click... /// } /// /// // get global mouse position -/// sf::Vector2i position = sf::Mouse::GetPosition(); +/// sf::Vector2i position = sf::Mouse::getPosition(); /// /// // set mouse position relative to a window -/// sf::Mouse::SetPosition(sf::Vector2i(100, 200), window); +/// sf::Mouse::setPosition(sf::Vector2i(100, 200), window); /// \endcode /// /// \see sf::Joystick, sf::Keyboard diff --git a/include/SFML/Window/VideoMode.hpp b/include/SFML/Window/VideoMode.hpp index 759f9d01..415a394b 100644 --- a/include/SFML/Window/VideoMode.hpp +++ b/include/SFML/Window/VideoMode.hpp @@ -66,7 +66,7 @@ public : /// \return Current desktop video mode /// //////////////////////////////////////////////////////////// - static VideoMode GetDesktopMode(); + static VideoMode getDesktopMode(); //////////////////////////////////////////////////////////// /// \brief Retrieve all the video modes supported in fullscreen mode @@ -82,7 +82,7 @@ public : /// \return Array containing all the supported fullscreen modes /// //////////////////////////////////////////////////////////// - static const std::vector& GetFullscreenModes(); + static const std::vector& getFullscreenModes(); //////////////////////////////////////////////////////////// /// \brief Tell whether or not the video mode is valid @@ -94,14 +94,14 @@ public : /// \return True if the video mode is valid for fullscreen mode /// //////////////////////////////////////////////////////////// - bool IsValid() const; + bool isValid() const; //////////////////////////////////////////////////////////// // Member data //////////////////////////////////////////////////////////// - unsigned int Width; ///< Video mode width, in pixels - unsigned int Height; ///< Video mode height, in pixels - unsigned int BitsPerPixel; ///< Video mode pixel depth, in bits per pixels + unsigned int width; ///< Video mode width, in pixels + unsigned int height; ///< Video mode height, in pixels + unsigned int bitsPerPixel; ///< Video mode pixel depth, in bits per pixels }; //////////////////////////////////////////////////////////// @@ -198,31 +198,31 @@ SFML_WINDOW_API bool operator >=(const VideoMode& left, const VideoMode& right); /// /// sf::VideoMode provides a static function for retrieving /// the list of all the video modes supported by the system: -/// GetFullscreenModes(). +/// getFullscreenModes(). /// /// A custom video mode can also be checked directly for /// fullscreen compatibility with its IsValid() function. /// /// Additionnally, sf::VideoMode provides a static function -/// to get the mode currently used by the desktop: GetDesktopMode(). +/// to get the mode currently used by the desktop: getDesktopMode(). /// This allows to build windows with the same size or pixel /// depth as the current resolution. /// /// Usage example: /// \code /// // Display the list of all the video modes available for fullscreen -/// std::vector modes = sf::VideoMode::GetFullscreenModes(); +/// std::vector modes = sf::VideoMode::getFullscreenModes(); /// for (std::size_t i = 0; i < modes.size(); ++i) /// { /// sf::VideoMode mode = modes[i]; /// std::cout << "Mode #" << i << ": " -/// << mode.Width << "x" << mode.Height << " - " -/// << mode.BitsPerPixel << " bpp" << std::endl; +/// << mode.width << "x" << mode.height << " - " +/// << mode.bitsPerPixel << " bpp" << std::endl; /// } /// /// // Create a window with the same pixel depth as the desktop -/// sf::VideoMode desktop = sf::VideoMode::GetDesktopMode(); -/// window.Create(sf::VideoMode(1024, 768, desktop.BitsPerPixel), "SFML window"); +/// sf::VideoMode desktop = sf::VideoMode::getDesktopMode(); +/// window.create(sf::VideoMode(1024, 768, desktop.bitsPerPixel), "SFML window"); /// \endcode /// //////////////////////////////////////////////////////////// diff --git a/include/SFML/Window/Window.hpp b/include/SFML/Window/Window.hpp index 4a3d677a..d5f3023a 100644 --- a/include/SFML/Window/Window.hpp +++ b/include/SFML/Window/Window.hpp @@ -62,7 +62,7 @@ public : /// \brief Default constructor /// /// This constructor doesn't actually create the window, - /// use the other constructors or call Create to do so. + /// use the other constructors or call create to do so. /// //////////////////////////////////////////////////////////// Window(); @@ -125,7 +125,7 @@ public : /// \param settings Additional settings for the underlying OpenGL context /// //////////////////////////////////////////////////////////// - void Create(VideoMode mode, const std::string& title, Uint32 style = Style::Default, const ContextSettings& settings = ContextSettings()); + void create(VideoMode mode, const std::string& title, Uint32 style = Style::Default, const ContextSettings& settings = ContextSettings()); //////////////////////////////////////////////////////////// /// \brief Create (or recreate) the window from an existing control @@ -138,44 +138,44 @@ public : /// \param settings Additional settings for the underlying OpenGL context /// //////////////////////////////////////////////////////////// - void Create(WindowHandle handle, const ContextSettings& settings = ContextSettings()); + void create(WindowHandle handle, const ContextSettings& settings = ContextSettings()); //////////////////////////////////////////////////////////// /// \brief Close the window and destroy all the attached resources /// /// After calling this function, the sf::Window instance remains - /// valid and you can call Create() to recreate the window. - /// All other functions such as PollEvent() or Display() will - /// still work (i.e. you don't have to test IsOpen() every time), + /// valid and you can call create() to recreate the window. + /// All other functions such as pollEvent() or display() will + /// still work (i.e. you don't have to test isOpen() every time), /// and will have no effect on closed windows. /// //////////////////////////////////////////////////////////// - void Close(); + void close(); //////////////////////////////////////////////////////////// /// \brief Tell whether or not the window is open /// /// This function returns whether or not the window exists. - /// Note that a hidden window (SetVisible(false)) is open + /// Note that a hidden window (setVisible(false)) is open /// (therefore this function would return true). /// /// \return True if the window is open, false if it has been closed /// //////////////////////////////////////////////////////////// - bool IsOpen() const; + bool isOpen() const; //////////////////////////////////////////////////////////// /// \brief Get the settings of the OpenGL context of the window /// /// Note that these settings may be different from what was - /// passed to the constructor or the Create() function, + /// passed to the constructor or the create() function, /// if one or more settings were not supported. In this case, /// SFML chose the closest match. /// /// \return Structure containing the OpenGL context settings /// //////////////////////////////////////////////////////////// - const ContextSettings& GetSettings() const; + const ContextSettings& getSettings() const; //////////////////////////////////////////////////////////// /// \brief Pop the event on top of events stack, if any, and return it @@ -187,7 +187,7 @@ public : /// to make sure that you process every pending event. /// \code /// sf::Event event; - /// while (window.PollEvent(event)) + /// while (window.pollEvent(event)) /// { /// // process event... /// } @@ -197,10 +197,10 @@ public : /// /// \return True if an event was returned, or false if the events stack was empty /// - /// \see WaitEvent + /// \see waitEvent /// //////////////////////////////////////////////////////////// - bool PollEvent(Event& event); + bool pollEvent(Event& event); //////////////////////////////////////////////////////////// /// \brief Wait for an event and return it @@ -214,7 +214,7 @@ public : /// sleep as long as no new event is received. /// \code /// sf::Event event; - /// if (window.WaitEvent(event)) + /// if (window.waitEvent(event)) /// { /// // process event... /// } @@ -224,20 +224,20 @@ public : /// /// \return False if any error occured /// - /// \see PollEvent + /// \see pollEvent /// //////////////////////////////////////////////////////////// - bool WaitEvent(Event& event); + bool waitEvent(Event& event); //////////////////////////////////////////////////////////// /// \brief Get the position of the window /// /// \return Position of the window, in pixels /// - /// \see SetPosition + /// \see setPosition /// //////////////////////////////////////////////////////////// - Vector2i GetPosition() const; + Vector2i getPosition() const; //////////////////////////////////////////////////////////// /// \brief Change the position of the window on screen @@ -248,10 +248,10 @@ public : /// /// \param position New position, in pixels /// - /// \see GetPosition + /// \see getPosition /// //////////////////////////////////////////////////////////// - void SetPosition(const Vector2i& position); + void setPosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Get the size of the rendering region of the window @@ -261,30 +261,30 @@ public : /// /// \return Size in pixels /// - /// \see SetSize + /// \see setSize /// //////////////////////////////////////////////////////////// - Vector2u GetSize() const; + Vector2u getSize() const; //////////////////////////////////////////////////////////// /// \brief Change the size of the rendering region of the window /// /// \param size New size, in pixels /// - /// \see GetSize + /// \see getSize /// //////////////////////////////////////////////////////////// - void SetSize(const Vector2u size); + void setSize(const Vector2u size); //////////////////////////////////////////////////////////// /// \brief Change the title of the window /// /// \param title New title /// - /// \see SetIcon + /// \see setIcon /// //////////////////////////////////////////////////////////// - void SetTitle(const std::string& title); + void setTitle(const std::string& title); //////////////////////////////////////////////////////////// /// \brief Change the window's icon @@ -298,10 +298,10 @@ public : /// \param height Icon's height, in pixels /// \param pixels Pointer to the array of pixels in memory /// - /// \see SetTitle + /// \see setTitle /// //////////////////////////////////////////////////////////// - void SetIcon(unsigned int width, unsigned int height, const Uint8* pixels); + void setIcon(unsigned int width, unsigned int height, const Uint8* pixels); //////////////////////////////////////////////////////////// /// \brief Show or hide the window @@ -311,7 +311,7 @@ public : /// \param visible True to show the window, false to hide it /// //////////////////////////////////////////////////////////// - void SetVisible(bool visible); + void setVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Enable or disable vertical synchronization @@ -326,7 +326,7 @@ public : /// \param enabled True to enable v-sync, false to deactivate it /// //////////////////////////////////////////////////////////// - void SetVerticalSyncEnabled(bool enabled); + void setVerticalSyncEnabled(bool enabled); //////////////////////////////////////////////////////////// /// \brief Show or hide the mouse cursor @@ -336,7 +336,7 @@ public : /// \param visible True to show the mouse cursor, false to hide it /// //////////////////////////////////////////////////////////// - void SetMouseCursorVisible(bool visible); + void setMouseCursorVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Enable or disable automatic key-repeat @@ -350,16 +350,16 @@ public : /// \param enabled True to enable, false to disable /// //////////////////////////////////////////////////////////// - void SetKeyRepeatEnabled(bool enabled); + void setKeyRepeatEnabled(bool enabled); //////////////////////////////////////////////////////////// /// \brief Limit the framerate to a maximum fixed frequency /// /// If a limit is set, the window will use a small delay after - /// each call to Display() to ensure that the current frame + /// each call to display() to ensure that the current frame /// lasted long enough to match the framerate limit. /// SFML will try to match the given limit as much as it can, - /// but since it internally uses sf::Sleep, whose precision + /// but since it internally uses sf::sleep, whose precision /// depends on the underlying OS, the results may be a little /// unprecise as well (for example, you can get 65 FPS when /// requesting 60). @@ -367,20 +367,20 @@ public : /// \param limit Framerate limit, in frames per seconds (use 0 to disable limit) /// //////////////////////////////////////////////////////////// - void SetFramerateLimit(unsigned int limit); + void setFramerateLimit(unsigned int limit); //////////////////////////////////////////////////////////// /// \brief Change the joystick threshold /// /// The joystick threshold is the value below which - /// no JoyMoved event will be generated. + /// no JoystickMoved event will be generated. /// /// The threshold value is 0.1 by default. /// /// \param threshold New threshold, in the range [0, 100] /// //////////////////////////////////////////////////////////// - void SetJoystickThreshold(float threshold); + void setJoystickThreshold(float threshold); //////////////////////////////////////////////////////////// /// \brief Activate or deactivate the window as the current target @@ -397,7 +397,7 @@ public : /// \return True if operation was successful, false otherwise /// //////////////////////////////////////////////////////////// - bool SetActive(bool active = true) const; + bool setActive(bool active = true) const; //////////////////////////////////////////////////////////// /// \brief Display on screen what has been rendered to the window so far @@ -407,7 +407,7 @@ public : /// it on screen. /// //////////////////////////////////////////////////////////// - void Display(); + void display(); //////////////////////////////////////////////////////////// /// \brief Get the OS-specific handle of the window @@ -421,7 +421,7 @@ public : /// \return System handle of the window /// //////////////////////////////////////////////////////////// - WindowHandle GetSystemHandle() const; + WindowHandle getSystemHandle() const; private : @@ -433,7 +433,7 @@ private : /// the window is created. /// //////////////////////////////////////////////////////////// - virtual void OnCreate(); + virtual void onCreate(); //////////////////////////////////////////////////////////// /// \brief Function called after the window has been resized @@ -442,13 +442,13 @@ private : /// perform custom actions when the size of the window changes. /// //////////////////////////////////////////////////////////// - virtual void OnResize(); + virtual void onResize(); //////////////////////////////////////////////////////////// /// \brief Processes an event before it is sent to the user /// /// This function is called every time an event is received - /// from the internal window (through PollEvent or WaitEvent). + /// from the internal window (through pollEvent or waitEvent). /// It filters out unwanted events, and performs whatever internal /// stuff the window needs before the event is returned to the /// user. @@ -456,13 +456,13 @@ private : /// \param event Event to filter /// //////////////////////////////////////////////////////////// - bool FilterEvent(const Event& event); + bool filterEvent(const Event& event); //////////////////////////////////////////////////////////// /// \brief Perform some common internal initializations /// //////////////////////////////////////////////////////////// - void Initialize(); + void initialize(); //////////////////////////////////////////////////////////// // Member data @@ -487,7 +487,7 @@ private : /// an OS window that is able to receive an OpenGL rendering. /// /// A sf::Window can create its own new window, or be embedded into -/// an already existing control using the Create(handle) function. +/// an already existing control using the create(handle) function. /// This can be useful for embedding an OpenGL rendering area into /// a view which is part of a bigger GUI with existing windows, /// controls, etc. It can also serve as embedding an OpenGL rendering @@ -496,7 +496,7 @@ private : /// /// The sf::Window class provides a simple interface for manipulating /// the window: move, resize, show/hide, control mouse cursor, etc. -/// It also provides event handling through its PollEvent() and WaitEvent() +/// It also provides event handling through its pollEvent() and waitEvent() /// functions. /// /// Note that OpenGL experts can pass their own parameters (antialiasing @@ -511,27 +511,27 @@ private : /// sf::Window window(sf::VideoMode(800, 600), "SFML window"); /// /// // Limit the framerate to 60 frames per second (this step is optional) -/// window.SetFramerateLimit(60); +/// window.setFramerateLimit(60); /// /// // The main loop - ends as soon as the window is closed -/// while (window.IsOpen()) +/// while (window.isOpen()) /// { /// // Event processing /// sf::Event event; -/// while (window.PollEvent(event)) +/// while (window.pollEvent(event)) /// { /// // Request for closing the window -/// if (event.Type == sf::Event::Closed) -/// window.Close(); +/// if (event.type == sf::Event::Closed) +/// window.close(); /// } /// /// // Activate the window for OpenGL rendering -/// window.SetActive(); +/// window.setActive(); /// /// // OpenGL drawing commands go here... /// /// // End the current frame and display its contents on screen -/// window.Display(); +/// window.display(); /// } /// \endcode /// diff --git a/src/SFML/Audio/ALCheck.cpp b/src/SFML/Audio/ALCheck.cpp index ef764eff..e300b3a6 100644 --- a/src/SFML/Audio/ALCheck.cpp +++ b/src/SFML/Audio/ALCheck.cpp @@ -25,7 +25,7 @@ //////////////////////////////////////////////////////////// // Headers //////////////////////////////////////////////////////////// -#include +#include #include #include @@ -35,7 +35,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -void ALCheckError(const std::string& file, unsigned int line) +void alCheckError(const std::string& file, unsigned int line) { // Get the last error ALenum errorCode = alGetError(); @@ -84,7 +84,7 @@ void ALCheckError(const std::string& file, unsigned int line) } // Log the error - Err() << "An internal OpenAL call failed in " + err() << "An internal OpenAL call failed in " << file.substr(file.find_last_of("\\/") + 1) << " (" << line << ") : " << error << ", " << description << std::endl; @@ -95,7 +95,7 @@ void ALCheckError(const std::string& file, unsigned int line) //////////////////////////////////////////////////////////// /// Make sure that OpenAL is initialized //////////////////////////////////////////////////////////// -void EnsureALInit() +void ensureALInit() { // The audio device is instanciated on demand rather than at global startup, // which solves a lot of weird crashes and errors. diff --git a/src/SFML/Audio/ALCheck.hpp b/src/SFML/Audio/ALCheck.hpp index 968278ab..cb6dd5ed 100644 --- a/src/SFML/Audio/ALCheck.hpp +++ b/src/SFML/Audio/ALCheck.hpp @@ -40,18 +40,17 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -/// Let's define a macro to quickly check every OpenAL -/// API calls +/// Let's define a macro to quickly check every OpenAL API calls //////////////////////////////////////////////////////////// #ifdef SFML_DEBUG // If in debug mode, perform a test on every call - #define ALCheck(Func) ((Func), priv::ALCheckError(__FILE__, __LINE__)) + #define alCheck(Func) ((Func), priv::alCheckError(__FILE__, __LINE__)) #else // Else, we don't add any overhead - #define ALCheck(Func) (Func) + #define alCheck(Func) (Func) #endif @@ -63,13 +62,13 @@ namespace priv /// \param line Line number of the source file where the call is located /// //////////////////////////////////////////////////////////// -void ALCheckError(const std::string& file, unsigned int line); +void alCheckError(const std::string& file, unsigned int line); //////////////////////////////////////////////////////////// /// Make sure that OpenAL is initialized /// //////////////////////////////////////////////////////////// -void EnsureALInit(); +void ensureALInit(); } // namespace priv diff --git a/src/SFML/Audio/AudioDevice.cpp b/src/SFML/Audio/AudioDevice.cpp index 57cb3e8c..9030550c 100644 --- a/src/SFML/Audio/AudioDevice.cpp +++ b/src/SFML/Audio/AudioDevice.cpp @@ -26,7 +26,7 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include #include #include @@ -59,12 +59,12 @@ AudioDevice::AudioDevice() } else { - Err() << "Failed to create the audio context" << std::endl; + err() << "Failed to create the audio context" << std::endl; } } else { - Err() << "Failed to open the audio device" << std::endl; + err() << "Failed to open the audio device" << std::endl; } } @@ -84,9 +84,9 @@ AudioDevice::~AudioDevice() //////////////////////////////////////////////////////////// -bool AudioDevice::IsExtensionSupported(const std::string& extension) +bool AudioDevice::isExtensionSupported(const std::string& extension) { - EnsureALInit(); + ensureALInit(); if ((extension.length() > 2) && (extension.substr(0, 3) == "ALC")) return alcIsExtensionPresent(audioDevice, extension.c_str()) != AL_FALSE; @@ -96,9 +96,9 @@ bool AudioDevice::IsExtensionSupported(const std::string& extension) //////////////////////////////////////////////////////////// -int AudioDevice::GetFormatFromChannelCount(unsigned int channelCount) +int AudioDevice::getFormatFromChannelCount(unsigned int channelCount) { - EnsureALInit(); + ensureALInit(); // Find the good format according to the number of channels switch (channelCount) diff --git a/src/SFML/Audio/AudioDevice.hpp b/src/SFML/Audio/AudioDevice.hpp index 5457ab0e..275278ba 100644 --- a/src/SFML/Audio/AudioDevice.hpp +++ b/src/SFML/Audio/AudioDevice.hpp @@ -70,7 +70,7 @@ public : /// \return True if the extension is supported, false if not /// //////////////////////////////////////////////////////////// - static bool IsExtensionSupported(const std::string& extension); + static bool isExtensionSupported(const std::string& extension); //////////////////////////////////////////////////////////// /// \brief Get the OpenAL format that matches the given number of channels @@ -80,7 +80,7 @@ public : /// \return Corresponding format /// //////////////////////////////////////////////////////////// - static int GetFormatFromChannelCount(unsigned int channelCount); + static int getFormatFromChannelCount(unsigned int channelCount); }; } // namespace priv diff --git a/src/SFML/Audio/Listener.cpp b/src/SFML/Audio/Listener.cpp index cc2bc194..cfd89e2e 100644 --- a/src/SFML/Audio/Listener.cpp +++ b/src/SFML/Audio/Listener.cpp @@ -26,84 +26,84 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include namespace sf { //////////////////////////////////////////////////////////// -void Listener::SetGlobalVolume(float volume) +void Listener::setGlobalVolume(float volume) { - priv::EnsureALInit(); + priv::ensureALInit(); - ALCheck(alListenerf(AL_GAIN, volume * 0.01f)); + alCheck(alListenerf(AL_GAIN, volume * 0.01f)); } //////////////////////////////////////////////////////////// -float Listener::GetGlobalVolume() +float Listener::getGlobalVolume() { - priv::EnsureALInit(); + priv::ensureALInit(); float volume = 0.f; - ALCheck(alGetListenerf(AL_GAIN, &volume)); + alCheck(alGetListenerf(AL_GAIN, &volume)); return volume * 100; } //////////////////////////////////////////////////////////// -void Listener::SetPosition(float x, float y, float z) +void Listener::setPosition(float x, float y, float z) { - priv::EnsureALInit(); + priv::ensureALInit(); - ALCheck(alListener3f(AL_POSITION, x, y, z)); + alCheck(alListener3f(AL_POSITION, x, y, z)); } //////////////////////////////////////////////////////////// -void Listener::SetPosition(const Vector3f& position) +void Listener::setPosition(const Vector3f& position) { - SetPosition(position.x, position.y, position.z); + setPosition(position.x, position.y, position.z); } //////////////////////////////////////////////////////////// -Vector3f Listener::GetPosition() +Vector3f Listener::getPosition() { - priv::EnsureALInit(); + priv::ensureALInit(); Vector3f position; - ALCheck(alGetListener3f(AL_POSITION, &position.x, &position.y, &position.z)); + alCheck(alGetListener3f(AL_POSITION, &position.x, &position.y, &position.z)); return position; } //////////////////////////////////////////////////////////// -void Listener::SetDirection(float x, float y, float z) +void Listener::setDirection(float x, float y, float z) { - priv::EnsureALInit(); + priv::ensureALInit(); float orientation[] = {x, y, z, 0.f, 1.f, 0.f}; - ALCheck(alListenerfv(AL_ORIENTATION, orientation)); + alCheck(alListenerfv(AL_ORIENTATION, orientation)); } //////////////////////////////////////////////////////////// -void Listener::SetDirection(const Vector3f& direction) +void Listener::setDirection(const Vector3f& direction) { - SetDirection(direction.x, direction.y, direction.z); + setDirection(direction.x, direction.y, direction.z); } //////////////////////////////////////////////////////////// -Vector3f Listener::GetDirection() +Vector3f Listener::getDirection() { - priv::EnsureALInit(); + priv::ensureALInit(); float orientation[6]; - ALCheck(alGetListenerfv(AL_ORIENTATION, orientation)); + alCheck(alGetListenerfv(AL_ORIENTATION, orientation)); return Vector3f(orientation[0], orientation[1], orientation[2]); } diff --git a/src/SFML/Audio/Music.cpp b/src/SFML/Audio/Music.cpp index bbb9463b..6a1621b2 100644 --- a/src/SFML/Audio/Music.cpp +++ b/src/SFML/Audio/Music.cpp @@ -26,7 +26,7 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include #include #include #include @@ -48,104 +48,104 @@ m_duration() Music::~Music() { // We must stop before destroying the file :) - Stop(); + stop(); delete m_file; } //////////////////////////////////////////////////////////// -bool Music::OpenFromFile(const std::string& filename) +bool Music::openFromFile(const std::string& filename) { // First stop the music if it was already running - Stop(); + stop(); // Open the underlying sound file - if (!m_file->OpenRead(filename)) + if (!m_file->openRead(filename)) return false; // Perform common initializations - Initialize(); + initialize(); return true; } //////////////////////////////////////////////////////////// -bool Music::OpenFromMemory(const void* data, std::size_t sizeInBytes) +bool Music::openFromMemory(const void* data, std::size_t sizeInBytes) { // First stop the music if it was already running - Stop(); + stop(); // Open the underlying sound file - if (!m_file->OpenRead(data, sizeInBytes)) + if (!m_file->openRead(data, sizeInBytes)) return false; // Perform common initializations - Initialize(); + initialize(); return true; } //////////////////////////////////////////////////////////// -bool Music::OpenFromStream(InputStream& stream) +bool Music::openFromStream(InputStream& stream) { // First stop the music if it was already running - Stop(); + stop(); // Open the underlying sound file - if (!m_file->OpenRead(stream)) + if (!m_file->openRead(stream)) return false; // Perform common initializations - Initialize(); + initialize(); return true; } //////////////////////////////////////////////////////////// -Time Music::GetDuration() const +Time Music::getDuration() const { return m_duration; } //////////////////////////////////////////////////////////// -bool Music::OnGetData(SoundStream::Chunk& data) +bool Music::onGetData(SoundStream::Chunk& data) { Lock lock(m_mutex); // Fill the chunk parameters - data.Samples = &m_samples[0]; - data.SampleCount = m_file->Read(&m_samples[0], m_samples.size()); + data.samples = &m_samples[0]; + data.sampleCount = m_file->read(&m_samples[0], m_samples.size()); // Check if we have reached the end of the audio file - return data.SampleCount == m_samples.size(); + return data.sampleCount == m_samples.size(); } //////////////////////////////////////////////////////////// -void Music::OnSeek(Time timeOffset) +void Music::onSeek(Time timeOffset) { Lock lock(m_mutex); - m_file->Seek(timeOffset); + m_file->seek(timeOffset); } //////////////////////////////////////////////////////////// -void Music::Initialize() +void Music::initialize() { // Compute the music duration - m_duration = Seconds(static_cast(m_file->GetSampleCount()) / m_file->GetSampleRate() / m_file->GetChannelCount()); + m_duration = seconds(static_cast(m_file->getSampleCount()) / m_file->getSampleRate() / m_file->getChannelCount()); // Resize the internal buffer so that it can contain 1 second of audio samples - m_samples.resize(m_file->GetSampleRate() * m_file->GetChannelCount()); + m_samples.resize(m_file->getSampleRate() * m_file->getChannelCount()); // Initialize the stream - SoundStream::Initialize(m_file->GetChannelCount(), m_file->GetSampleRate()); + SoundStream::initialize(m_file->getChannelCount(), m_file->getSampleRate()); } } // namespace sf diff --git a/src/SFML/Audio/Sound.cpp b/src/SFML/Audio/Sound.cpp index 9695cd06..acd2b804 100644 --- a/src/SFML/Audio/Sound.cpp +++ b/src/SFML/Audio/Sound.cpp @@ -27,7 +27,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include namespace sf @@ -43,7 +43,7 @@ m_buffer(NULL) Sound::Sound(const SoundBuffer& buffer) : m_buffer(NULL) { - SetBuffer(buffer); + setBuffer(buffer); } @@ -53,103 +53,103 @@ SoundSource(copy), m_buffer (NULL) { if (copy.m_buffer) - SetBuffer(*copy.m_buffer); - SetLoop(copy.GetLoop()); + setBuffer(*copy.m_buffer); + setLoop(copy.getLoop()); } //////////////////////////////////////////////////////////// Sound::~Sound() { - Stop(); + stop(); if (m_buffer) - m_buffer->DetachSound(this); + m_buffer->detachSound(this); } //////////////////////////////////////////////////////////// -void Sound::Play() +void Sound::play() { - ALCheck(alSourcePlay(m_source)); + alCheck(alSourcePlay(m_source)); } //////////////////////////////////////////////////////////// -void Sound::Pause() +void Sound::pause() { - ALCheck(alSourcePause(m_source)); + alCheck(alSourcePause(m_source)); } //////////////////////////////////////////////////////////// -void Sound::Stop() +void Sound::stop() { - ALCheck(alSourceStop(m_source)); + alCheck(alSourceStop(m_source)); } //////////////////////////////////////////////////////////// -void Sound::SetBuffer(const SoundBuffer& buffer) +void Sound::setBuffer(const SoundBuffer& buffer) { // First detach from the previous buffer if (m_buffer) { - Stop(); - m_buffer->DetachSound(this); + stop(); + m_buffer->detachSound(this); } // Assign and use the new buffer m_buffer = &buffer; - m_buffer->AttachSound(this); - ALCheck(alSourcei(m_source, AL_BUFFER, m_buffer->m_buffer)); + m_buffer->attachSound(this); + alCheck(alSourcei(m_source, AL_BUFFER, m_buffer->m_buffer)); } //////////////////////////////////////////////////////////// -void Sound::SetLoop(bool Loop) +void Sound::setLoop(bool Loop) { - ALCheck(alSourcei(m_source, AL_LOOPING, Loop)); + alCheck(alSourcei(m_source, AL_LOOPING, Loop)); } //////////////////////////////////////////////////////////// -void Sound::SetPlayingOffset(Time timeOffset) +void Sound::setPlayingOffset(Time timeOffset) { - ALCheck(alSourcef(m_source, AL_SEC_OFFSET, timeOffset.AsSeconds())); + alCheck(alSourcef(m_source, AL_SEC_OFFSET, timeOffset.asSeconds())); } //////////////////////////////////////////////////////////// -const SoundBuffer* Sound::GetBuffer() const +const SoundBuffer* Sound::getBuffer() const { return m_buffer; } //////////////////////////////////////////////////////////// -bool Sound::GetLoop() const +bool Sound::getLoop() const { ALint loop; - ALCheck(alGetSourcei(m_source, AL_LOOPING, &loop)); + alCheck(alGetSourcei(m_source, AL_LOOPING, &loop)); return loop != 0; } //////////////////////////////////////////////////////////// -Time Sound::GetPlayingOffset() const +Time Sound::getPlayingOffset() const { - ALfloat seconds = 0.f; - ALCheck(alGetSourcef(m_source, AL_SEC_OFFSET, &seconds)); + ALfloat secs = 0.f; + alCheck(alGetSourcef(m_source, AL_SEC_OFFSET, &secs)); - return Seconds(seconds); + return seconds(secs); } //////////////////////////////////////////////////////////// -Sound::Status Sound::GetStatus() const +Sound::Status Sound::getStatus() const { - return SoundSource::GetStatus(); + return SoundSource::getStatus(); } @@ -162,34 +162,34 @@ Sound& Sound::operator =(const Sound& right) // Detach the sound instance from the previous buffer (if any) if (m_buffer) { - Stop(); - m_buffer->DetachSound(this); + stop(); + m_buffer->detachSound(this); m_buffer = NULL; } // Copy the sound attributes if (right.m_buffer) - SetBuffer(*right.m_buffer); - SetLoop(right.GetLoop()); - SetPitch(right.GetPitch()); - SetVolume(right.GetVolume()); - SetPosition(right.GetPosition()); - SetRelativeToListener(right.IsRelativeToListener()); - SetMinDistance(right.GetMinDistance()); - SetAttenuation(right.GetAttenuation()); + setBuffer(*right.m_buffer); + setLoop(right.getLoop()); + setPitch(right.getPitch()); + setVolume(right.getVolume()); + setPosition(right.getPosition()); + setRelativeToListener(right.isRelativeToListener()); + setMinDistance(right.getMinDistance()); + setAttenuation(right.getAttenuation()); return *this; } //////////////////////////////////////////////////////////// -void Sound::ResetBuffer() +void Sound::resetBuffer() { // First stop the sound in case it is playing - Stop(); + stop(); // Detach the buffer - ALCheck(alSourcei(m_source, AL_BUFFER, 0)); + alCheck(alSourcei(m_source, AL_BUFFER, 0)); m_buffer = NULL; } diff --git a/src/SFML/Audio/SoundBuffer.cpp b/src/SFML/Audio/SoundBuffer.cpp index e6ba9b80..1fd3b4eb 100644 --- a/src/SFML/Audio/SoundBuffer.cpp +++ b/src/SFML/Audio/SoundBuffer.cpp @@ -29,7 +29,7 @@ #include #include #include -#include +#include #include #include @@ -41,10 +41,10 @@ SoundBuffer::SoundBuffer() : m_buffer (0), m_duration() { - priv::EnsureALInit(); + priv::ensureALInit(); // Create the buffer - ALCheck(alGenBuffers(1, &m_buffer)); + alCheck(alGenBuffers(1, &m_buffer)); } @@ -56,10 +56,10 @@ m_duration(copy.m_duration), m_sounds () // don't copy the attached sounds { // Create the buffer - ALCheck(alGenBuffers(1, &m_buffer)); + alCheck(alGenBuffers(1, &m_buffer)); // Update the internal buffer with the new samples - Update(copy.GetChannelCount(), copy.GetSampleRate()); + update(copy.getChannelCount(), copy.getSampleRate()); } @@ -68,49 +68,49 @@ SoundBuffer::~SoundBuffer() { // First detach the buffer from the sounds that use it (to avoid OpenAL errors) for (SoundList::const_iterator it = m_sounds.begin(); it != m_sounds.end(); ++it) - (*it)->ResetBuffer(); + (*it)->resetBuffer(); // Destroy the buffer if (m_buffer) - ALCheck(alDeleteBuffers(1, &m_buffer)); + alCheck(alDeleteBuffers(1, &m_buffer)); } //////////////////////////////////////////////////////////// -bool SoundBuffer::LoadFromFile(const std::string& filename) +bool SoundBuffer::loadFromFile(const std::string& filename) { priv::SoundFile file; - if (file.OpenRead(filename)) - return Initialize(file); + if (file.openRead(filename)) + return initialize(file); else return false; } //////////////////////////////////////////////////////////// -bool SoundBuffer::LoadFromMemory(const void* data, std::size_t sizeInBytes) +bool SoundBuffer::loadFromMemory(const void* data, std::size_t sizeInBytes) { priv::SoundFile file; - if (file.OpenRead(data, sizeInBytes)) - return Initialize(file); + if (file.openRead(data, sizeInBytes)) + return initialize(file); else return false; } //////////////////////////////////////////////////////////// -bool SoundBuffer::LoadFromStream(InputStream& stream) +bool SoundBuffer::loadFromStream(InputStream& stream) { priv::SoundFile file; - if (file.OpenRead(stream)) - return Initialize(file); + if (file.openRead(stream)) + return initialize(file); else return false; } //////////////////////////////////////////////////////////// -bool SoundBuffer::LoadFromSamples(const Int16* samples, std::size_t sampleCount, unsigned int channelCount, unsigned int sampleRate) +bool SoundBuffer::loadFromSamples(const Int16* samples, std::size_t sampleCount, unsigned int channelCount, unsigned int sampleRate) { if (samples && sampleCount && channelCount && sampleRate) { @@ -118,12 +118,12 @@ bool SoundBuffer::LoadFromSamples(const Int16* samples, std::size_t sampleCount, m_samples.assign(samples, samples + sampleCount); // Update the internal buffer with the new samples - return Update(channelCount, sampleRate); + return update(channelCount, sampleRate); } else { // Error... - Err() << "Failed to load sound buffer from samples (" + err() << "Failed to load sound buffer from samples (" << "array: " << samples << ", " << "count: " << sampleCount << ", " << "channels: " << channelCount << ", " @@ -136,14 +136,14 @@ bool SoundBuffer::LoadFromSamples(const Int16* samples, std::size_t sampleCount, //////////////////////////////////////////////////////////// -bool SoundBuffer::SaveToFile(const std::string& filename) const +bool SoundBuffer::saveToFile(const std::string& filename) const { // Create the sound file in write mode priv::SoundFile file; - if (file.OpenWrite(filename, GetChannelCount(), GetSampleRate())) + if (file.openWrite(filename, getChannelCount(), getSampleRate())) { // Write the samples to the opened file - file.Write(&m_samples[0], m_samples.size()); + file.write(&m_samples[0], m_samples.size()); return true; } @@ -155,41 +155,41 @@ bool SoundBuffer::SaveToFile(const std::string& filename) const //////////////////////////////////////////////////////////// -const Int16* SoundBuffer::GetSamples() const +const Int16* SoundBuffer::getSamples() const { return m_samples.empty() ? NULL : &m_samples[0]; } //////////////////////////////////////////////////////////// -std::size_t SoundBuffer::GetSampleCount() const +std::size_t SoundBuffer::getSampleCount() const { return m_samples.size(); } //////////////////////////////////////////////////////////// -unsigned int SoundBuffer::GetSampleRate() const +unsigned int SoundBuffer::getSampleRate() const { ALint sampleRate; - ALCheck(alGetBufferi(m_buffer, AL_FREQUENCY, &sampleRate)); + alCheck(alGetBufferi(m_buffer, AL_FREQUENCY, &sampleRate)); return sampleRate; } //////////////////////////////////////////////////////////// -unsigned int SoundBuffer::GetChannelCount() const +unsigned int SoundBuffer::getChannelCount() const { ALint channelCount; - ALCheck(alGetBufferi(m_buffer, AL_CHANNELS, &channelCount)); + alCheck(alGetBufferi(m_buffer, AL_CHANNELS, &channelCount)); return channelCount; } //////////////////////////////////////////////////////////// -Time SoundBuffer::GetDuration() const +Time SoundBuffer::getDuration() const { return m_duration; } @@ -210,19 +210,19 @@ SoundBuffer& SoundBuffer::operator =(const SoundBuffer& right) //////////////////////////////////////////////////////////// -bool SoundBuffer::Initialize(priv::SoundFile& file) +bool SoundBuffer::initialize(priv::SoundFile& file) { // Retrieve the sound parameters - std::size_t sampleCount = file.GetSampleCount(); - unsigned int channelCount = file.GetChannelCount(); - unsigned int sampleRate = file.GetSampleRate(); + std::size_t sampleCount = file.getSampleCount(); + unsigned int channelCount = file.getChannelCount(); + unsigned int sampleRate = file.getSampleRate(); // Read the samples from the provided file m_samples.resize(sampleCount); - if (file.Read(&m_samples[0], sampleCount) == sampleCount) + if (file.read(&m_samples[0], sampleCount) == sampleCount) { // Update the internal buffer with the new samples - return Update(channelCount, sampleRate); + return update(channelCount, sampleRate); } else { @@ -232,42 +232,42 @@ bool SoundBuffer::Initialize(priv::SoundFile& file) //////////////////////////////////////////////////////////// -bool SoundBuffer::Update(unsigned int channelCount, unsigned int sampleRate) +bool SoundBuffer::update(unsigned int channelCount, unsigned int sampleRate) { // Check parameters if (!channelCount || !sampleRate || m_samples.empty()) return false; // Find the good format according to the number of channels - ALenum format = priv::AudioDevice::GetFormatFromChannelCount(channelCount); + ALenum format = priv::AudioDevice::getFormatFromChannelCount(channelCount); // Check if the format is valid if (format == 0) { - Err() << "Failed to load sound buffer (unsupported number of channels: " << channelCount << ")" << std::endl; + err() << "Failed to load sound buffer (unsupported number of channels: " << channelCount << ")" << std::endl; return false; } // Fill the buffer ALsizei size = static_cast(m_samples.size()) * sizeof(Int16); - ALCheck(alBufferData(m_buffer, format, &m_samples[0], size, sampleRate)); + alCheck(alBufferData(m_buffer, format, &m_samples[0], size, sampleRate)); // Compute the duration - m_duration = Milliseconds(1000 * m_samples.size() / sampleRate / channelCount); + m_duration = milliseconds(1000 * m_samples.size() / sampleRate / channelCount); return true; } //////////////////////////////////////////////////////////// -void SoundBuffer::AttachSound(Sound* sound) const +void SoundBuffer::attachSound(Sound* sound) const { m_sounds.insert(sound); } //////////////////////////////////////////////////////////// -void SoundBuffer::DetachSound(Sound* sound) const +void SoundBuffer::detachSound(Sound* sound) const { m_sounds.erase(sound); } diff --git a/src/SFML/Audio/SoundBufferRecorder.cpp b/src/SFML/Audio/SoundBufferRecorder.cpp index b56df7c5..553d422a 100644 --- a/src/SFML/Audio/SoundBufferRecorder.cpp +++ b/src/SFML/Audio/SoundBufferRecorder.cpp @@ -33,7 +33,7 @@ namespace sf { //////////////////////////////////////////////////////////// -bool SoundBufferRecorder::OnStart() +bool SoundBufferRecorder::onStart() { m_samples.clear(); m_buffer = SoundBuffer(); @@ -43,7 +43,7 @@ bool SoundBufferRecorder::OnStart() //////////////////////////////////////////////////////////// -bool SoundBufferRecorder::OnProcessSamples(const Int16* samples, std::size_t sampleCount) +bool SoundBufferRecorder::onProcessSamples(const Int16* samples, std::size_t sampleCount) { std::copy(samples, samples + sampleCount, std::back_inserter(m_samples)); @@ -52,15 +52,15 @@ bool SoundBufferRecorder::OnProcessSamples(const Int16* samples, std::size_t sam //////////////////////////////////////////////////////////// -void SoundBufferRecorder::OnStop() +void SoundBufferRecorder::onStop() { if (!m_samples.empty()) - m_buffer.LoadFromSamples(&m_samples[0], m_samples.size(), 1, GetSampleRate()); + m_buffer.loadFromSamples(&m_samples[0], m_samples.size(), 1, getSampleRate()); } //////////////////////////////////////////////////////////// -const SoundBuffer& SoundBufferRecorder::GetBuffer() const +const SoundBuffer& SoundBufferRecorder::getBuffer() const { return m_buffer; } diff --git a/src/SFML/Audio/SoundFile.cpp b/src/SFML/Audio/SoundFile.cpp index 145e7e01..1c4980a5 100644 --- a/src/SFML/Audio/SoundFile.cpp +++ b/src/SFML/Audio/SoundFile.cpp @@ -35,7 +35,7 @@ namespace { // Convert a string to lower case - std::string ToLower(std::string str) + std::string toLower(std::string str) { for (std::string::iterator i = str.begin(); i != str.end(); ++i) *i = static_cast(std::tolower(*i)); @@ -68,28 +68,28 @@ SoundFile::~SoundFile() //////////////////////////////////////////////////////////// -std::size_t SoundFile::GetSampleCount() const +std::size_t SoundFile::getSampleCount() const { return m_sampleCount; } //////////////////////////////////////////////////////////// -unsigned int SoundFile::GetChannelCount() const +unsigned int SoundFile::getChannelCount() const { return m_channelCount; } //////////////////////////////////////////////////////////// -unsigned int SoundFile::GetSampleRate() const +unsigned int SoundFile::getSampleRate() const { return m_sampleRate; } //////////////////////////////////////////////////////////// -bool SoundFile::OpenRead(const std::string& filename) +bool SoundFile::openRead(const std::string& filename) { // If the file is already opened, first close it if (m_file) @@ -100,7 +100,7 @@ bool SoundFile::OpenRead(const std::string& filename) m_file = sf_open(filename.c_str(), SFM_READ, &fileInfos); if (!m_file) { - Err() << "Failed to open sound file \"" << filename << "\" (" << sf_strerror(m_file) << ")" << std::endl; + err() << "Failed to open sound file \"" << filename << "\" (" << sf_strerror(m_file) << ")" << std::endl; return false; } @@ -114,7 +114,7 @@ bool SoundFile::OpenRead(const std::string& filename) //////////////////////////////////////////////////////////// -bool SoundFile::OpenRead(const void* data, std::size_t sizeInBytes) +bool SoundFile::openRead(const void* data, std::size_t sizeInBytes) { // If the file is already opened, first close it if (m_file) @@ -122,10 +122,10 @@ bool SoundFile::OpenRead(const void* data, std::size_t sizeInBytes) // Prepare the memory I/O structure SF_VIRTUAL_IO io; - io.get_filelen = &Memory::GetLength; - io.read = &Memory::Read; - io.seek = &Memory::Seek; - io.tell = &Memory::Tell; + io.get_filelen = &Memory::getLength; + io.read = &Memory::read; + io.seek = &Memory::seek; + io.tell = &Memory::tell; // Initialize the memory data m_memory.DataStart = static_cast(data); @@ -137,7 +137,7 @@ bool SoundFile::OpenRead(const void* data, std::size_t sizeInBytes) m_file = sf_open_virtual(&io, SFM_READ, &fileInfos, &m_memory); if (!m_file) { - Err() << "Failed to open sound file from memory (" << sf_strerror(m_file) << ")" << std::endl; + err() << "Failed to open sound file from memory (" << sf_strerror(m_file) << ")" << std::endl; return false; } @@ -151,7 +151,7 @@ bool SoundFile::OpenRead(const void* data, std::size_t sizeInBytes) //////////////////////////////////////////////////////////// -bool SoundFile::OpenRead(InputStream& stream) +bool SoundFile::openRead(InputStream& stream) { // If the file is already opened, first close it if (m_file) @@ -159,17 +159,17 @@ bool SoundFile::OpenRead(InputStream& stream) // Prepare the memory I/O structure SF_VIRTUAL_IO io; - io.get_filelen = &Stream::GetLength; - io.read = &Stream::Read; - io.seek = &Stream::Seek; - io.tell = &Stream::Tell; + io.get_filelen = &Stream::getLength; + io.read = &Stream::read; + io.seek = &Stream::seek; + io.tell = &Stream::tell; // Open the sound file SF_INFO fileInfos; m_file = sf_open_virtual(&io, SFM_READ, &fileInfos, &stream); if (!m_file) { - Err() << "Failed to open sound file from stream (" << sf_strerror(m_file) << ")" << std::endl; + err() << "Failed to open sound file from stream (" << sf_strerror(m_file) << ")" << std::endl; return false; } @@ -183,18 +183,18 @@ bool SoundFile::OpenRead(InputStream& stream) //////////////////////////////////////////////////////////// -bool SoundFile::OpenWrite(const std::string& filename, unsigned int channelCount, unsigned int sampleRate) +bool SoundFile::openWrite(const std::string& filename, unsigned int channelCount, unsigned int sampleRate) { // If the file is already opened, first close it if (m_file) sf_close(m_file); // Find the right format according to the file extension - int format = GetFormatFromFilename(filename); + int format = getFormatFromFilename(filename); if (format == -1) { // Error : unrecognized extension - Err() << "Failed to create sound file \"" << filename << "\" (unknown format)" << std::endl; + err() << "Failed to create sound file \"" << filename << "\" (unknown format)" << std::endl; return false; } @@ -208,7 +208,7 @@ bool SoundFile::OpenWrite(const std::string& filename, unsigned int channelCount m_file = sf_open(filename.c_str(), SFM_WRITE, &fileInfos); if (!m_file) { - Err() << "Failed to create sound file \"" << filename << "\" (" << sf_strerror(m_file) << ")" << std::endl; + err() << "Failed to create sound file \"" << filename << "\" (" << sf_strerror(m_file) << ")" << std::endl; return false; } @@ -222,7 +222,7 @@ bool SoundFile::OpenWrite(const std::string& filename, unsigned int channelCount //////////////////////////////////////////////////////////// -std::size_t SoundFile::Read(Int16* data, std::size_t sampleCount) +std::size_t SoundFile::read(Int16* data, std::size_t sampleCount) { if (m_file && data && sampleCount) return static_cast(sf_read_short(m_file, data, sampleCount)); @@ -232,7 +232,7 @@ std::size_t SoundFile::Read(Int16* data, std::size_t sampleCount) //////////////////////////////////////////////////////////// -void SoundFile::Write(const Int16* data, std::size_t sampleCount) +void SoundFile::write(const Int16* data, std::size_t sampleCount) { if (m_file && data && sampleCount) { @@ -250,18 +250,18 @@ void SoundFile::Write(const Int16* data, std::size_t sampleCount) //////////////////////////////////////////////////////////// -void SoundFile::Seek(Time timeOffset) +void SoundFile::seek(Time timeOffset) { if (m_file) { - sf_count_t frameOffset = static_cast(timeOffset.AsSeconds() * m_sampleRate); + sf_count_t frameOffset = static_cast(timeOffset.asSeconds() * m_sampleRate); sf_seek(m_file, frameOffset, SEEK_SET); } } //////////////////////////////////////////////////////////// -int SoundFile::GetFormatFromFilename(const std::string& filename) +int SoundFile::getFormatFromFilename(const std::string& filename) { // Extract the extension std::string ext = "wav"; @@ -270,38 +270,38 @@ int SoundFile::GetFormatFromFilename(const std::string& filename) ext = filename.substr(pos + 1); // Match every supported extension with its format constant - if (ToLower(ext) == "wav" ) return SF_FORMAT_WAV; - if (ToLower(ext) == "aif" ) return SF_FORMAT_AIFF; - if (ToLower(ext) == "aiff" ) return SF_FORMAT_AIFF; - if (ToLower(ext) == "au" ) return SF_FORMAT_AU; - if (ToLower(ext) == "raw" ) return SF_FORMAT_RAW; - if (ToLower(ext) == "paf" ) return SF_FORMAT_PAF; - if (ToLower(ext) == "svx" ) return SF_FORMAT_SVX; - if (ToLower(ext) == "nist" ) return SF_FORMAT_NIST; - if (ToLower(ext) == "voc" ) return SF_FORMAT_VOC; - if (ToLower(ext) == "sf" ) return SF_FORMAT_IRCAM; - if (ToLower(ext) == "w64" ) return SF_FORMAT_W64; - if (ToLower(ext) == "mat4" ) return SF_FORMAT_MAT4; - if (ToLower(ext) == "mat5" ) return SF_FORMAT_MAT5; - if (ToLower(ext) == "pvf" ) return SF_FORMAT_PVF; - if (ToLower(ext) == "xi" ) return SF_FORMAT_XI; - if (ToLower(ext) == "htk" ) return SF_FORMAT_HTK; - if (ToLower(ext) == "sds" ) return SF_FORMAT_SDS; - if (ToLower(ext) == "avr" ) return SF_FORMAT_AVR; - if (ToLower(ext) == "sd2" ) return SF_FORMAT_SD2; - if (ToLower(ext) == "flac" ) return SF_FORMAT_FLAC; - if (ToLower(ext) == "caf" ) return SF_FORMAT_CAF; - if (ToLower(ext) == "wve" ) return SF_FORMAT_WVE; - if (ToLower(ext) == "ogg" ) return SF_FORMAT_OGG; - if (ToLower(ext) == "mpc2k") return SF_FORMAT_MPC2K; - if (ToLower(ext) == "rf64" ) return SF_FORMAT_RF64; + if (toLower(ext) == "wav" ) return SF_FORMAT_WAV; + if (toLower(ext) == "aif" ) return SF_FORMAT_AIFF; + if (toLower(ext) == "aiff" ) return SF_FORMAT_AIFF; + if (toLower(ext) == "au" ) return SF_FORMAT_AU; + if (toLower(ext) == "raw" ) return SF_FORMAT_RAW; + if (toLower(ext) == "paf" ) return SF_FORMAT_PAF; + if (toLower(ext) == "svx" ) return SF_FORMAT_SVX; + if (toLower(ext) == "nist" ) return SF_FORMAT_NIST; + if (toLower(ext) == "voc" ) return SF_FORMAT_VOC; + if (toLower(ext) == "sf" ) return SF_FORMAT_IRCAM; + if (toLower(ext) == "w64" ) return SF_FORMAT_W64; + if (toLower(ext) == "mat4" ) return SF_FORMAT_MAT4; + if (toLower(ext) == "mat5" ) return SF_FORMAT_MAT5; + if (toLower(ext) == "pvf" ) return SF_FORMAT_PVF; + if (toLower(ext) == "xi" ) return SF_FORMAT_XI; + if (toLower(ext) == "htk" ) return SF_FORMAT_HTK; + if (toLower(ext) == "sds" ) return SF_FORMAT_SDS; + if (toLower(ext) == "avr" ) return SF_FORMAT_AVR; + if (toLower(ext) == "sd2" ) return SF_FORMAT_SD2; + if (toLower(ext) == "flac" ) return SF_FORMAT_FLAC; + if (toLower(ext) == "caf" ) return SF_FORMAT_CAF; + if (toLower(ext) == "wve" ) return SF_FORMAT_WVE; + if (toLower(ext) == "ogg" ) return SF_FORMAT_OGG; + if (toLower(ext) == "mpc2k") return SF_FORMAT_MPC2K; + if (toLower(ext) == "rf64" ) return SF_FORMAT_RF64; return -1; } //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Memory::GetLength(void* user) +sf_count_t SoundFile::Memory::getLength(void* user) { Memory* memory = static_cast(user); return memory->TotalSize; @@ -309,7 +309,7 @@ sf_count_t SoundFile::Memory::GetLength(void* user) //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Memory::Read(void* ptr, sf_count_t count, void* user) +sf_count_t SoundFile::Memory::read(void* ptr, sf_count_t count, void* user) { Memory* memory = static_cast(user); @@ -324,7 +324,7 @@ sf_count_t SoundFile::Memory::Read(void* ptr, sf_count_t count, void* user) //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Memory::Seek(sf_count_t offset, int whence, void* user) +sf_count_t SoundFile::Memory::seek(sf_count_t offset, int whence, void* user) { Memory* memory = static_cast(user); sf_count_t position = 0; @@ -347,7 +347,7 @@ sf_count_t SoundFile::Memory::Seek(sf_count_t offset, int whence, void* user) //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Memory::Tell(void* user) +sf_count_t SoundFile::Memory::tell(void* user) { Memory* memory = static_cast(user); return memory->DataPtr - memory->DataStart; @@ -355,40 +355,40 @@ sf_count_t SoundFile::Memory::Tell(void* user) //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Stream::GetLength(void* userData) +sf_count_t SoundFile::Stream::getLength(void* userData) { sf::InputStream* stream = static_cast(userData); - return stream->GetSize(); + return stream->getSize(); } //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Stream::Read(void* ptr, sf_count_t count, void* userData) +sf_count_t SoundFile::Stream::read(void* ptr, sf_count_t count, void* userData) { sf::InputStream* stream = static_cast(userData); - return stream->Read(reinterpret_cast(ptr), count); + return stream->read(reinterpret_cast(ptr), count); } //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Stream::Seek(sf_count_t offset, int whence, void* userData) +sf_count_t SoundFile::Stream::seek(sf_count_t offset, int whence, void* userData) { sf::InputStream* stream = static_cast(userData); switch (whence) { - case SEEK_SET : return stream->Seek(offset); - case SEEK_CUR : return stream->Seek(stream->Tell() + offset); - case SEEK_END : return stream->Seek(stream->GetSize() - offset); - default : return stream->Seek(0); + case SEEK_SET : return stream->seek(offset); + case SEEK_CUR : return stream->seek(stream->tell() + offset); + case SEEK_END : return stream->seek(stream->getSize() - offset); + default : return stream->seek(0); } } //////////////////////////////////////////////////////////// -sf_count_t SoundFile::Stream::Tell(void* userData) +sf_count_t SoundFile::Stream::tell(void* userData) { sf::InputStream* stream = static_cast(userData); - return stream->Tell(); + return stream->tell(); } } // namespace priv diff --git a/src/SFML/Audio/SoundFile.hpp b/src/SFML/Audio/SoundFile.hpp index 3fbe4a12..a3a89721 100644 --- a/src/SFML/Audio/SoundFile.hpp +++ b/src/SFML/Audio/SoundFile.hpp @@ -66,7 +66,7 @@ public : /// \return Number of samples /// //////////////////////////////////////////////////////////// - std::size_t GetSampleCount() const; + std::size_t getSampleCount() const; //////////////////////////////////////////////////////////// /// \brief Get the number of channels used by the sound @@ -74,7 +74,7 @@ public : /// \return Number of channels (1 = mono, 2 = stereo) /// //////////////////////////////////////////////////////////// - unsigned int GetChannelCount() const; + unsigned int getChannelCount() const; //////////////////////////////////////////////////////////// /// \brief Get the sample rate of the sound @@ -82,7 +82,7 @@ public : /// \return Sample rate, in samples per second /// //////////////////////////////////////////////////////////// - unsigned int GetSampleRate() const; + unsigned int getSampleRate() const; //////////////////////////////////////////////////////////// /// \brief Open a sound file for reading @@ -92,7 +92,7 @@ public : /// \return True if the file was successfully opened /// //////////////////////////////////////////////////////////// - bool OpenRead(const std::string& filename); + bool openRead(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Open a sound file in memory for reading @@ -103,7 +103,7 @@ public : /// \return True if the file was successfully opened /// //////////////////////////////////////////////////////////// - bool OpenRead(const void* data, std::size_t sizeInBytes); + bool openRead(const void* data, std::size_t sizeInBytes); //////////////////////////////////////////////////////////// /// \brief Open a sound file from a custom stream for reading @@ -113,7 +113,7 @@ public : /// \return True if the file was successfully opened /// //////////////////////////////////////////////////////////// - bool OpenRead(InputStream& stream); + bool openRead(InputStream& stream); //////////////////////////////////////////////////////////// /// \brief a the sound file for writing @@ -125,7 +125,7 @@ public : /// \return True if the file was successfully opened /// //////////////////////////////////////////////////////////// - bool OpenWrite(const std::string& filename, unsigned int channelCount, unsigned int sampleRate); + bool openWrite(const std::string& filename, unsigned int channelCount, unsigned int sampleRate); //////////////////////////////////////////////////////////// /// \brief Read audio samples from the loaded sound @@ -136,7 +136,7 @@ public : /// \return Number of samples actually read (may be less than \a sampleCount) /// //////////////////////////////////////////////////////////// - std::size_t Read(Int16* data, std::size_t sampleCount); + std::size_t read(Int16* data, std::size_t sampleCount); //////////////////////////////////////////////////////////// /// \brief Write audio samples to the file @@ -145,7 +145,7 @@ public : /// \param sampleCount Number of samples to write /// //////////////////////////////////////////////////////////// - void Write(const Int16* data, std::size_t sampleCount); + void write(const Int16* data, std::size_t sampleCount); //////////////////////////////////////////////////////////// /// \brief Change the current read position in the file @@ -153,7 +153,7 @@ public : /// \param timeOffset New playing position, from the beginning of the file /// //////////////////////////////////////////////////////////// - void Seek(Time timeOffset); + void seek(Time timeOffset); private : @@ -166,7 +166,7 @@ private : /// \return Internal format matching the filename (-1 if no match) /// //////////////////////////////////////////////////////////// - static int GetFormatFromFilename(const std::string& filename); + static int getFormatFromFilename(const std::string& filename); //////////////////////////////////////////////////////////// /// \brief Data and callbacks for opening from memory @@ -178,10 +178,10 @@ private : const char* DataPtr; sf_count_t TotalSize; - static sf_count_t GetLength(void* user); - static sf_count_t Read(void* ptr, sf_count_t count, void* user); - static sf_count_t Seek(sf_count_t offset, int whence, void* user); - static sf_count_t Tell(void* user); + static sf_count_t getLength(void* user); + static sf_count_t read(void* ptr, sf_count_t count, void* user); + static sf_count_t seek(sf_count_t offset, int whence, void* user); + static sf_count_t tell(void* user); }; //////////////////////////////////////////////////////////// @@ -190,10 +190,10 @@ private : //////////////////////////////////////////////////////////// struct Stream { - static sf_count_t GetLength(void* user); - static sf_count_t Read(void* ptr, sf_count_t count, void* user); - static sf_count_t Seek(sf_count_t offset, int whence, void* user); - static sf_count_t Tell(void* user); + static sf_count_t getLength(void* user); + static sf_count_t read(void* ptr, sf_count_t count, void* user); + static sf_count_t seek(sf_count_t offset, int whence, void* user); + static sf_count_t tell(void* user); }; //////////////////////////////////////////////////////////// diff --git a/src/SFML/Audio/SoundRecorder.cpp b/src/SFML/Audio/SoundRecorder.cpp index 7b935a4f..87ba66ef 100644 --- a/src/SFML/Audio/SoundRecorder.cpp +++ b/src/SFML/Audio/SoundRecorder.cpp @@ -27,7 +27,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include #include #include @@ -45,11 +45,11 @@ namespace sf { //////////////////////////////////////////////////////////// SoundRecorder::SoundRecorder() : -m_thread (&SoundRecorder::Record, this), +m_thread (&SoundRecorder::record, this), m_sampleRate (0), m_isCapturing(false) { - priv::EnsureALInit(); + priv::ensureALInit(); } @@ -61,19 +61,19 @@ SoundRecorder::~SoundRecorder() //////////////////////////////////////////////////////////// -void SoundRecorder::Start(unsigned int sampleRate) +void SoundRecorder::start(unsigned int sampleRate) { // Check if the device can do audio capture - if (!IsAvailable()) + if (!isAvailable()) { - Err() << "Failed to start capture : your system cannot capture audio data (call SoundRecorder::IsAvailable to check it)" << std::endl; + err() << "Failed to start capture : your system cannot capture audio data (call SoundRecorder::IsAvailable to check it)" << std::endl; return; } // Check that another capture is not already running if (captureDevice) { - Err() << "Trying to start audio capture, but another capture is already running" << std::endl; + err() << "Trying to start audio capture, but another capture is already running" << std::endl; return; } @@ -81,7 +81,7 @@ void SoundRecorder::Start(unsigned int sampleRate) captureDevice = alcCaptureOpenDevice(NULL, sampleRate, AL_FORMAT_MONO16, sampleRate); if (!captureDevice) { - Err() << "Failed to open the audio capture device" << std::endl; + err() << "Failed to open the audio capture device" << std::endl; return; } @@ -92,44 +92,44 @@ void SoundRecorder::Start(unsigned int sampleRate) m_sampleRate = sampleRate; // Notify derived class - if (OnStart()) + if (onStart()) { // Start the capture alcCaptureStart(captureDevice); // Start the capture in a new thread, to avoid blocking the main thread m_isCapturing = true; - m_thread.Launch(); + m_thread.launch(); } } //////////////////////////////////////////////////////////// -void SoundRecorder::Stop() +void SoundRecorder::stop() { // Stop the capturing thread m_isCapturing = false; - m_thread.Wait(); + m_thread.wait(); } //////////////////////////////////////////////////////////// -unsigned int SoundRecorder::GetSampleRate() const +unsigned int SoundRecorder::getSampleRate() const { return m_sampleRate; } //////////////////////////////////////////////////////////// -bool SoundRecorder::IsAvailable() +bool SoundRecorder::isAvailable() { - return (priv::AudioDevice::IsExtensionSupported("ALC_EXT_CAPTURE") != AL_FALSE) || - (priv::AudioDevice::IsExtensionSupported("ALC_EXT_capture") != AL_FALSE); // "bug" in Mac OS X 10.5 and 10.6 + return (priv::AudioDevice::isExtensionSupported("ALC_EXT_CAPTURE") != AL_FALSE) || + (priv::AudioDevice::isExtensionSupported("ALC_EXT_capture") != AL_FALSE); // "bug" in Mac OS X 10.5 and 10.6 } //////////////////////////////////////////////////////////// -bool SoundRecorder::OnStart() +bool SoundRecorder::onStart() { // Nothing to do return true; @@ -137,34 +137,34 @@ bool SoundRecorder::OnStart() //////////////////////////////////////////////////////////// -void SoundRecorder::OnStop() +void SoundRecorder::onStop() { // Nothing to do } //////////////////////////////////////////////////////////// -void SoundRecorder::Record() +void SoundRecorder::record() { while (m_isCapturing) { // Process available samples - ProcessCapturedSamples(); + processCapturedSamples(); // Don't bother the CPU while waiting for more captured data - Sleep(Milliseconds(100)); + sleep(milliseconds(100)); } // Capture is finished : clean up everything - CleanUp(); + cleanup(); // Notify derived class - OnStop(); + onStop(); } //////////////////////////////////////////////////////////// -void SoundRecorder::ProcessCapturedSamples() +void SoundRecorder::processCapturedSamples() { // Get the number of samples available ALCint samplesAvailable; @@ -177,7 +177,7 @@ void SoundRecorder::ProcessCapturedSamples() alcCaptureSamples(captureDevice, &m_samples[0], samplesAvailable); // Forward them to the derived class - if (!OnProcessSamples(&m_samples[0], m_samples.size())) + if (!onProcessSamples(&m_samples[0], m_samples.size())) { // The user wants to stop the capture m_isCapturing = false; @@ -187,13 +187,13 @@ void SoundRecorder::ProcessCapturedSamples() //////////////////////////////////////////////////////////// -void SoundRecorder::CleanUp() +void SoundRecorder::cleanup() { // Stop the capture alcCaptureStop(captureDevice); // Get the samples left in the buffer - ProcessCapturedSamples(); + processCapturedSamples(); // Close the device alcCaptureCloseDevice(captureDevice); diff --git a/src/SFML/Audio/SoundSource.cpp b/src/SFML/Audio/SoundSource.cpp index e8ca0996..274f3206 100644 --- a/src/SFML/Audio/SoundSource.cpp +++ b/src/SFML/Audio/SoundSource.cpp @@ -26,7 +26,7 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include namespace sf @@ -34,151 +34,151 @@ namespace sf //////////////////////////////////////////////////////////// SoundSource::SoundSource() { - priv::EnsureALInit(); + priv::ensureALInit(); - ALCheck(alGenSources(1, &m_source)); - ALCheck(alSourcei(m_source, AL_BUFFER, 0)); + alCheck(alGenSources(1, &m_source)); + alCheck(alSourcei(m_source, AL_BUFFER, 0)); } //////////////////////////////////////////////////////////// SoundSource::SoundSource(const SoundSource& copy) { - priv::EnsureALInit(); + priv::ensureALInit(); - ALCheck(alGenSources(1, &m_source)); - ALCheck(alSourcei(m_source, AL_BUFFER, 0)); + alCheck(alGenSources(1, &m_source)); + alCheck(alSourcei(m_source, AL_BUFFER, 0)); - SetPitch(copy.GetPitch()); - SetVolume(copy.GetVolume()); - SetPosition(copy.GetPosition()); - SetRelativeToListener(copy.IsRelativeToListener()); - SetMinDistance(copy.GetMinDistance()); - SetAttenuation(copy.GetAttenuation()); + setPitch(copy.getPitch()); + setVolume(copy.getVolume()); + setPosition(copy.getPosition()); + setRelativeToListener(copy.isRelativeToListener()); + setMinDistance(copy.getMinDistance()); + setAttenuation(copy.getAttenuation()); } //////////////////////////////////////////////////////////// SoundSource::~SoundSource() { - ALCheck(alSourcei(m_source, AL_BUFFER, 0)); - ALCheck(alDeleteSources(1, &m_source)); + alCheck(alSourcei(m_source, AL_BUFFER, 0)); + alCheck(alDeleteSources(1, &m_source)); } //////////////////////////////////////////////////////////// -void SoundSource::SetPitch(float pitch) +void SoundSource::setPitch(float pitch) { - ALCheck(alSourcef(m_source, AL_PITCH, pitch)); + alCheck(alSourcef(m_source, AL_PITCH, pitch)); } //////////////////////////////////////////////////////////// -void SoundSource::SetVolume(float volume) +void SoundSource::setVolume(float volume) { - ALCheck(alSourcef(m_source, AL_GAIN, volume * 0.01f)); + alCheck(alSourcef(m_source, AL_GAIN, volume * 0.01f)); } //////////////////////////////////////////////////////////// -void SoundSource::SetPosition(float x, float y, float z) +void SoundSource::setPosition(float x, float y, float z) { - ALCheck(alSource3f(m_source, AL_POSITION, x, y, z)); + alCheck(alSource3f(m_source, AL_POSITION, x, y, z)); } //////////////////////////////////////////////////////////// -void SoundSource::SetPosition(const Vector3f& position) +void SoundSource::setPosition(const Vector3f& position) { - SetPosition(position.x, position.y, position.z); + setPosition(position.x, position.y, position.z); } //////////////////////////////////////////////////////////// -void SoundSource::SetRelativeToListener(bool relative) +void SoundSource::setRelativeToListener(bool relative) { - ALCheck(alSourcei(m_source, AL_SOURCE_RELATIVE, relative)); + alCheck(alSourcei(m_source, AL_SOURCE_RELATIVE, relative)); } //////////////////////////////////////////////////////////// -void SoundSource::SetMinDistance(float distance) +void SoundSource::setMinDistance(float distance) { - ALCheck(alSourcef(m_source, AL_REFERENCE_DISTANCE, distance)); + alCheck(alSourcef(m_source, AL_REFERENCE_DISTANCE, distance)); } //////////////////////////////////////////////////////////// -void SoundSource::SetAttenuation(float attenuation) +void SoundSource::setAttenuation(float attenuation) { - ALCheck(alSourcef(m_source, AL_ROLLOFF_FACTOR, attenuation)); + alCheck(alSourcef(m_source, AL_ROLLOFF_FACTOR, attenuation)); } //////////////////////////////////////////////////////////// -float SoundSource::GetPitch() const +float SoundSource::getPitch() const { ALfloat pitch; - ALCheck(alGetSourcef(m_source, AL_PITCH, &pitch)); + alCheck(alGetSourcef(m_source, AL_PITCH, &pitch)); return pitch; } //////////////////////////////////////////////////////////// -float SoundSource::GetVolume() const +float SoundSource::getVolume() const { ALfloat gain; - ALCheck(alGetSourcef(m_source, AL_GAIN, &gain)); + alCheck(alGetSourcef(m_source, AL_GAIN, &gain)); return gain * 100.f; } //////////////////////////////////////////////////////////// -Vector3f SoundSource::GetPosition() const +Vector3f SoundSource::getPosition() const { Vector3f position; - ALCheck(alGetSource3f(m_source, AL_POSITION, &position.x, &position.y, &position.z)); + alCheck(alGetSource3f(m_source, AL_POSITION, &position.x, &position.y, &position.z)); return position; } //////////////////////////////////////////////////////////// -bool SoundSource::IsRelativeToListener() const +bool SoundSource::isRelativeToListener() const { ALint relative; - ALCheck(alGetSourcei(m_source, AL_SOURCE_RELATIVE, &relative)); + alCheck(alGetSourcei(m_source, AL_SOURCE_RELATIVE, &relative)); return relative != 0; } //////////////////////////////////////////////////////////// -float SoundSource::GetMinDistance() const +float SoundSource::getMinDistance() const { ALfloat distance; - ALCheck(alGetSourcef(m_source, AL_REFERENCE_DISTANCE, &distance)); + alCheck(alGetSourcef(m_source, AL_REFERENCE_DISTANCE, &distance)); return distance; } //////////////////////////////////////////////////////////// -float SoundSource::GetAttenuation() const +float SoundSource::getAttenuation() const { ALfloat attenuation; - ALCheck(alGetSourcef(m_source, AL_ROLLOFF_FACTOR, &attenuation)); + alCheck(alGetSourcef(m_source, AL_ROLLOFF_FACTOR, &attenuation)); return attenuation; } //////////////////////////////////////////////////////////// -SoundSource::Status SoundSource::GetStatus() const +SoundSource::Status SoundSource::getStatus() const { ALint status; - ALCheck(alGetSourcei(m_source, AL_SOURCE_STATE, &status)); + alCheck(alGetSourcei(m_source, AL_SOURCE_STATE, &status)); switch (status) { diff --git a/src/SFML/Audio/SoundStream.cpp b/src/SFML/Audio/SoundStream.cpp index 469c0102..b6797418 100644 --- a/src/SFML/Audio/SoundStream.cpp +++ b/src/SFML/Audio/SoundStream.cpp @@ -27,7 +27,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include #include #include @@ -40,7 +40,7 @@ namespace sf { //////////////////////////////////////////////////////////// SoundStream::SoundStream() : -m_thread (&SoundStream::Stream, this), +m_thread (&SoundStream::stream, this), m_isStreaming (false), m_channelCount (0), m_sampleRate (0), @@ -56,92 +56,92 @@ m_samplesProcessed(0) SoundStream::~SoundStream() { // Stop the sound if it was playing - Stop(); + stop(); } //////////////////////////////////////////////////////////// -void SoundStream::Initialize(unsigned int channelCount, unsigned int sampleRate) +void SoundStream::initialize(unsigned int channelCount, unsigned int sampleRate) { m_channelCount = channelCount; m_sampleRate = sampleRate; // Deduce the format from the number of channels - m_format = priv::AudioDevice::GetFormatFromChannelCount(channelCount); + m_format = priv::AudioDevice::getFormatFromChannelCount(channelCount); // Check if the format is valid if (m_format == 0) { m_channelCount = 0; m_sampleRate = 0; - Err() << "Unsupported number of channels (" << m_channelCount << ")" << std::endl; + err() << "Unsupported number of channels (" << m_channelCount << ")" << std::endl; } } //////////////////////////////////////////////////////////// -void SoundStream::Play() +void SoundStream::play() { // Check if the sound parameters have been set if (m_format == 0) { - Err() << "Failed to play audio stream: sound parameters have not been initialized (call Initialize first)" << std::endl; + err() << "Failed to play audio stream: sound parameters have not been initialized (call Initialize first)" << std::endl; return; } // If the sound is already playing (probably paused), just resume it if (m_isStreaming) { - ALCheck(alSourcePlay(m_source)); + alCheck(alSourcePlay(m_source)); return; } // Move to the beginning - OnSeek(Time::Zero); + onSeek(Time::Zero); // Start updating the stream in a separate thread to avoid blocking the application m_samplesProcessed = 0; m_isStreaming = true; - m_thread.Launch(); + m_thread.launch(); } //////////////////////////////////////////////////////////// -void SoundStream::Pause() +void SoundStream::pause() { - ALCheck(alSourcePause(m_source)); + alCheck(alSourcePause(m_source)); } //////////////////////////////////////////////////////////// -void SoundStream::Stop() +void SoundStream::stop() { // Wait for the thread to terminate m_isStreaming = false; - m_thread.Wait(); + m_thread.wait(); } //////////////////////////////////////////////////////////// -unsigned int SoundStream::GetChannelCount() const +unsigned int SoundStream::getChannelCount() const { return m_channelCount; } //////////////////////////////////////////////////////////// -unsigned int SoundStream::GetSampleRate() const +unsigned int SoundStream::getSampleRate() const { return m_sampleRate; } //////////////////////////////////////////////////////////// -SoundStream::Status SoundStream::GetStatus() const +SoundStream::Status SoundStream::getStatus() const { - Status status = SoundSource::GetStatus(); + Status status = SoundSource::getStatus(); - // To compensate for the lag between Play() and alSourcePlay() + // To compensate for the lag between play() and alSourceplay() if ((status == Stopped) && m_isStreaming) status = Playing; @@ -150,68 +150,68 @@ SoundStream::Status SoundStream::GetStatus() const //////////////////////////////////////////////////////////// -void SoundStream::SetPlayingOffset(Time timeOffset) +void SoundStream::setPlayingOffset(Time timeOffset) { // Stop the stream - Stop(); + stop(); // Let the derived class update the current position - OnSeek(timeOffset); + onSeek(timeOffset); // Restart streaming - m_samplesProcessed = static_cast(timeOffset.AsSeconds() * m_sampleRate * m_channelCount); + m_samplesProcessed = static_cast(timeOffset.asSeconds() * m_sampleRate * m_channelCount); m_isStreaming = true; - m_thread.Launch(); + m_thread.launch(); } //////////////////////////////////////////////////////////// -Time SoundStream::GetPlayingOffset() const +Time SoundStream::getPlayingOffset() const { - ALfloat seconds = 0.f; - ALCheck(alGetSourcef(m_source, AL_SEC_OFFSET, &seconds)); + ALfloat secs = 0.f; + alCheck(alGetSourcef(m_source, AL_SEC_OFFSET, &secs)); - return Seconds(seconds + static_cast(m_samplesProcessed) / m_sampleRate / m_channelCount); + return seconds(secs + static_cast(m_samplesProcessed) / m_sampleRate / m_channelCount); } //////////////////////////////////////////////////////////// -void SoundStream::SetLoop(bool loop) +void SoundStream::setLoop(bool loop) { m_loop = loop; } //////////////////////////////////////////////////////////// -bool SoundStream::GetLoop() const +bool SoundStream::getLoop() const { return m_loop; } //////////////////////////////////////////////////////////// -void SoundStream::Stream() +void SoundStream::stream() { // Create the buffers - ALCheck(alGenBuffers(BufferCount, m_buffers)); + alCheck(alGenBuffers(BufferCount, m_buffers)); for (int i = 0; i < BufferCount; ++i) m_endBuffers[i] = false; // Fill the queue - bool requestStop = FillQueue(); + bool requestStop = fillQueue(); // Play the sound - ALCheck(alSourcePlay(m_source)); + alCheck(alSourcePlay(m_source)); while (m_isStreaming) { // The stream has been interrupted! - if (SoundSource::GetStatus() == Stopped) + if (SoundSource::getStatus() == Stopped) { if (!requestStop) { // Just continue - ALCheck(alSourcePlay(m_source)); + alCheck(alSourcePlay(m_source)); } else { @@ -222,13 +222,13 @@ void SoundStream::Stream() // Get the number of buffers that have been processed (ie. ready for reuse) ALint nbProcessed = 0; - ALCheck(alGetSourcei(m_source, AL_BUFFERS_PROCESSED, &nbProcessed)); + alCheck(alGetSourcei(m_source, AL_BUFFERS_PROCESSED, &nbProcessed)); while (nbProcessed--) { // Pop the first unused buffer from the queue ALuint buffer; - ALCheck(alSourceUnqueueBuffers(m_source, 1, &buffer)); + alCheck(alSourceUnqueueBuffers(m_source, 1, &buffer)); // Find its number unsigned int bufferNum = 0; @@ -249,44 +249,44 @@ void SoundStream::Stream() else { ALint size, bits; - ALCheck(alGetBufferi(buffer, AL_SIZE, &size)); - ALCheck(alGetBufferi(buffer, AL_BITS, &bits)); + alCheck(alGetBufferi(buffer, AL_SIZE, &size)); + alCheck(alGetBufferi(buffer, AL_BITS, &bits)); m_samplesProcessed += size / (bits / 8); } // Fill it and push it back into the playing queue if (!requestStop) { - if (FillAndPushBuffer(bufferNum)) + if (fillAndPushBuffer(bufferNum)) requestStop = true; } } // Leave some time for the other threads if the stream is still playing - if (SoundSource::GetStatus() != Stopped) - Sleep(Milliseconds(10)); + if (SoundSource::getStatus() != Stopped) + sleep(milliseconds(10)); } // Stop the playback - ALCheck(alSourceStop(m_source)); + alCheck(alSourceStop(m_source)); // Unqueue any buffer left in the queue - ClearQueue(); + clearQueue(); // Delete the buffers - ALCheck(alSourcei(m_source, AL_BUFFER, 0)); - ALCheck(alDeleteBuffers(BufferCount, m_buffers)); + alCheck(alSourcei(m_source, AL_BUFFER, 0)); + alCheck(alDeleteBuffers(BufferCount, m_buffers)); } //////////////////////////////////////////////////////////// -bool SoundStream::FillAndPushBuffer(unsigned int bufferNum) +bool SoundStream::fillAndPushBuffer(unsigned int bufferNum) { bool requestStop = false; // Acquire audio data Chunk data = {NULL, 0}; - if (!OnGetData(data)) + if (!onGetData(data)) { // Mark the buffer as the last one (so that we know when to reset the playing position) m_endBuffers[bufferNum] = true; @@ -295,12 +295,12 @@ bool SoundStream::FillAndPushBuffer(unsigned int bufferNum) if (m_loop) { // Return to the beginning of the stream source - OnSeek(Time::Zero); + onSeek(Time::Zero); // If we previously had no data, try to fill the buffer once again - if (!data.Samples || (data.SampleCount == 0)) + if (!data.samples || (data.sampleCount == 0)) { - return FillAndPushBuffer(bufferNum); + return fillAndPushBuffer(bufferNum); } } else @@ -311,16 +311,16 @@ bool SoundStream::FillAndPushBuffer(unsigned int bufferNum) } // Fill the buffer if some data was returned - if (data.Samples && data.SampleCount) + if (data.samples && data.sampleCount) { unsigned int buffer = m_buffers[bufferNum]; // Fill the buffer - ALsizei size = static_cast(data.SampleCount) * sizeof(Int16); - ALCheck(alBufferData(buffer, m_format, data.Samples, size, m_sampleRate)); + ALsizei size = static_cast(data.sampleCount) * sizeof(Int16); + alCheck(alBufferData(buffer, m_format, data.samples, size, m_sampleRate)); // Push it into the sound queue - ALCheck(alSourceQueueBuffers(m_source, 1, &buffer)); + alCheck(alSourceQueueBuffers(m_source, 1, &buffer)); } return requestStop; @@ -328,13 +328,13 @@ bool SoundStream::FillAndPushBuffer(unsigned int bufferNum) //////////////////////////////////////////////////////////// -bool SoundStream::FillQueue() +bool SoundStream::fillQueue() { // Fill and enqueue all the available buffers bool requestStop = false; for (int i = 0; (i < BufferCount) && !requestStop; ++i) { - if (FillAndPushBuffer(i)) + if (fillAndPushBuffer(i)) requestStop = true; } @@ -343,16 +343,16 @@ bool SoundStream::FillQueue() //////////////////////////////////////////////////////////// -void SoundStream::ClearQueue() +void SoundStream::clearQueue() { // Get the number of buffers still in the queue ALint nbQueued; - ALCheck(alGetSourcei(m_source, AL_BUFFERS_QUEUED, &nbQueued)); + alCheck(alGetSourcei(m_source, AL_BUFFERS_QUEUED, &nbQueued)); // Unqueue them all ALuint buffer; for (ALint i = 0; i < nbQueued; ++i) - ALCheck(alSourceUnqueueBuffers(m_source, 1, &buffer)); + alCheck(alSourceUnqueueBuffers(m_source, 1, &buffer)); } } // namespace sf diff --git a/src/SFML/Graphics/CircleShape.cpp b/src/SFML/Graphics/CircleShape.cpp index 6967e8ae..837270bd 100644 --- a/src/SFML/Graphics/CircleShape.cpp +++ b/src/SFML/Graphics/CircleShape.cpp @@ -36,41 +36,41 @@ CircleShape::CircleShape(float radius, unsigned int pointCount) : m_radius (radius), m_pointCount(pointCount) { - Update(); + update(); } //////////////////////////////////////////////////////////// -void CircleShape::SetRadius(float radius) +void CircleShape::setRadius(float radius) { m_radius = radius; - Update(); + update(); } //////////////////////////////////////////////////////////// -float CircleShape::GetRadius() const +float CircleShape::getRadius() const { return m_radius; } //////////////////////////////////////////////////////////// -void CircleShape::SetPointCount(unsigned int count) +void CircleShape::setPointCount(unsigned int count) { m_pointCount = count; - Update(); + update(); } //////////////////////////////////////////////////////////// -unsigned int CircleShape::GetPointCount() const +unsigned int CircleShape::getPointCount() const { return m_pointCount; } //////////////////////////////////////////////////////////// -Vector2f CircleShape::GetPoint(unsigned int index) const +Vector2f CircleShape::getPoint(unsigned int index) const { static const float pi = 3.141592654f; diff --git a/src/SFML/Graphics/ConvexShape.cpp b/src/SFML/Graphics/ConvexShape.cpp index 52d2f858..7a81252b 100644 --- a/src/SFML/Graphics/ConvexShape.cpp +++ b/src/SFML/Graphics/ConvexShape.cpp @@ -33,35 +33,35 @@ namespace sf //////////////////////////////////////////////////////////// ConvexShape::ConvexShape(unsigned int pointCount) { - SetPointCount(pointCount); + setPointCount(pointCount); } //////////////////////////////////////////////////////////// -void ConvexShape::SetPointCount(unsigned int count) +void ConvexShape::setPointCount(unsigned int count) { m_points.resize(count); - Update(); + update(); } //////////////////////////////////////////////////////////// -unsigned int ConvexShape::GetPointCount() const +unsigned int ConvexShape::getPointCount() const { return static_cast(m_points.size()); } //////////////////////////////////////////////////////////// -void ConvexShape::SetPoint(unsigned int index, const Vector2f& point) +void ConvexShape::setPoint(unsigned int index, const Vector2f& point) { m_points[index] = point; - Update(); + update(); } //////////////////////////////////////////////////////////// -Vector2f ConvexShape::GetPoint(unsigned int index) const +Vector2f ConvexShape::getPoint(unsigned int index) const { return m_points[index]; } diff --git a/src/SFML/Graphics/Font.cpp b/src/SFML/Graphics/Font.cpp index a2ad4662..cffba5f3 100644 --- a/src/SFML/Graphics/Font.cpp +++ b/src/SFML/Graphics/Font.cpp @@ -40,20 +40,20 @@ namespace { // FreeType callbacks that operate on a sf::InputStream - unsigned long Read(FT_Stream rec, unsigned long offset, unsigned char* buffer, unsigned long count) + unsigned long read(FT_Stream rec, unsigned long offset, unsigned char* buffer, unsigned long count) { sf::InputStream* stream = static_cast(rec->descriptor.pointer); - if (static_cast(stream->Seek(offset)) == offset) + if (static_cast(stream->seek(offset)) == offset) { if (count > 0) - return static_cast(stream->Read(reinterpret_cast(buffer), count)); + return static_cast(stream->read(reinterpret_cast(buffer), count)); else return 0; } else return count > 0 ? 0 : 1; // error code is 0 if we're reading, or nonzero if we're seeking } - void Close(FT_Stream) + void close(FT_Stream) { } } @@ -92,15 +92,15 @@ m_pixelBuffer(copy.m_pixelBuffer) //////////////////////////////////////////////////////////// Font::~Font() { - Cleanup(); + cleanup(); } //////////////////////////////////////////////////////////// -bool Font::LoadFromFile(const std::string& filename) +bool Font::loadFromFile(const std::string& filename) { // Cleanup the previous resources - Cleanup(); + cleanup(); m_refCount = new int(1); // Initialize FreeType @@ -109,7 +109,7 @@ bool Font::LoadFromFile(const std::string& filename) FT_Library library; if (FT_Init_FreeType(&library) != 0) { - Err() << "Failed to load font \"" << filename << "\" (failed to initialize FreeType)" << std::endl; + err() << "Failed to load font \"" << filename << "\" (failed to initialize FreeType)" << std::endl; return false; } m_library = library; @@ -118,14 +118,14 @@ bool Font::LoadFromFile(const std::string& filename) FT_Face face; if (FT_New_Face(static_cast(m_library), filename.c_str(), 0, &face) != 0) { - Err() << "Failed to load font \"" << filename << "\" (failed to create the font face)" << std::endl; + err() << "Failed to load font \"" << filename << "\" (failed to create the font face)" << std::endl; return false; } // Select the unicode character map if (FT_Select_Charmap(face, FT_ENCODING_UNICODE) != 0) { - Err() << "Failed to load font \"" << filename << "\" (failed to set the Unicode character set)" << std::endl; + err() << "Failed to load font \"" << filename << "\" (failed to set the Unicode character set)" << std::endl; return false; } @@ -137,10 +137,10 @@ bool Font::LoadFromFile(const std::string& filename) //////////////////////////////////////////////////////////// -bool Font::LoadFromMemory(const void* data, std::size_t sizeInBytes) +bool Font::loadFromMemory(const void* data, std::size_t sizeInBytes) { // Cleanup the previous resources - Cleanup(); + cleanup(); m_refCount = new int(1); // Initialize FreeType @@ -149,7 +149,7 @@ bool Font::LoadFromMemory(const void* data, std::size_t sizeInBytes) FT_Library library; if (FT_Init_FreeType(&library) != 0) { - Err() << "Failed to load font from memory (failed to initialize FreeType)" << std::endl; + err() << "Failed to load font from memory (failed to initialize FreeType)" << std::endl; return false; } m_library = library; @@ -158,14 +158,14 @@ bool Font::LoadFromMemory(const void* data, std::size_t sizeInBytes) FT_Face face; if (FT_New_Memory_Face(static_cast(m_library), reinterpret_cast(data), static_cast(sizeInBytes), 0, &face) != 0) { - Err() << "Failed to load font from memory (failed to create the font face)" << std::endl; + err() << "Failed to load font from memory (failed to create the font face)" << std::endl; return false; } // Select the unicode character map if (FT_Select_Charmap(face, FT_ENCODING_UNICODE) != 0) { - Err() << "Failed to load font from memory (failed to set the Unicode character set)" << std::endl; + err() << "Failed to load font from memory (failed to set the Unicode character set)" << std::endl; return false; } @@ -177,10 +177,10 @@ bool Font::LoadFromMemory(const void* data, std::size_t sizeInBytes) //////////////////////////////////////////////////////////// -bool Font::LoadFromStream(InputStream& stream) +bool Font::loadFromStream(InputStream& stream) { // Cleanup the previous resources - Cleanup(); + cleanup(); m_refCount = new int(1); // Initialize FreeType @@ -189,7 +189,7 @@ bool Font::LoadFromStream(InputStream& stream) FT_Library library; if (FT_Init_FreeType(&library) != 0) { - Err() << "Failed to load font from stream (failed to initialize FreeType)" << std::endl; + err() << "Failed to load font from stream (failed to initialize FreeType)" << std::endl; return false; } m_library = library; @@ -198,11 +198,11 @@ bool Font::LoadFromStream(InputStream& stream) FT_StreamRec* rec = new FT_StreamRec; std::memset(rec, 0, sizeof(*rec)); rec->base = NULL; - rec->size = static_cast(stream.GetSize()); + rec->size = static_cast(stream.getSize()); rec->pos = 0; rec->descriptor.pointer = &stream; - rec->read = &Read; - rec->close = &Close; + rec->read = &read; + rec->close = &close; // Setup the FreeType callbacks that will read our stream FT_Open_Args args; @@ -214,14 +214,14 @@ bool Font::LoadFromStream(InputStream& stream) FT_Face face; if (FT_Open_Face(static_cast(m_library), &args, 0, &face) != 0) { - Err() << "Failed to load font from stream (failed to create the font face)" << std::endl; + err() << "Failed to load font from stream (failed to create the font face)" << std::endl; return false; } // Select the unicode character map if (FT_Select_Charmap(face, FT_ENCODING_UNICODE) != 0) { - Err() << "Failed to load font from stream (failed to set the Unicode character set)" << std::endl; + err() << "Failed to load font from stream (failed to set the Unicode character set)" << std::endl; return false; } @@ -234,10 +234,10 @@ bool Font::LoadFromStream(InputStream& stream) //////////////////////////////////////////////////////////// -const Glyph& Font::GetGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const +const Glyph& Font::getGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const { // Get the page corresponding to the character size - GlyphTable& glyphs = m_pages[characterSize].Glyphs; + GlyphTable& glyphs = m_pages[characterSize].glyphs; // Build the key by combining the code point and the bold flag Uint32 key = ((bold ? 1 : 0) << 31) | codePoint; @@ -252,14 +252,14 @@ const Glyph& Font::GetGlyph(Uint32 codePoint, unsigned int characterSize, bool b else { // Not found: we have to load it - Glyph glyph = LoadGlyph(codePoint, characterSize, bold); + Glyph glyph = loadGlyph(codePoint, characterSize, bold); return glyphs.insert(std::make_pair(key, glyph)).first->second; } } //////////////////////////////////////////////////////////// -int Font::GetKerning(Uint32 first, Uint32 second, unsigned int characterSize) const +int Font::getKerning(Uint32 first, Uint32 second, unsigned int characterSize) const { // Special case where first or second is 0 (null character) if (first == 0 || second == 0) @@ -267,7 +267,7 @@ int Font::GetKerning(Uint32 first, Uint32 second, unsigned int characterSize) co FT_Face face = static_cast(m_face); - if (face && FT_HAS_KERNING(face) && SetCurrentSize(characterSize)) + if (face && FT_HAS_KERNING(face) && setCurrentSize(characterSize)) { // Convert the characters to indices FT_UInt index1 = FT_Get_Char_Index(face, first); @@ -289,11 +289,11 @@ int Font::GetKerning(Uint32 first, Uint32 second, unsigned int characterSize) co //////////////////////////////////////////////////////////// -int Font::GetLineSpacing(unsigned int characterSize) const +int Font::getLineSpacing(unsigned int characterSize) const { FT_Face face = static_cast(m_face); - if (face && SetCurrentSize(characterSize)) + if (face && setCurrentSize(characterSize)) { return (face->size->metrics.height >> 6); } @@ -305,9 +305,9 @@ int Font::GetLineSpacing(unsigned int characterSize) const //////////////////////////////////////////////////////////// -const Texture& Font::GetTexture(unsigned int characterSize) const +const Texture& Font::getTexture(unsigned int characterSize) const { - return m_pages[characterSize].Texture; + return m_pages[characterSize].texture; } @@ -327,7 +327,7 @@ Font& Font::operator =(const Font& right) //////////////////////////////////////////////////////////// -const Font& Font::GetDefaultFont() +const Font& Font::getDefaultFont() { static Font font; static bool loaded = false; @@ -340,7 +340,7 @@ const Font& Font::GetDefaultFont() #include }; - font.LoadFromMemory(data, sizeof(data)); + font.loadFromMemory(data, sizeof(data)); loaded = true; } @@ -349,7 +349,7 @@ const Font& Font::GetDefaultFont() //////////////////////////////////////////////////////////// -void Font::Cleanup() +void Font::cleanup() { // Check if we must destroy the FreeType pointers if (m_refCount) @@ -388,7 +388,7 @@ void Font::Cleanup() //////////////////////////////////////////////////////////// -Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const +Glyph Font::loadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) const { // The glyph to return Glyph glyph; @@ -399,7 +399,7 @@ Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) c return glyph; // Set the character size - if (!SetCurrentSize(characterSize)) + if (!setCurrentSize(characterSize)) return glyph; // Load the glyph corresponding to the code point @@ -432,9 +432,9 @@ Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) c } // Compute the glyph's advance offset - glyph.Advance = glyphDesc->advance.x >> 16; + glyph.advance = glyphDesc->advance.x >> 16; if (bold) - glyph.Advance += weight >> 6; + glyph.advance += weight >> 6; int width = bitmap.width; int height = bitmap.rows; @@ -448,13 +448,13 @@ Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) c Page& page = m_pages[characterSize]; // Find a good position for the new glyph into the texture - glyph.TextureRect = FindGlyphRect(page, width + 2 * padding, height + 2 * padding); + glyph.textureRect = findGlyphRect(page, width + 2 * padding, height + 2 * padding); // Compute the glyph's bounding box - glyph.Bounds.Left = bitmapGlyph->left - padding; - glyph.Bounds.Top = -bitmapGlyph->top - padding; - glyph.Bounds.Width = width + 2 * padding; - glyph.Bounds.Height = height + 2 * padding; + glyph.bounds.left = bitmapGlyph->left - padding; + glyph.bounds.top = -bitmapGlyph->top - padding; + glyph.bounds.width = width + 2 * padding; + glyph.bounds.height = height + 2 * padding; // Extract the glyph's pixels from the bitmap m_pixelBuffer.resize(width * height * 4, 255); @@ -489,11 +489,11 @@ Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) c } // Write the pixels to the texture - unsigned int x = glyph.TextureRect.Left + padding; - unsigned int y = glyph.TextureRect.Top + padding; - unsigned int width = glyph.TextureRect.Width - 2 * padding; - unsigned int height = glyph.TextureRect.Height - 2 * padding; - page.Texture.Update(&m_pixelBuffer[0], width, height, x, y); + unsigned int x = glyph.textureRect.left + padding; + unsigned int y = glyph.textureRect.top + padding; + unsigned int width = glyph.textureRect.width - 2 * padding; + unsigned int height = glyph.textureRect.height - 2 * padding; + page.texture.update(&m_pixelBuffer[0], width, height, x, y); } // Delete the FT glyph @@ -505,21 +505,21 @@ Glyph Font::LoadGlyph(Uint32 codePoint, unsigned int characterSize, bool bold) c //////////////////////////////////////////////////////////// -IntRect Font::FindGlyphRect(Page& page, unsigned int width, unsigned int height) const +IntRect Font::findGlyphRect(Page& page, unsigned int width, unsigned int height) const { // Find the line that fits well the glyph Row* row = NULL; float bestRatio = 0; - for (std::vector::iterator it = page.Rows.begin(); it != page.Rows.end() && !row; ++it) + for (std::vector::iterator it = page.rows.begin(); it != page.rows.end() && !row; ++it) { - float ratio = static_cast(height) / it->Height; + float ratio = static_cast(height) / it->height; // Ignore rows that are either too small or too high if ((ratio < 0.7f) || (ratio > 1.f)) continue; // Check if there's enough horizontal space left in the row - if (width > page.Texture.GetWidth() - it->Width) + if (width > page.texture.getWidth() - it->width) continue; // Make sure that this new row is the best found so far @@ -535,44 +535,44 @@ IntRect Font::FindGlyphRect(Page& page, unsigned int width, unsigned int height) if (!row) { int rowHeight = height + height / 10; - if (page.NextRow + rowHeight >= page.Texture.GetHeight()) + if (page.nextRow + rowHeight >= page.texture.getHeight()) { // Not enough space: resize the texture if possible - unsigned int textureWidth = page.Texture.GetWidth(); - unsigned int textureHeight = page.Texture.GetHeight(); - if ((textureWidth * 2 <= Texture::GetMaximumSize()) && (textureHeight * 2 <= Texture::GetMaximumSize())) + unsigned int textureWidth = page.texture.getWidth(); + unsigned int textureHeight = page.texture.getHeight(); + if ((textureWidth * 2 <= Texture::getMaximumSize()) && (textureHeight * 2 <= Texture::getMaximumSize())) { // Make the texture 2 times bigger - sf::Image pixels = page.Texture.CopyToImage(); - page.Texture.Create(textureWidth * 2, textureHeight * 2); - page.Texture.Update(pixels); + sf::Image pixels = page.texture.copyToImage(); + page.texture.create(textureWidth * 2, textureHeight * 2); + page.texture.update(pixels); } else { // Oops, we've reached the maximum texture size... - Err() << "Failed to add a new character to the font: the maximum texture size has been reached" << std::endl; + err() << "Failed to add a new character to the font: the maximum texture size has been reached" << std::endl; return IntRect(0, 0, 2, 2); } } // We can now create the new row - page.Rows.push_back(Row(page.NextRow, rowHeight)); - page.NextRow += rowHeight; - row = &page.Rows.back(); + page.rows.push_back(Row(page.nextRow, rowHeight)); + page.nextRow += rowHeight; + row = &page.rows.back(); } // Find the glyph's rectangle on the selected row - IntRect rect(row->Width, row->Top, width, height); + IntRect rect(row->width, row->top, width, height); // Update the row informations - row->Width += width; + row->width += width; return rect; } //////////////////////////////////////////////////////////// -bool Font::SetCurrentSize(unsigned int characterSize) const +bool Font::setCurrentSize(unsigned int characterSize) const { // FT_Set_Pixel_Sizes is an expensive function, so we must call it // only when necessary to avoid killing performances @@ -593,20 +593,20 @@ bool Font::SetCurrentSize(unsigned int characterSize) const //////////////////////////////////////////////////////////// Font::Page::Page() : -NextRow(2) +nextRow(2) { // Make sure that the texture is initialized by default sf::Image image; - image.Create(128, 128, Color(255, 255, 255, 0)); + image.create(128, 128, Color(255, 255, 255, 0)); // Reserve a 2x2 white square for texturing underlines for (int x = 0; x < 2; ++x) for (int y = 0; y < 2; ++y) - image.SetPixel(x, y, Color(255, 255, 255, 255)); + image.setPixel(x, y, Color(255, 255, 255, 255)); // Create the texture - Texture.LoadFromImage(image); - Texture.SetSmooth(true); + texture.loadFromImage(image); + texture.setSmooth(true); } } // namespace sf diff --git a/src/SFML/Graphics/GLCheck.cpp b/src/SFML/Graphics/GLCheck.cpp index b7c231a1..17a3a317 100644 --- a/src/SFML/Graphics/GLCheck.cpp +++ b/src/SFML/Graphics/GLCheck.cpp @@ -25,7 +25,7 @@ //////////////////////////////////////////////////////////// // Headers //////////////////////////////////////////////////////////// -#include +#include #include @@ -34,7 +34,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -void GLCheckError(const std::string& file, unsigned int line) +void glCheckError(const std::string& file, unsigned int line) { // Get the last error GLenum errorCode = glGetError(); @@ -98,7 +98,7 @@ void GLCheckError(const std::string& file, unsigned int line) } // Log the error - Err() << "An internal OpenGL call failed in " + err() << "An internal OpenGL call failed in " << file.substr(file.find_last_of("\\/") + 1) << " (" << line << ") : " << error << ", " << description << std::endl; @@ -107,7 +107,7 @@ void GLCheckError(const std::string& file, unsigned int line) //////////////////////////////////////////////////////////// -void EnsureGlewInit() +void ensureGlewInit() { static bool initialized = false; if (!initialized) @@ -119,7 +119,7 @@ void EnsureGlewInit() } else { - Err() << "Failed to initialize GLEW, " << glewGetErrorString(status) << std::endl; + err() << "Failed to initialize GLEW, " << glewGetErrorString(status) << std::endl; } } } diff --git a/src/SFML/Graphics/GLCheck.hpp b/src/SFML/Graphics/GLCheck.hpp index 560210c6..bfa07c76 100644 --- a/src/SFML/Graphics/GLCheck.hpp +++ b/src/SFML/Graphics/GLCheck.hpp @@ -38,18 +38,17 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -/// Let's define a macro to quickly check every OpenGL -/// API calls +/// Let's define a macro to quickly check every OpenGL API calls //////////////////////////////////////////////////////////// #ifdef SFML_DEBUG // In debug mode, perform a test on every OpenGL call - #define GLCheck(call) ((call), sf::priv::GLCheckError(__FILE__, __LINE__)) + #define glCheck(call) ((call), sf::priv::glCheckError(__FILE__, __LINE__)) #else // Else, we don't add any overhead - #define GLCheck(call) (call) + #define glCheck(call) (call) #endif @@ -60,13 +59,13 @@ namespace priv /// \param line Line number of the source file where the call is located /// //////////////////////////////////////////////////////////// -void GLCheckError(const std::string& file, unsigned int line); +void glCheckError(const std::string& file, unsigned int line); //////////////////////////////////////////////////////////// /// \brief Make sure that GLEW is initialized /// //////////////////////////////////////////////////////////// -void EnsureGlewInit(); +void ensureGlewInit(); } // namespace priv diff --git a/src/SFML/Graphics/Image.cpp b/src/SFML/Graphics/Image.cpp index 02336195..71b2f7cc 100644 --- a/src/SFML/Graphics/Image.cpp +++ b/src/SFML/Graphics/Image.cpp @@ -44,7 +44,7 @@ m_height(0) //////////////////////////////////////////////////////////// -void Image::Create(unsigned int width, unsigned int height, const Color& color) +void Image::create(unsigned int width, unsigned int height, const Color& color) { // Assign the new size m_width = width; @@ -67,7 +67,7 @@ void Image::Create(unsigned int width, unsigned int height, const Color& color) //////////////////////////////////////////////////////////// -void Image::Create(unsigned int width, unsigned int height, const Uint8* pixels) +void Image::create(unsigned int width, unsigned int height, const Uint8* pixels) { if (pixels) { @@ -91,49 +91,49 @@ void Image::Create(unsigned int width, unsigned int height, const Uint8* pixels) //////////////////////////////////////////////////////////// -bool Image::LoadFromFile(const std::string& filename) +bool Image::loadFromFile(const std::string& filename) { - return priv::ImageLoader::GetInstance().LoadImageFromFile(filename, m_pixels, m_width, m_height); + return priv::ImageLoader::getInstance().loadImageFromFile(filename, m_pixels, m_width, m_height); } //////////////////////////////////////////////////////////// -bool Image::LoadFromMemory(const void* data, std::size_t size) +bool Image::loadFromMemory(const void* data, std::size_t size) { - return priv::ImageLoader::GetInstance().LoadImageFromMemory(data, size, m_pixels, m_width, m_height); + return priv::ImageLoader::getInstance().loadImageFromMemory(data, size, m_pixels, m_width, m_height); } //////////////////////////////////////////////////////////// -bool Image::LoadFromStream(InputStream& stream) +bool Image::loadFromStream(InputStream& stream) { - return priv::ImageLoader::GetInstance().LoadImageFromStream(stream, m_pixels, m_width, m_height); + return priv::ImageLoader::getInstance().loadImageFromStream(stream, m_pixels, m_width, m_height); } //////////////////////////////////////////////////////////// -bool Image::SaveToFile(const std::string& filename) const +bool Image::saveToFile(const std::string& filename) const { - return priv::ImageLoader::GetInstance().SaveImageToFile(filename, m_pixels, m_width, m_height); + return priv::ImageLoader::getInstance().saveImageToFile(filename, m_pixels, m_width, m_height); } //////////////////////////////////////////////////////////// -unsigned int Image::GetWidth() const +unsigned int Image::getWidth() const { return m_width; } //////////////////////////////////////////////////////////// -unsigned int Image::GetHeight() const +unsigned int Image::getHeight() const { return m_height; } //////////////////////////////////////////////////////////// -void Image::CreateMaskFromColor(const Color& color, Uint8 alpha) +void Image::createMaskFromColor(const Color& color, Uint8 alpha) { // Make sure that the image is not empty if (!m_pixels.empty()) @@ -152,7 +152,7 @@ void Image::CreateMaskFromColor(const Color& color, Uint8 alpha) //////////////////////////////////////////////////////////// -void Image::Copy(const Image& source, unsigned int destX, unsigned int destY, const IntRect& sourceRect, bool applyAlpha) +void Image::copy(const Image& source, unsigned int destX, unsigned int destY, const IntRect& sourceRect, bool applyAlpha) { // Make sure that both images are valid if ((source.m_width == 0) || (source.m_height == 0) || (m_width == 0) || (m_height == 0)) @@ -160,24 +160,24 @@ void Image::Copy(const Image& source, unsigned int destX, unsigned int destY, co // Adjust the source rectangle IntRect srcRect = sourceRect; - if (srcRect.Width == 0 || (srcRect.Height == 0)) + if (srcRect.width == 0 || (srcRect.height == 0)) { - srcRect.Left = 0; - srcRect.Top = 0; - srcRect.Width = source.m_width; - srcRect.Height = source.m_height; + srcRect.left = 0; + srcRect.top = 0; + srcRect.width = source.m_width; + srcRect.height = source.m_height; } else { - if (srcRect.Left < 0) srcRect.Left = 0; - if (srcRect.Top < 0) srcRect.Top = 0; - if (srcRect.Width > static_cast(source.m_width)) srcRect.Width = source.m_width; - if (srcRect.Height > static_cast(source.m_height)) srcRect.Height = source.m_height; + if (srcRect.left < 0) srcRect.left = 0; + if (srcRect.top < 0) srcRect.top = 0; + if (srcRect.width > static_cast(source.m_width)) srcRect.width = source.m_width; + if (srcRect.height > static_cast(source.m_height)) srcRect.height = source.m_height; } // Then find the valid bounds of the destination rectangle - int width = srcRect.Width; - int height = srcRect.Height; + int width = srcRect.width; + int height = srcRect.height; if (destX + width > m_width) width = m_width - destX; if (destY + height > m_height) height = m_height - destY; @@ -190,7 +190,7 @@ void Image::Copy(const Image& source, unsigned int destX, unsigned int destY, co int rows = height; int srcStride = source.m_width * 4; int dstStride = m_width * 4; - const Uint8* srcPixels = &source.m_pixels[0] + (srcRect.Left + srcRect.Top * source.m_width) * 4; + const Uint8* srcPixels = &source.m_pixels[0] + (srcRect.left + srcRect.top * source.m_width) * 4; Uint8* dstPixels = &m_pixels[0] + (destX + destY * m_width) * 4; // Copy the pixels @@ -231,7 +231,7 @@ void Image::Copy(const Image& source, unsigned int destX, unsigned int destY, co //////////////////////////////////////////////////////////// -void Image::SetPixel(unsigned int x, unsigned int y, const Color& color) +void Image::setPixel(unsigned int x, unsigned int y, const Color& color) { Uint8* pixel = &m_pixels[(x + y * m_width) * 4]; *pixel++ = color.r; @@ -242,7 +242,7 @@ void Image::SetPixel(unsigned int x, unsigned int y, const Color& color) //////////////////////////////////////////////////////////// -Color Image::GetPixel(unsigned int x, unsigned int y) const +Color Image::getPixel(unsigned int x, unsigned int y) const { const Uint8* pixel = &m_pixels[(x + y * m_width) * 4]; return Color(pixel[0], pixel[1], pixel[2], pixel[3]); @@ -250,7 +250,7 @@ Color Image::GetPixel(unsigned int x, unsigned int y) const //////////////////////////////////////////////////////////// -const Uint8* Image::GetPixelsPtr() const +const Uint8* Image::getPixelsPtr() const { if (!m_pixels.empty()) { @@ -258,14 +258,14 @@ const Uint8* Image::GetPixelsPtr() const } else { - Err() << "Trying to access the pixels of an empty image" << std::endl; + err() << "Trying to access the pixels of an empty image" << std::endl; return NULL; } } //////////////////////////////////////////////////////////// -void Image::FlipHorizontally() +void Image::flipHorizontally() { if (!m_pixels.empty()) { @@ -290,7 +290,7 @@ void Image::FlipHorizontally() //////////////////////////////////////////////////////////// -void Image::FlipVertically() +void Image::flipVertically() { if (!m_pixels.empty()) { diff --git a/src/SFML/Graphics/ImageLoader.cpp b/src/SFML/Graphics/ImageLoader.cpp index 928cf139..f296f47c 100644 --- a/src/SFML/Graphics/ImageLoader.cpp +++ b/src/SFML/Graphics/ImageLoader.cpp @@ -42,7 +42,7 @@ extern "C" namespace { // Convert a string to lower case - std::string ToLower(std::string str) + std::string toLower(std::string str) { for (std::string::iterator i = str.begin(); i != str.end(); ++i) *i = static_cast(std::tolower(*i)); @@ -50,20 +50,20 @@ namespace } // stb_image callbacks that operate on a sf::InputStream - int Read(void* user, char* data, int size) + int read(void* user, char* data, int size) { sf::InputStream* stream = static_cast(user); - return static_cast(stream->Read(data, size)); + return static_cast(stream->read(data, size)); } - void Skip(void* user, unsigned int size) + void skip(void* user, unsigned int size) { sf::InputStream* stream = static_cast(user); - stream->Seek(stream->Tell() + size); + stream->seek(stream->tell() + size); } - int Eof(void* user) + int eof(void* user) { sf::InputStream* stream = static_cast(user); - return stream->Tell() >= stream->GetSize(); + return stream->tell() >= stream->getSize(); } } @@ -73,7 +73,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -ImageLoader& ImageLoader::GetInstance() +ImageLoader& ImageLoader::getInstance() { static ImageLoader Instance; @@ -96,7 +96,7 @@ ImageLoader::~ImageLoader() //////////////////////////////////////////////////////////// -bool ImageLoader::LoadImageFromFile(const std::string& filename, std::vector& pixels, unsigned int& width, unsigned int& height) +bool ImageLoader::loadImageFromFile(const std::string& filename, std::vector& pixels, unsigned int& width, unsigned int& height) { // Clear the array (just in case) pixels.clear(); @@ -123,7 +123,7 @@ bool ImageLoader::LoadImageFromFile(const std::string& filename, std::vector& pixels, unsigned int& width, unsigned int& height) +bool ImageLoader::loadImageFromMemory(const void* data, std::size_t size, std::vector& pixels, unsigned int& width, unsigned int& height) { // Check input parameters if (data && size) @@ -162,30 +162,30 @@ bool ImageLoader::LoadImageFromMemory(const void* data, std::size_t size, std::v else { // Error, failed to load the image - Err() << "Failed to load image from memory. Reason : " << stbi_failure_reason() << std::endl; + err() << "Failed to load image from memory. Reason : " << stbi_failure_reason() << std::endl; return false; } } else { - Err() << "Failed to load image from memory, no data provided" << std::endl; + err() << "Failed to load image from memory, no data provided" << std::endl; return false; } } //////////////////////////////////////////////////////////// -bool ImageLoader::LoadImageFromStream(InputStream& stream, std::vector& pixels, unsigned int& width, unsigned int& height) +bool ImageLoader::loadImageFromStream(InputStream& stream, std::vector& pixels, unsigned int& width, unsigned int& height) { // Clear the array (just in case) pixels.clear(); // Setup the stb_image callbacks stbi_io_callbacks callbacks; - callbacks.read = &Read; - callbacks.skip = &Skip; - callbacks.eof = &Eof; + callbacks.read = &read; + callbacks.skip = &skip; + callbacks.eof = &eof; // Load the image and get a pointer to the pixels in memory int imgWidth, imgHeight, imgChannels; @@ -209,7 +209,7 @@ bool ImageLoader::LoadImageFromStream(InputStream& stream, std::vector& p else { // Error, failed to load the image - Err() << "Failed to load image from stream. Reason : " << stbi_failure_reason() << std::endl; + err() << "Failed to load image from stream. Reason : " << stbi_failure_reason() << std::endl; return false; } @@ -217,7 +217,7 @@ bool ImageLoader::LoadImageFromStream(InputStream& stream, std::vector& p //////////////////////////////////////////////////////////// -bool ImageLoader::SaveImageToFile(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height) +bool ImageLoader::saveImageToFile(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height) { // Make sure the image is not empty if (!pixels.empty() && width && height) @@ -228,40 +228,40 @@ bool ImageLoader::SaveImageToFile(const std::string& filename, const std::vector // Extract the extension std::string extension = filename.substr(filename.size() - 3); - if (ToLower(extension) == "bmp") + if (toLower(extension) == "bmp") { // BMP format if (stbi_write_bmp(filename.c_str(), width, height, 4, &pixels[0])) return true; } - else if (ToLower(extension) == "tga") + else if (toLower(extension) == "tga") { // TGA format if (stbi_write_tga(filename.c_str(), width, height, 4, &pixels[0])) return true; } - else if(ToLower(extension) == "png") + else if(toLower(extension) == "png") { // PNG format if (stbi_write_png(filename.c_str(), width, height, 4, &pixels[0], 0)) return true; } - else if (ToLower(extension) == "jpg") + else if (toLower(extension) == "jpg") { // JPG format - if (WriteJpg(filename, pixels, width, height)) + if (writeJpg(filename, pixels, width, height)) return true; } } } - Err() << "Failed to save image \"" << filename << "\"" << std::endl; + err() << "Failed to save image \"" << filename << "\"" << std::endl; return false; } //////////////////////////////////////////////////////////// -bool ImageLoader::WriteJpg(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height) +bool ImageLoader::writeJpg(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height) { // Open the file to write in FILE* file = fopen(filename.c_str(), "wb"); diff --git a/src/SFML/Graphics/ImageLoader.hpp b/src/SFML/Graphics/ImageLoader.hpp index 8cc97238..57ac78b0 100644 --- a/src/SFML/Graphics/ImageLoader.hpp +++ b/src/SFML/Graphics/ImageLoader.hpp @@ -53,7 +53,7 @@ public : /// \return Reference to the ImageLoader instance /// //////////////////////////////////////////////////////////// - static ImageLoader& GetInstance(); + static ImageLoader& getInstance(); //////////////////////////////////////////////////////////// /// \brief Load an image from a file on disk @@ -66,7 +66,7 @@ public : /// \return True if loading was successful /// //////////////////////////////////////////////////////////// - bool LoadImageFromFile(const std::string& filename, std::vector& pixels, unsigned int& width, unsigned int& height); + bool loadImageFromFile(const std::string& filename, std::vector& pixels, unsigned int& width, unsigned int& height); //////////////////////////////////////////////////////////// /// \brief Load an image from a file in memory @@ -80,7 +80,7 @@ public : /// \return True if loading was successful /// //////////////////////////////////////////////////////////// - bool LoadImageFromMemory(const void* data, std::size_t size, std::vector& pixels, unsigned int& width, unsigned int& height); + bool loadImageFromMemory(const void* data, std::size_t size, std::vector& pixels, unsigned int& width, unsigned int& height); //////////////////////////////////////////////////////////// /// \brief Load an image from a custom stream @@ -93,7 +93,7 @@ public : /// \return True if loading was successful /// //////////////////////////////////////////////////////////// - bool LoadImageFromStream(InputStream& stream, std::vector& pixels, unsigned int& width, unsigned int& height); + bool loadImageFromStream(InputStream& stream, std::vector& pixels, unsigned int& width, unsigned int& height); //////////////////////////////////////////////////////////// /// \bref Save an array of pixels as an image file @@ -106,7 +106,7 @@ public : /// \return True if saving was successful /// //////////////////////////////////////////////////////////// - bool SaveImageToFile(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height); + bool saveImageToFile(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height); private : @@ -133,7 +133,7 @@ private : /// \return True if saving was successful /// //////////////////////////////////////////////////////////// - bool WriteJpg(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height); + bool writeJpg(const std::string& filename, const std::vector& pixels, unsigned int width, unsigned int height); }; } // namespace priv diff --git a/src/SFML/Graphics/RectangleShape.cpp b/src/SFML/Graphics/RectangleShape.cpp index fac62391..2629cb77 100644 --- a/src/SFML/Graphics/RectangleShape.cpp +++ b/src/SFML/Graphics/RectangleShape.cpp @@ -34,34 +34,34 @@ namespace sf //////////////////////////////////////////////////////////// RectangleShape::RectangleShape(const Vector2f& size) { - SetSize(size); + setSize(size); } //////////////////////////////////////////////////////////// -void RectangleShape::SetSize(const Vector2f& size) +void RectangleShape::setSize(const Vector2f& size) { m_size = size; - Update(); + update(); } //////////////////////////////////////////////////////////// -const Vector2f& RectangleShape::GetSize() const +const Vector2f& RectangleShape::getSize() const { return m_size; } //////////////////////////////////////////////////////////// -unsigned int RectangleShape::GetPointCount() const +unsigned int RectangleShape::getPointCount() const { return 4; } //////////////////////////////////////////////////////////// -Vector2f RectangleShape::GetPoint(unsigned int index) const +Vector2f RectangleShape::getPoint(unsigned int index) const { switch (index) { diff --git a/src/SFML/Graphics/RenderStates.cpp b/src/SFML/Graphics/RenderStates.cpp index 83794db4..e7514268 100644 --- a/src/SFML/Graphics/RenderStates.cpp +++ b/src/SFML/Graphics/RenderStates.cpp @@ -37,61 +37,61 @@ const RenderStates RenderStates::Default; //////////////////////////////////////////////////////////// RenderStates::RenderStates() : -BlendMode(BlendAlpha), -Transform(), -Texture (NULL), -Shader (NULL) +blendMode(BlendAlpha), +transform(), +texture (NULL), +shader (NULL) { } //////////////////////////////////////////////////////////// -RenderStates::RenderStates(const sf::Transform& transform) : -BlendMode(BlendAlpha), -Transform(transform), -Texture (NULL), -Shader (NULL) +RenderStates::RenderStates(const Transform& transform) : +blendMode(BlendAlpha), +transform(transform), +texture (NULL), +shader (NULL) { } //////////////////////////////////////////////////////////// -RenderStates::RenderStates(sf::BlendMode blendMode) : -BlendMode(blendMode), -Transform(), -Texture (NULL), -Shader (NULL) +RenderStates::RenderStates(BlendMode blendMode) : +blendMode(blendMode), +transform(), +texture (NULL), +shader (NULL) { } //////////////////////////////////////////////////////////// -RenderStates::RenderStates(const sf::Texture* texture) : -BlendMode(BlendAlpha), -Transform(), -Texture (texture), -Shader (NULL) +RenderStates::RenderStates(const Texture* texture) : +blendMode(BlendAlpha), +transform(), +texture (texture), +shader (NULL) { } //////////////////////////////////////////////////////////// -RenderStates::RenderStates(const sf::Shader* shader) : -BlendMode(BlendAlpha), -Transform(), -Texture (NULL), -Shader (shader) +RenderStates::RenderStates(const Shader* shader) : +blendMode(BlendAlpha), +transform(), +texture (NULL), +shader (shader) { } //////////////////////////////////////////////////////////// -RenderStates::RenderStates(sf::BlendMode blendMode, const sf::Transform& transform, - const sf::Texture* texture, const sf::Shader* shader) : -BlendMode(blendMode), -Transform(transform), -Texture (texture), -Shader (shader) +RenderStates::RenderStates(BlendMode blendMode, const Transform& transform, + const Texture* texture, const Shader* shader) : +blendMode(blendMode), +transform(transform), +texture (texture), +shader (shader) { } diff --git a/src/SFML/Graphics/RenderTarget.cpp b/src/SFML/Graphics/RenderTarget.cpp index 69e25640..3d01779c 100644 --- a/src/SFML/Graphics/RenderTarget.cpp +++ b/src/SFML/Graphics/RenderTarget.cpp @@ -30,7 +30,7 @@ #include #include #include -#include +#include #include @@ -52,89 +52,89 @@ RenderTarget::~RenderTarget() //////////////////////////////////////////////////////////// -void RenderTarget::Clear(const Color& color) +void RenderTarget::clear(const Color& color) { - if (Activate(true)) + if (activate(true)) { - GLCheck(glClearColor(color.r / 255.f, color.g / 255.f, color.b / 255.f, color.a / 255.f)); - GLCheck(glClear(GL_COLOR_BUFFER_BIT)); + glCheck(glClearColor(color.r / 255.f, color.g / 255.f, color.b / 255.f, color.a / 255.f)); + glCheck(glClear(GL_COLOR_BUFFER_BIT)); } } //////////////////////////////////////////////////////////// -void RenderTarget::SetView(const View& view) +void RenderTarget::setView(const View& view) { m_view = view; - m_cache.ViewChanged = true; + m_cache.viewChanged = true; } //////////////////////////////////////////////////////////// -const View& RenderTarget::GetView() const +const View& RenderTarget::getView() const { return m_view; } //////////////////////////////////////////////////////////// -const View& RenderTarget::GetDefaultView() const +const View& RenderTarget::getDefaultView() const { return m_defaultView; } //////////////////////////////////////////////////////////// -IntRect RenderTarget::GetViewport(const View& view) const +IntRect RenderTarget::getViewport(const View& view) const { - float width = static_cast(GetSize().x); - float height = static_cast(GetSize().y); - const FloatRect& viewport = view.GetViewport(); + float width = static_cast(getSize().x); + float height = static_cast(getSize().y); + const FloatRect& viewport = view.getViewport(); - return IntRect(static_cast(0.5f + width * viewport.Left), - static_cast(0.5f + height * viewport.Top), - static_cast(width * viewport.Width), - static_cast(height * viewport.Height)); + return IntRect(static_cast(0.5f + width * viewport.left), + static_cast(0.5f + height * viewport.top), + static_cast(width * viewport.width), + static_cast(height * viewport.height)); } //////////////////////////////////////////////////////////// -Vector2f RenderTarget::ConvertCoords(unsigned int x, unsigned int y) const +Vector2f RenderTarget::convertCoords(unsigned int x, unsigned int y) const { - return ConvertCoords(x, y, GetView()); + return convertCoords(x, y, getView()); } //////////////////////////////////////////////////////////// -Vector2f RenderTarget::ConvertCoords(unsigned int x, unsigned int y, const View& view) const +Vector2f RenderTarget::convertCoords(unsigned int x, unsigned int y, const View& view) const { // First, convert from viewport coordinates to homogeneous coordinates Vector2f coords; - IntRect viewport = GetViewport(view); - coords.x = -1.f + 2.f * (static_cast(x) - viewport.Left) / viewport.Width; - coords.y = 1.f - 2.f * (static_cast(y) - viewport.Top) / viewport.Height; + IntRect viewport = getViewport(view); + coords.x = -1.f + 2.f * (static_cast(x) - viewport.left) / viewport.width; + coords.y = 1.f - 2.f * (static_cast(y) - viewport.top) / viewport.height; // Then transform by the inverse of the view matrix - return view.GetInverseTransform().TransformPoint(coords); + return view.getInverseTransform().transformPoint(coords); } //////////////////////////////////////////////////////////// -void RenderTarget::Draw(const Drawable& drawable, const RenderStates& states) +void RenderTarget::draw(const Drawable& drawable, const RenderStates& states) { - drawable.Draw(*this, states); + drawable.draw(*this, states); } //////////////////////////////////////////////////////////// -void RenderTarget::Draw(const Vertex* vertices, unsigned int vertexCount, +void RenderTarget::draw(const Vertex* vertices, unsigned int vertexCount, PrimitiveType type, const RenderStates& states) { // Nothing to draw? if (!vertices || (vertexCount == 0)) return; - if (Activate(true)) + if (activate(true)) { // Check if the vertex count is low enough so that we can pre-transform them bool useVertexCache = (vertexCount <= StatesCache::VertexCacheSize); @@ -143,44 +143,44 @@ void RenderTarget::Draw(const Vertex* vertices, unsigned int vertexCount, // Pre-transform the vertices and store them into the vertex cache for (unsigned int i = 0; i < vertexCount; ++i) { - Vertex& vertex = m_cache.VertexCache[i]; - vertex.Position = states.Transform * vertices[i].Position; - vertex.Color = vertices[i].Color; - vertex.TexCoords = vertices[i].TexCoords; + Vertex& vertex = m_cache.vertexCache[i]; + vertex.position = states.transform * vertices[i].position; + vertex.color = vertices[i].color; + vertex.texCoords = vertices[i].texCoords; } // Since vertices are transformed, we must use an identity transform to render them - if (!m_cache.UseVertexCache) - ApplyTransform(Transform::Identity); + if (!m_cache.useVertexCache) + applyTransform(Transform::Identity); } else { - ApplyTransform(states.Transform); + applyTransform(states.transform); } // Apply the view - if (m_cache.ViewChanged) - ApplyCurrentView(); + if (m_cache.viewChanged) + applyCurrentView(); // Apply the blend mode - if (states.BlendMode != m_cache.LastBlendMode) - ApplyBlendMode(states.BlendMode); + if (states.blendMode != m_cache.lastBlendMode) + applyBlendMode(states.blendMode); // Apply the texture - Uint64 textureId = states.Texture ? states.Texture->m_cacheId : 0; - if (textureId != m_cache.LastTextureId) - ApplyTexture(states.Texture); + Uint64 textureId = states.texture ? states.texture->m_cacheId : 0; + if (textureId != m_cache.lastTextureId) + applyTexture(states.texture); // Apply the shader - if (states.Shader) - ApplyShader(states.Shader); + if (states.shader) + applyShader(states.shader); // If we pre-transform the vertices, we must use our internal vertex cache if (useVertexCache) { // ... and if we already used it previously, we don't need to set the pointers again - if (!m_cache.UseVertexCache) - vertices = m_cache.VertexCache; + if (!m_cache.useVertexCache) + vertices = m_cache.vertexCache; else vertices = NULL; } @@ -189,9 +189,9 @@ void RenderTarget::Draw(const Vertex* vertices, unsigned int vertexCount, if (vertices) { const char* data = reinterpret_cast(vertices); - GLCheck(glVertexPointer(2, GL_FLOAT, sizeof(Vertex), data + 0)); - GLCheck(glColorPointer(4, GL_UNSIGNED_BYTE, sizeof(Vertex), data + 8)); - GLCheck(glTexCoordPointer(2, GL_FLOAT, sizeof(Vertex), data + 12)); + glCheck(glVertexPointer(2, GL_FLOAT, sizeof(Vertex), data + 0)); + glCheck(glColorPointer(4, GL_UNSIGNED_BYTE, sizeof(Vertex), data + 8)); + glCheck(glTexCoordPointer(2, GL_FLOAT, sizeof(Vertex), data + 12)); } // Find the OpenGL primitive type @@ -200,119 +200,119 @@ void RenderTarget::Draw(const Vertex* vertices, unsigned int vertexCount, GLenum mode = modes[type]; // Draw the primitives - GLCheck(glDrawArrays(mode, 0, vertexCount)); + glCheck(glDrawArrays(mode, 0, vertexCount)); // Unbind the shader, if any - if (states.Shader) - ApplyShader(NULL); + if (states.shader) + applyShader(NULL); // Update the cache - m_cache.UseVertexCache = useVertexCache; + m_cache.useVertexCache = useVertexCache; } } //////////////////////////////////////////////////////////// -void RenderTarget::PushGLStates() +void RenderTarget::pushGLStates() { - if (Activate(true)) + if (activate(true)) { - GLCheck(glPushAttrib(GL_ALL_ATTRIB_BITS)); - GLCheck(glMatrixMode(GL_MODELVIEW)); - GLCheck(glPushMatrix()); - GLCheck(glMatrixMode(GL_PROJECTION)); - GLCheck(glPushMatrix()); - GLCheck(glMatrixMode(GL_TEXTURE)); - GLCheck(glPushMatrix()); + glCheck(glPushAttrib(GL_ALL_ATTRIB_BITS)); + glCheck(glMatrixMode(GL_MODELVIEW)); + glCheck(glPushMatrix()); + glCheck(glMatrixMode(GL_PROJECTION)); + glCheck(glPushMatrix()); + glCheck(glMatrixMode(GL_TEXTURE)); + glCheck(glPushMatrix()); } - ResetGLStates(); + resetGLStates(); } //////////////////////////////////////////////////////////// -void RenderTarget::PopGLStates() +void RenderTarget::popGLStates() { - if (Activate(true)) + if (activate(true)) { - GLCheck(glPopAttrib()); - GLCheck(glMatrixMode(GL_PROJECTION)); - GLCheck(glPopMatrix()); - GLCheck(glMatrixMode(GL_MODELVIEW)); - GLCheck(glPopMatrix()); - GLCheck(glMatrixMode(GL_TEXTURE)); - GLCheck(glPopMatrix()); + glCheck(glPopAttrib()); + glCheck(glMatrixMode(GL_PROJECTION)); + glCheck(glPopMatrix()); + glCheck(glMatrixMode(GL_MODELVIEW)); + glCheck(glPopMatrix()); + glCheck(glMatrixMode(GL_TEXTURE)); + glCheck(glPopMatrix()); } } //////////////////////////////////////////////////////////// -void RenderTarget::ResetGLStates() +void RenderTarget::resetGLStates() { - if (Activate(true)) + if (activate(true)) { // Make sure that GLEW is initialized - priv::EnsureGlewInit(); + priv::ensureGlewInit(); // Define the default OpenGL states - GLCheck(glDisable(GL_LIGHTING)); - GLCheck(glDisable(GL_DEPTH_TEST)); - GLCheck(glEnable(GL_TEXTURE_2D)); - GLCheck(glEnable(GL_ALPHA_TEST)); - GLCheck(glEnable(GL_BLEND)); - GLCheck(glAlphaFunc(GL_GREATER, 0)); - GLCheck(glMatrixMode(GL_MODELVIEW)); - GLCheck(glEnableClientState(GL_VERTEX_ARRAY)); - GLCheck(glEnableClientState(GL_COLOR_ARRAY)); - GLCheck(glEnableClientState(GL_TEXTURE_COORD_ARRAY)); + glCheck(glDisable(GL_LIGHTING)); + glCheck(glDisable(GL_DEPTH_TEST)); + glCheck(glEnable(GL_TEXTURE_2D)); + glCheck(glEnable(GL_ALPHA_TEST)); + glCheck(glEnable(GL_BLEND)); + glCheck(glAlphaFunc(GL_GREATER, 0)); + glCheck(glMatrixMode(GL_MODELVIEW)); + glCheck(glEnableClientState(GL_VERTEX_ARRAY)); + glCheck(glEnableClientState(GL_COLOR_ARRAY)); + glCheck(glEnableClientState(GL_TEXTURE_COORD_ARRAY)); // Apply the default SFML states - ApplyBlendMode(BlendAlpha); - ApplyTransform(Transform::Identity); - ApplyTexture(NULL); - if (Shader::IsAvailable()) - ApplyShader(NULL); - m_cache.UseVertexCache = false; + applyBlendMode(BlendAlpha); + applyTransform(Transform::Identity); + applyTexture(NULL); + if (Shader::isAvailable()) + applyShader(NULL); + m_cache.useVertexCache = false; // Set the default view - SetView(GetView()); + setView(getView()); } } //////////////////////////////////////////////////////////// -void RenderTarget::Initialize() +void RenderTarget::initialize() { // Setup the default and current views - m_defaultView.Reset(FloatRect(0, 0, static_cast(GetSize().x), static_cast(GetSize().y))); + m_defaultView.reset(FloatRect(0, 0, static_cast(getSize().x), static_cast(getSize().y))); m_view = m_defaultView; // Initialize the default OpenGL render-states - ResetGLStates(); + resetGLStates(); } //////////////////////////////////////////////////////////// -void RenderTarget::ApplyCurrentView() +void RenderTarget::applyCurrentView() { // Set the viewport - IntRect viewport = GetViewport(m_view); - int top = GetSize().y - (viewport.Top + viewport.Height); - GLCheck(glViewport(viewport.Left, top, viewport.Width, viewport.Height)); + IntRect viewport = getViewport(m_view); + int top = getSize().y - (viewport.top + viewport.height); + glCheck(glViewport(viewport.left, top, viewport.width, viewport.height)); // Set the projection matrix - GLCheck(glMatrixMode(GL_PROJECTION)); - GLCheck(glLoadMatrixf(m_view.GetTransform().GetMatrix())); + glCheck(glMatrixMode(GL_PROJECTION)); + glCheck(glLoadMatrixf(m_view.getTransform().getMatrix())); // Go back to model-view mode - GLCheck(glMatrixMode(GL_MODELVIEW)); + glCheck(glMatrixMode(GL_MODELVIEW)); - m_cache.ViewChanged = false; + m_cache.viewChanged = false; } //////////////////////////////////////////////////////////// -void RenderTarget::ApplyBlendMode(BlendMode mode) +void RenderTarget::applyBlendMode(BlendMode mode) { switch (mode) { @@ -322,59 +322,59 @@ void RenderTarget::ApplyBlendMode(BlendMode mode) default : case BlendAlpha : if (GLEW_EXT_blend_func_separate) - GLCheck(glBlendFuncSeparateEXT(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA, GL_ONE, GL_ONE_MINUS_SRC_ALPHA)); + glCheck(glBlendFuncSeparateEXT(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA, GL_ONE, GL_ONE_MINUS_SRC_ALPHA)); else - GLCheck(glBlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA)); + glCheck(glBlendFunc(GL_SRC_ALPHA, GL_ONE_MINUS_SRC_ALPHA)); break; // Additive blending case BlendAdd : - GLCheck(glBlendFunc(GL_SRC_ALPHA, GL_ONE)); + glCheck(glBlendFunc(GL_SRC_ALPHA, GL_ONE)); break; // Multiplicative blending case BlendMultiply : - GLCheck(glBlendFunc(GL_DST_COLOR, GL_ZERO)); + glCheck(glBlendFunc(GL_DST_COLOR, GL_ZERO)); break; // No blending case BlendNone : - GLCheck(glBlendFunc(GL_ONE, GL_ZERO)); + glCheck(glBlendFunc(GL_ONE, GL_ZERO)); break; } - m_cache.LastBlendMode = mode; + m_cache.lastBlendMode = mode; } //////////////////////////////////////////////////////////// -void RenderTarget::ApplyTransform(const Transform& transform) +void RenderTarget::applyTransform(const Transform& transform) { // No need to call glMatrixMode(GL_MODELVIEW), it is always the // current mode (for optimization purpose, since it's the most used) - GLCheck(glLoadMatrixf(transform.GetMatrix())); + glCheck(glLoadMatrixf(transform.getMatrix())); } //////////////////////////////////////////////////////////// -void RenderTarget::ApplyTexture(const Texture* texture) +void RenderTarget::applyTexture(const Texture* texture) { if (texture) - texture->Bind(Texture::Pixels); + texture->bind(Texture::Pixels); else - GLCheck(glBindTexture(GL_TEXTURE_2D, 0)); + glCheck(glBindTexture(GL_TEXTURE_2D, 0)); - m_cache.LastTextureId = texture ? texture->m_cacheId : 0; + m_cache.lastTextureId = texture ? texture->m_cacheId : 0; } //////////////////////////////////////////////////////////// -void RenderTarget::ApplyShader(const Shader* shader) +void RenderTarget::applyShader(const Shader* shader) { if (shader) - shader->Bind(); + shader->bind(); else - GLCheck(glUseProgramObjectARB(0)); + glCheck(glUseProgramObjectARB(0)); } } // namespace sf diff --git a/src/SFML/Graphics/RenderTexture.cpp b/src/SFML/Graphics/RenderTexture.cpp index c079c6d5..cbc559f9 100644 --- a/src/SFML/Graphics/RenderTexture.cpp +++ b/src/SFML/Graphics/RenderTexture.cpp @@ -49,21 +49,21 @@ RenderTexture::~RenderTexture() //////////////////////////////////////////////////////////// -bool RenderTexture::Create(unsigned int width, unsigned int height, bool depthBuffer) +bool RenderTexture::create(unsigned int width, unsigned int height, bool depthBuffer) { // Create the texture - if (!m_texture.Create(width, height)) + if (!m_texture.create(width, height)) { - Err() << "Impossible to create render texture (failed to create the target texture)" << std::endl; + err() << "Impossible to create render texture (failed to create the target texture)" << std::endl; return false; } // We disable smoothing by default for render textures - SetSmooth(false); + setSmooth(false); // Create the implementation delete m_impl; - if (priv::RenderTextureImplFBO::IsAvailable()) + if (priv::RenderTextureImplFBO::isAvailable()) { // Use frame-buffer object (FBO) m_impl = new priv::RenderTextureImplFBO; @@ -75,67 +75,67 @@ bool RenderTexture::Create(unsigned int width, unsigned int height, bool depthBu } // Initialize the render texture - if (!m_impl->Create(width, height, m_texture.m_texture, depthBuffer)) + if (!m_impl->create(width, height, m_texture.m_texture, depthBuffer)) return false; // We can now initialize the render target part - RenderTarget::Initialize(); + RenderTarget::initialize(); return true; } //////////////////////////////////////////////////////////// -void RenderTexture::SetSmooth(bool smooth) +void RenderTexture::setSmooth(bool smooth) { - m_texture.SetSmooth(smooth); + m_texture.setSmooth(smooth); } //////////////////////////////////////////////////////////// -bool RenderTexture::IsSmooth() const +bool RenderTexture::isSmooth() const { - return m_texture.IsSmooth(); + return m_texture.isSmooth(); } //////////////////////////////////////////////////////////// -bool RenderTexture::SetActive(bool active) +bool RenderTexture::setActive(bool active) { - return m_impl && m_impl->Activate(active); + return m_impl && m_impl->activate(active); } //////////////////////////////////////////////////////////// -void RenderTexture::Display() +void RenderTexture::display() { // Update the target texture - if (SetActive(true)) + if (setActive(true)) { - m_impl->UpdateTexture(m_texture.m_texture); + m_impl->updateTexture(m_texture.m_texture); m_texture.m_pixelsFlipped = true; } } //////////////////////////////////////////////////////////// -Vector2u RenderTexture::GetSize() const +Vector2u RenderTexture::getSize() const { - return Vector2u(m_texture.GetWidth(), m_texture.GetHeight()); + return Vector2u(m_texture.getWidth(), m_texture.getHeight()); } //////////////////////////////////////////////////////////// -const Texture& RenderTexture::GetTexture() const +const Texture& RenderTexture::getTexture() const { return m_texture; } //////////////////////////////////////////////////////////// -bool RenderTexture::Activate(bool active) +bool RenderTexture::activate(bool active) { - return SetActive(active); + return setActive(active); } } // namespace sf diff --git a/src/SFML/Graphics/RenderTextureImpl.hpp b/src/SFML/Graphics/RenderTextureImpl.hpp index 5d25c01f..0c7ba868 100644 --- a/src/SFML/Graphics/RenderTextureImpl.hpp +++ b/src/SFML/Graphics/RenderTextureImpl.hpp @@ -60,7 +60,7 @@ public : /// \return True if creation has been successful /// //////////////////////////////////////////////////////////// - virtual bool Create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer) = 0; + virtual bool create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer) = 0; //////////////////////////////////////////////////////////// /// \brief Activate or deactivate the render texture for rendering @@ -70,7 +70,7 @@ public : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active) = 0; + virtual bool activate(bool active) = 0; //////////////////////////////////////////////////////////// /// \brief Update the pixels of the target texture @@ -78,7 +78,7 @@ public : /// \param textureId OpenGL identifier of the target texture /// //////////////////////////////////////////////////////////// - virtual void UpdateTexture(unsigned int textureId) = 0; + virtual void updateTexture(unsigned int textureId) = 0; }; } // namespace priv diff --git a/src/SFML/Graphics/RenderTextureImplDefault.cpp b/src/SFML/Graphics/RenderTextureImplDefault.cpp index 9fc0225c..581f28f8 100644 --- a/src/SFML/Graphics/RenderTextureImplDefault.cpp +++ b/src/SFML/Graphics/RenderTextureImplDefault.cpp @@ -26,7 +26,7 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include #include #include #include @@ -55,7 +55,7 @@ RenderTextureImplDefault::~RenderTextureImplDefault() //////////////////////////////////////////////////////////// -bool RenderTextureImplDefault::Create(unsigned int width, unsigned int height, unsigned int, bool depthBuffer) +bool RenderTextureImplDefault::create(unsigned int width, unsigned int height, unsigned int, bool depthBuffer) { // Store the dimensions m_width = width; @@ -69,21 +69,21 @@ bool RenderTextureImplDefault::Create(unsigned int width, unsigned int height, u //////////////////////////////////////////////////////////// -bool RenderTextureImplDefault::Activate(bool active) +bool RenderTextureImplDefault::activate(bool active) { - return m_context->SetActive(active); + return m_context->setActive(active); } //////////////////////////////////////////////////////////// -void RenderTextureImplDefault::UpdateTexture(unsigned int textureId) +void RenderTextureImplDefault::updateTexture(unsigned int textureId) { // Make sure that the current texture binding will be preserved priv::TextureSaver save; // Copy the rendered pixels to the texture - GLCheck(glBindTexture(GL_TEXTURE_2D, textureId)); - GLCheck(glCopyTexSubImage2D(GL_TEXTURE_2D, 0, 0, 0, 0, 0, m_width, m_height)); + glCheck(glBindTexture(GL_TEXTURE_2D, textureId)); + glCheck(glCopyTexSubImage2D(GL_TEXTURE_2D, 0, 0, 0, 0, 0, m_width, m_height)); } } // namespace priv diff --git a/src/SFML/Graphics/RenderTextureImplDefault.hpp b/src/SFML/Graphics/RenderTextureImplDefault.hpp index 9552f991..28973d40 100644 --- a/src/SFML/Graphics/RenderTextureImplDefault.hpp +++ b/src/SFML/Graphics/RenderTextureImplDefault.hpp @@ -71,7 +71,7 @@ private : /// \return True if creation has been successful /// //////////////////////////////////////////////////////////// - virtual bool Create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer); + virtual bool create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer); //////////////////////////////////////////////////////////// /// \brief Activate or deactivate the render texture for rendering @@ -81,7 +81,7 @@ private : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active); + virtual bool activate(bool active); //////////////////////////////////////////////////////////// /// \brief Update the pixels of the target texture @@ -89,7 +89,7 @@ private : /// \param textureId OpenGL identifier of the target texture /// //////////////////////////////////////////////////////////// - virtual void UpdateTexture(unsigned textureId); + virtual void updateTexture(unsigned textureId); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Graphics/RenderTextureImplFBO.cpp b/src/SFML/Graphics/RenderTextureImplFBO.cpp index c615929e..ce0b977c 100644 --- a/src/SFML/Graphics/RenderTextureImplFBO.cpp +++ b/src/SFML/Graphics/RenderTextureImplFBO.cpp @@ -27,7 +27,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include #include @@ -47,20 +47,20 @@ m_depthBuffer(0) //////////////////////////////////////////////////////////// RenderTextureImplFBO::~RenderTextureImplFBO() { - EnsureGlContext(); + ensureGlContext(); // Destroy the depth buffer if (m_depthBuffer) { GLuint depthBuffer = static_cast(m_depthBuffer); - GLCheck(glDeleteFramebuffersEXT(1, &depthBuffer)); + glCheck(glDeleteFramebuffersEXT(1, &depthBuffer)); } // Destroy the frame buffer if (m_frameBuffer) { GLuint frameBuffer = static_cast(m_frameBuffer); - GLCheck(glDeleteFramebuffersEXT(1, &frameBuffer)); + glCheck(glDeleteFramebuffersEXT(1, &frameBuffer)); } // Delete the context @@ -69,58 +69,58 @@ RenderTextureImplFBO::~RenderTextureImplFBO() //////////////////////////////////////////////////////////// -bool RenderTextureImplFBO::IsAvailable() +bool RenderTextureImplFBO::isAvailable() { - EnsureGlContext(); + ensureGlContext(); // Make sure that GLEW is initialized - priv::EnsureGlewInit(); + priv::ensureGlewInit(); return GLEW_EXT_framebuffer_object != 0; } //////////////////////////////////////////////////////////// -bool RenderTextureImplFBO::Create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer) +bool RenderTextureImplFBO::create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer) { // Create the context m_context = new Context; // Create the framebuffer object GLuint frameBuffer = 0; - GLCheck(glGenFramebuffersEXT(1, &frameBuffer)); + glCheck(glGenFramebuffersEXT(1, &frameBuffer)); m_frameBuffer = static_cast(frameBuffer); if (!m_frameBuffer) { - Err() << "Impossible to create render texture (failed to create the frame buffer object)" << std::endl; + err() << "Impossible to create render texture (failed to create the frame buffer object)" << std::endl; return false; } - GLCheck(glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, m_frameBuffer)); + glCheck(glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, m_frameBuffer)); // Create the depth buffer if requested if (depthBuffer) { GLuint depth = 0; - GLCheck(glGenRenderbuffersEXT(1, &depth)); + glCheck(glGenRenderbuffersEXT(1, &depth)); m_depthBuffer = static_cast(depth); if (!m_depthBuffer) { - Err() << "Impossible to create render texture (failed to create the attached depth buffer)" << std::endl; + err() << "Impossible to create render texture (failed to create the attached depth buffer)" << std::endl; return false; } - GLCheck(glBindRenderbufferEXT(GL_RENDERBUFFER_EXT, m_depthBuffer)); - GLCheck(glRenderbufferStorageEXT(GL_RENDERBUFFER_EXT, GL_DEPTH_COMPONENT, width, height)); - GLCheck(glFramebufferRenderbufferEXT(GL_FRAMEBUFFER_EXT, GL_DEPTH_ATTACHMENT_EXT, GL_RENDERBUFFER_EXT, m_depthBuffer)); + glCheck(glBindRenderbufferEXT(GL_RENDERBUFFER_EXT, m_depthBuffer)); + glCheck(glRenderbufferStorageEXT(GL_RENDERBUFFER_EXT, GL_DEPTH_COMPONENT, width, height)); + glCheck(glFramebufferRenderbufferEXT(GL_FRAMEBUFFER_EXT, GL_DEPTH_ATTACHMENT_EXT, GL_RENDERBUFFER_EXT, m_depthBuffer)); } // Link the texture to the frame buffer - GLCheck(glFramebufferTexture2DEXT(GL_FRAMEBUFFER_EXT, GL_COLOR_ATTACHMENT0_EXT, GL_TEXTURE_2D, textureId, 0)); + glCheck(glFramebufferTexture2DEXT(GL_FRAMEBUFFER_EXT, GL_COLOR_ATTACHMENT0_EXT, GL_TEXTURE_2D, textureId, 0)); // A final check, just to be sure... if (glCheckFramebufferStatusEXT(GL_FRAMEBUFFER_EXT) != GL_FRAMEBUFFER_COMPLETE_EXT) { - GLCheck(glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, 0)); - Err() << "Impossible to create render texture (failed to link the target texture to the frame buffer)" << std::endl; + glCheck(glBindFramebufferEXT(GL_FRAMEBUFFER_EXT, 0)); + err() << "Impossible to create render texture (failed to link the target texture to the frame buffer)" << std::endl; return false; } @@ -129,13 +129,14 @@ bool RenderTextureImplFBO::Create(unsigned int width, unsigned int height, unsig //////////////////////////////////////////////////////////// -bool RenderTextureImplFBO::Activate(bool active) +bool RenderTextureImplFBO::activate(bool active) { - return m_context->SetActive(active); + return m_context->setActive(active); } + //////////////////////////////////////////////////////////// -void RenderTextureImplFBO::UpdateTexture(unsigned int) +void RenderTextureImplFBO::updateTexture(unsigned int) { glFlush(); } diff --git a/src/SFML/Graphics/RenderTextureImplFBO.hpp b/src/SFML/Graphics/RenderTextureImplFBO.hpp index cabf45f5..25e433d3 100644 --- a/src/SFML/Graphics/RenderTextureImplFBO.hpp +++ b/src/SFML/Graphics/RenderTextureImplFBO.hpp @@ -64,7 +64,7 @@ public : /// \return True if FBO render textures are supported /// //////////////////////////////////////////////////////////// - static bool IsAvailable(); + static bool isAvailable(); private : @@ -79,7 +79,7 @@ private : /// \return True if creation has been successful /// //////////////////////////////////////////////////////////// - virtual bool Create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer); + virtual bool create(unsigned int width, unsigned int height, unsigned int textureId, bool depthBuffer); //////////////////////////////////////////////////////////// /// \brief Activate or deactivate the render texture for rendering @@ -89,7 +89,7 @@ private : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - virtual bool Activate(bool active); + virtual bool activate(bool active); //////////////////////////////////////////////////////////// /// \brief Update the pixels of the target texture @@ -97,7 +97,7 @@ private : /// \param textureId OpenGL identifier of the target texture /// //////////////////////////////////////////////////////////// - virtual void UpdateTexture(unsigned textureId); + virtual void updateTexture(unsigned textureId); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Graphics/RenderWindow.cpp b/src/SFML/Graphics/RenderWindow.cpp index 662b7fa5..914c592e 100644 --- a/src/SFML/Graphics/RenderWindow.cpp +++ b/src/SFML/Graphics/RenderWindow.cpp @@ -26,7 +26,7 @@ // Headers //////////////////////////////////////////////////////////// #include -#include +#include namespace sf @@ -42,7 +42,7 @@ RenderWindow::RenderWindow() RenderWindow::RenderWindow(VideoMode mode, const std::string& title, Uint32 style, const ContextSettings& settings) { // Don't call the base class constructor because it contains virtual function calls - Create(mode, title, style, settings); + create(mode, title, style, settings); } @@ -50,7 +50,7 @@ RenderWindow::RenderWindow(VideoMode mode, const std::string& title, Uint32 styl RenderWindow::RenderWindow(WindowHandle handle, const ContextSettings& settings) { // Don't call the base class constructor because it contains virtual function calls - Create(handle, settings); + create(handle, settings); } @@ -62,37 +62,37 @@ RenderWindow::~RenderWindow() //////////////////////////////////////////////////////////// -bool RenderWindow::Activate(bool active) +bool RenderWindow::activate(bool active) { - return SetActive(active); + return setActive(active); } //////////////////////////////////////////////////////////// -Vector2u RenderWindow::GetSize() const +Vector2u RenderWindow::getSize() const { - return Window::GetSize(); + return Window::getSize(); } //////////////////////////////////////////////////////////// -Image RenderWindow::Capture() const +Image RenderWindow::capture() const { Image image; - if (SetActive()) + if (setActive()) { - int width = static_cast(GetSize().x); - int height = static_cast(GetSize().y); + int width = static_cast(getSize().x); + int height = static_cast(getSize().y); // copy rows one by one and flip them (OpenGL's origin is bottom while SFML's origin is top) std::vector pixels(width * height * 4); for (int i = 0; i < height; ++i) { Uint8* ptr = &pixels[i * width * 4]; - GLCheck(glReadPixels(0, height - i - 1, width, 1, GL_RGBA, GL_UNSIGNED_BYTE, ptr)); + glCheck(glReadPixels(0, height - i - 1, width, 1, GL_RGBA, GL_UNSIGNED_BYTE, ptr)); } - image.Create(width, height, &pixels[0]); + image.create(width, height, &pixels[0]); } return image; @@ -100,18 +100,18 @@ Image RenderWindow::Capture() const //////////////////////////////////////////////////////////// -void RenderWindow::OnCreate() +void RenderWindow::onCreate() { // Just initialize the render target part - RenderTarget::Initialize(); + RenderTarget::initialize(); } //////////////////////////////////////////////////////////// -void RenderWindow::OnResize() +void RenderWindow::onResize() { // Update the current view (recompute the viewport, which is stored in relative coordinates) - SetView(GetView()); + setView(getView()); } } // namespace sf diff --git a/src/SFML/Graphics/Shader.cpp b/src/SFML/Graphics/Shader.cpp index 2ababcc9..caeb954f 100644 --- a/src/SFML/Graphics/Shader.cpp +++ b/src/SFML/Graphics/Shader.cpp @@ -28,7 +28,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include #include #include #include @@ -38,15 +38,15 @@ namespace { // Retrieve the maximum number of texture units available - GLint GetMaxTextureUnits() + GLint getMaxTextureUnits() { GLint maxUnits; - GLCheck(glGetIntegerv(GL_MAX_TEXTURE_COORDS_ARB, &maxUnits)); + glCheck(glGetIntegerv(GL_MAX_TEXTURE_COORDS_ARB, &maxUnits)); return maxUnits; } // Read the contents of a file into an array of char - bool GetFileContents(const std::string& filename, std::vector& buffer) + bool getFileContents(const std::string& filename, std::vector& buffer) { std::ifstream file(filename.c_str(), std::ios_base::binary); if (file) @@ -66,11 +66,11 @@ namespace } // Read the contents of a stream into an array of char - bool GetStreamContents(sf::InputStream& stream, std::vector& buffer) + bool getStreamContents(sf::InputStream& stream, std::vector& buffer) { - sf::Int64 size = stream.GetSize(); + sf::Int64 size = stream.getSize(); buffer.resize(static_cast(size)); - sf::Int64 read = stream.Read(&buffer[0], size); + sf::Int64 read = stream.read(&buffer[0], size); buffer.push_back('\0'); return read == size; } @@ -94,272 +94,272 @@ m_currentTexture(-1) //////////////////////////////////////////////////////////// Shader::~Shader() { - EnsureGlContext(); + ensureGlContext(); // Destroy effect program if (m_shaderProgram) - GLCheck(glDeleteObjectARB(m_shaderProgram)); + glCheck(glDeleteObjectARB(m_shaderProgram)); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromFile(const std::string& filename, Type type) +bool Shader::loadFromFile(const std::string& filename, Type type) { // Read the file std::vector shader; - if (!GetFileContents(filename, shader)) + if (!getFileContents(filename, shader)) { - Err() << "Failed to open shader file \"" << filename << "\"" << std::endl; + err() << "Failed to open shader file \"" << filename << "\"" << std::endl; return false; } // Compile the shader program if (type == Vertex) - return Compile(&shader[0], NULL); + return compile(&shader[0], NULL); else - return Compile(NULL, &shader[0]); + return compile(NULL, &shader[0]); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromFile(const std::string& vertexShaderFilename, const std::string& fragmentShaderFilename) +bool Shader::loadFromFile(const std::string& vertexShaderFilename, const std::string& fragmentShaderFilename) { // Read the vertex shader file std::vector vertexShader; - if (!GetFileContents(vertexShaderFilename, vertexShader)) + if (!getFileContents(vertexShaderFilename, vertexShader)) { - Err() << "Failed to open vertex shader file \"" << vertexShaderFilename << "\"" << std::endl; + err() << "Failed to open vertex shader file \"" << vertexShaderFilename << "\"" << std::endl; return false; } // Read the fragment shader file std::vector fragmentShader; - if (!GetFileContents(fragmentShaderFilename, fragmentShader)) + if (!getFileContents(fragmentShaderFilename, fragmentShader)) { - Err() << "Failed to open fragment shader file \"" << fragmentShaderFilename << "\"" << std::endl; + err() << "Failed to open fragment shader file \"" << fragmentShaderFilename << "\"" << std::endl; return false; } // Compile the shader program - return Compile(&vertexShader[0], &fragmentShader[0]); + return compile(&vertexShader[0], &fragmentShader[0]); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromMemory(const std::string& shader, Type type) +bool Shader::loadFromMemory(const std::string& shader, Type type) { // Compile the shader program if (type == Vertex) - return Compile(shader.c_str(), NULL); + return compile(shader.c_str(), NULL); else - return Compile(NULL, shader.c_str()); + return compile(NULL, shader.c_str()); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromMemory(const std::string& vertexShader, const std::string& fragmentShader) +bool Shader::loadFromMemory(const std::string& vertexShader, const std::string& fragmentShader) { // Compile the shader program - return Compile(vertexShader.c_str(), fragmentShader.c_str()); + return compile(vertexShader.c_str(), fragmentShader.c_str()); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromStream(InputStream& stream, Type type) +bool Shader::loadFromStream(InputStream& stream, Type type) { // Read the shader code from the stream std::vector shader; - if (!GetStreamContents(stream, shader)) + if (!getStreamContents(stream, shader)) { - Err() << "Failed to read shader from stream" << std::endl; + err() << "Failed to read shader from stream" << std::endl; return false; } // Compile the shader program if (type == Vertex) - return Compile(&shader[0], NULL); + return compile(&shader[0], NULL); else - return Compile(NULL, &shader[0]); + return compile(NULL, &shader[0]); } //////////////////////////////////////////////////////////// -bool Shader::LoadFromStream(InputStream& vertexShaderStream, InputStream& fragmentShaderStream) +bool Shader::loadFromStream(InputStream& vertexShaderStream, InputStream& fragmentShaderStream) { // Read the vertex shader code from the stream std::vector vertexShader; - if (!GetStreamContents(vertexShaderStream, vertexShader)) + if (!getStreamContents(vertexShaderStream, vertexShader)) { - Err() << "Failed to read vertex shader from stream" << std::endl; + err() << "Failed to read vertex shader from stream" << std::endl; return false; } // Read the fragment shader code from the stream std::vector fragmentShader; - if (!GetStreamContents(fragmentShaderStream, fragmentShader)) + if (!getStreamContents(fragmentShaderStream, fragmentShader)) { - Err() << "Failed to read fragment shader from stream" << std::endl; + err() << "Failed to read fragment shader from stream" << std::endl; return false; } // Compile the shader program - return Compile(&vertexShader[0], &fragmentShader[0]); + return compile(&vertexShader[0], &fragmentShader[0]); } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, float x) +void Shader::setParameter(const std::string& name, float x) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable program GLhandleARB program = glGetHandleARB(GL_PROGRAM_OBJECT_ARB); - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Get parameter location and assign it new values GLint location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location != -1) - GLCheck(glUniform1fARB(location, x)); + glCheck(glUniform1fARB(location, x)); else - Err() << "Parameter \"" << name << "\" not found in shader" << std::endl; + err() << "Parameter \"" << name << "\" not found in shader" << std::endl; // Disable program - GLCheck(glUseProgramObjectARB(program)); + glCheck(glUseProgramObjectARB(program)); } } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, float x, float y) +void Shader::setParameter(const std::string& name, float x, float y) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable program GLhandleARB program = glGetHandleARB(GL_PROGRAM_OBJECT_ARB); - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Get parameter location and assign it new values GLint location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location != -1) - GLCheck(glUniform2fARB(location, x, y)); + glCheck(glUniform2fARB(location, x, y)); else - Err() << "Parameter \"" << name << "\" not found in shader" << std::endl; + err() << "Parameter \"" << name << "\" not found in shader" << std::endl; // Disable program - GLCheck(glUseProgramObjectARB(program)); + glCheck(glUseProgramObjectARB(program)); } } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, float x, float y, float z) +void Shader::setParameter(const std::string& name, float x, float y, float z) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable program GLhandleARB program = glGetHandleARB(GL_PROGRAM_OBJECT_ARB); - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Get parameter location and assign it new values GLint location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location != -1) - GLCheck(glUniform3fARB(location, x, y, z)); + glCheck(glUniform3fARB(location, x, y, z)); else - Err() << "Parameter \"" << name << "\" not found in shader" << std::endl; + err() << "Parameter \"" << name << "\" not found in shader" << std::endl; // Disable program - GLCheck(glUseProgramObjectARB(program)); + glCheck(glUseProgramObjectARB(program)); } } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, float x, float y, float z, float w) +void Shader::setParameter(const std::string& name, float x, float y, float z, float w) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable program GLhandleARB program = glGetHandleARB(GL_PROGRAM_OBJECT_ARB); - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Get parameter location and assign it new values GLint location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location != -1) - GLCheck(glUniform4fARB(location, x, y, z, w)); + glCheck(glUniform4fARB(location, x, y, z, w)); else - Err() << "Parameter \"" << name << "\" not found in shader" << std::endl; + err() << "Parameter \"" << name << "\" not found in shader" << std::endl; // Disable program - GLCheck(glUseProgramObjectARB(program)); + glCheck(glUseProgramObjectARB(program)); } } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, const Vector2f& v) +void Shader::setParameter(const std::string& name, const Vector2f& v) { - SetParameter(name, v.x, v.y); + setParameter(name, v.x, v.y); } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, const Vector3f& v) +void Shader::setParameter(const std::string& name, const Vector3f& v) { - SetParameter(name, v.x, v.y, v.z); + setParameter(name, v.x, v.y, v.z); } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, const Color& color) +void Shader::setParameter(const std::string& name, const Color& color) { - SetParameter(name, color.r / 255.f, color.g / 255.f, color.b / 255.f, color.a / 255.f); + setParameter(name, color.r / 255.f, color.g / 255.f, color.b / 255.f, color.a / 255.f); } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, const sf::Transform& transform) +void Shader::setParameter(const std::string& name, const sf::Transform& transform) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable program GLhandleARB program = glGetHandleARB(GL_PROGRAM_OBJECT_ARB); - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Get parameter location and assign it new values GLint location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location != -1) - GLCheck(glUniformMatrix4fvARB(location, 1, GL_FALSE, transform.GetMatrix())); + glCheck(glUniformMatrix4fvARB(location, 1, GL_FALSE, transform.getMatrix())); else - Err() << "Parameter \"" << name << "\" not found in shader" << std::endl; + err() << "Parameter \"" << name << "\" not found in shader" << std::endl; // Disable program - GLCheck(glUseProgramObjectARB(program)); + glCheck(glUseProgramObjectARB(program)); } } //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, const Texture& texture) +void Shader::setParameter(const std::string& name, const Texture& texture) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Find the location of the variable in the shader int location = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (location == -1) { - Err() << "Texture \"" << name << "\" not found in shader" << std::endl; + err() << "Texture \"" << name << "\" not found in shader" << std::endl; return; } @@ -368,10 +368,10 @@ void Shader::SetParameter(const std::string& name, const Texture& texture) if (it == m_textures.end()) { // New entry, make sure there are enough texture units - static const GLint maxUnits = GetMaxTextureUnits(); + static const GLint maxUnits = getMaxTextureUnits(); if (m_textures.size() + 1 >= static_cast(maxUnits)) { - Err() << "Impossible to use texture \"" << name << "\" for shader: all available texture units are used" << std::endl; + err() << "Impossible to use texture \"" << name << "\" for shader: all available texture units are used" << std::endl; return; } @@ -387,56 +387,56 @@ void Shader::SetParameter(const std::string& name, const Texture& texture) //////////////////////////////////////////////////////////// -void Shader::SetParameter(const std::string& name, CurrentTextureType) +void Shader::setParameter(const std::string& name, CurrentTextureType) { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Find the location of the variable in the shader m_currentTexture = glGetUniformLocationARB(m_shaderProgram, name.c_str()); if (m_currentTexture == -1) - Err() << "Texture \"" << name << "\" not found in shader" << std::endl; + err() << "Texture \"" << name << "\" not found in shader" << std::endl; } } //////////////////////////////////////////////////////////// -void Shader::Bind() const +void Shader::bind() const { if (m_shaderProgram) { - EnsureGlContext(); + ensureGlContext(); // Enable the program - GLCheck(glUseProgramObjectARB(m_shaderProgram)); + glCheck(glUseProgramObjectARB(m_shaderProgram)); // Bind the textures - BindTextures(); + bindTextures(); // Bind the current texture if (m_currentTexture != -1) - GLCheck(glUniform1iARB(m_currentTexture, 0)); + glCheck(glUniform1iARB(m_currentTexture, 0)); } } //////////////////////////////////////////////////////////// -void Shader::Unbind() const +void Shader::unbind() const { - EnsureGlContext(); + ensureGlContext(); - GLCheck(glUseProgramObjectARB(0)); + glCheck(glUseProgramObjectARB(0)); } //////////////////////////////////////////////////////////// -bool Shader::IsAvailable() +bool Shader::isAvailable() { - EnsureGlContext(); + ensureGlContext(); // Make sure that GLEW is initialized - priv::EnsureGlewInit(); + priv::ensureGlewInit(); return GLEW_ARB_shading_language_100 && GLEW_ARB_shader_objects && @@ -446,21 +446,21 @@ bool Shader::IsAvailable() //////////////////////////////////////////////////////////// -bool Shader::Compile(const char* vertexShaderCode, const char* fragmentShaderCode) +bool Shader::compile(const char* vertexShaderCode, const char* fragmentShaderCode) { - EnsureGlContext(); + ensureGlContext(); // First make sure that we can use shaders - if (!IsAvailable()) + if (!isAvailable()) { - Err() << "Failed to create a shader: your system doesn't support shaders " + err() << "Failed to create a shader: your system doesn't support shaders " << "(you should test Shader::IsAvailable() before trying to use the Shader class)" << std::endl; return false; } // Destroy the shader if it was already created if (m_shaderProgram) - GLCheck(glDeleteObjectARB(m_shaderProgram)); + glCheck(glDeleteObjectARB(m_shaderProgram)); // Create the program m_shaderProgram = glCreateProgramObjectARB(); @@ -470,27 +470,27 @@ bool Shader::Compile(const char* vertexShaderCode, const char* fragmentShaderCod { // Create and compile the shader GLhandleARB vertexShader = glCreateShaderObjectARB(GL_VERTEX_SHADER_ARB); - GLCheck(glShaderSourceARB(vertexShader, 1, &vertexShaderCode, NULL)); - GLCheck(glCompileShaderARB(vertexShader)); + glCheck(glShaderSourceARB(vertexShader, 1, &vertexShaderCode, NULL)); + glCheck(glCompileShaderARB(vertexShader)); // Check the compile log GLint success; - GLCheck(glGetObjectParameterivARB(vertexShader, GL_OBJECT_COMPILE_STATUS_ARB, &success)); + glCheck(glGetObjectParameterivARB(vertexShader, GL_OBJECT_COMPILE_STATUS_ARB, &success)); if (success == GL_FALSE) { char log[1024]; - GLCheck(glGetInfoLogARB(vertexShader, sizeof(log), 0, log)); - Err() << "Failed to compile vertex shader:" << std::endl + glCheck(glGetInfoLogARB(vertexShader, sizeof(log), 0, log)); + err() << "Failed to compile vertex shader:" << std::endl << log << std::endl; - GLCheck(glDeleteObjectARB(vertexShader)); - GLCheck(glDeleteObjectARB(m_shaderProgram)); + glCheck(glDeleteObjectARB(vertexShader)); + glCheck(glDeleteObjectARB(m_shaderProgram)); m_shaderProgram = 0; return false; } // Attach the shader to the program, and delete it (not needed anymore) - GLCheck(glAttachObjectARB(m_shaderProgram, vertexShader)); - GLCheck(glDeleteObjectARB(vertexShader)); + glCheck(glAttachObjectARB(m_shaderProgram, vertexShader)); + glCheck(glDeleteObjectARB(vertexShader)); } // Create the fragment shader if needed @@ -498,42 +498,42 @@ bool Shader::Compile(const char* vertexShaderCode, const char* fragmentShaderCod { // Create and compile the shader GLhandleARB fragmentShader = glCreateShaderObjectARB(GL_FRAGMENT_SHADER_ARB); - GLCheck(glShaderSourceARB(fragmentShader, 1, &fragmentShaderCode, NULL)); - GLCheck(glCompileShaderARB(fragmentShader)); + glCheck(glShaderSourceARB(fragmentShader, 1, &fragmentShaderCode, NULL)); + glCheck(glCompileShaderARB(fragmentShader)); // Check the compile log GLint success; - GLCheck(glGetObjectParameterivARB(fragmentShader, GL_OBJECT_COMPILE_STATUS_ARB, &success)); + glCheck(glGetObjectParameterivARB(fragmentShader, GL_OBJECT_COMPILE_STATUS_ARB, &success)); if (success == GL_FALSE) { char log[1024]; - GLCheck(glGetInfoLogARB(fragmentShader, sizeof(log), 0, log)); - Err() << "Failed to compile fragment shader:" << std::endl + glCheck(glGetInfoLogARB(fragmentShader, sizeof(log), 0, log)); + err() << "Failed to compile fragment shader:" << std::endl << log << std::endl; - GLCheck(glDeleteObjectARB(fragmentShader)); - GLCheck(glDeleteObjectARB(m_shaderProgram)); + glCheck(glDeleteObjectARB(fragmentShader)); + glCheck(glDeleteObjectARB(m_shaderProgram)); m_shaderProgram = 0; return false; } // Attach the shader to the program, and delete it (not needed anymore) - GLCheck(glAttachObjectARB(m_shaderProgram, fragmentShader)); - GLCheck(glDeleteObjectARB(fragmentShader)); + glCheck(glAttachObjectARB(m_shaderProgram, fragmentShader)); + glCheck(glDeleteObjectARB(fragmentShader)); } // Link the program - GLCheck(glLinkProgramARB(m_shaderProgram)); + glCheck(glLinkProgramARB(m_shaderProgram)); // Check the link log GLint success; - GLCheck(glGetObjectParameterivARB(m_shaderProgram, GL_OBJECT_LINK_STATUS_ARB, &success)); + glCheck(glGetObjectParameterivARB(m_shaderProgram, GL_OBJECT_LINK_STATUS_ARB, &success)); if (success == GL_FALSE) { char log[1024]; - GLCheck(glGetInfoLogARB(m_shaderProgram, sizeof(log), 0, log)); - Err() << "Failed to link shader:" << std::endl + glCheck(glGetInfoLogARB(m_shaderProgram, sizeof(log), 0, log)); + err() << "Failed to link shader:" << std::endl << log << std::endl; - GLCheck(glDeleteObjectARB(m_shaderProgram)); + glCheck(glDeleteObjectARB(m_shaderProgram)); m_shaderProgram = 0; return false; } @@ -543,20 +543,20 @@ bool Shader::Compile(const char* vertexShaderCode, const char* fragmentShaderCod //////////////////////////////////////////////////////////// -void Shader::BindTextures() const +void Shader::bindTextures() const { TextureTable::const_iterator it = m_textures.begin(); for (std::size_t i = 0; i < m_textures.size(); ++i) { GLint index = static_cast(i + 1); - GLCheck(glUniform1iARB(it->first, index)); - GLCheck(glActiveTextureARB(GL_TEXTURE0_ARB + index)); - it->second->Bind(); + glCheck(glUniform1iARB(it->first, index)); + glCheck(glActiveTextureARB(GL_TEXTURE0_ARB + index)); + it->second->bind(); ++it; } // Make sure that the texture unit which is left active is the number 0 - GLCheck(glActiveTextureARB(GL_TEXTURE0_ARB)); + glCheck(glActiveTextureARB(GL_TEXTURE0_ARB)); } } // namespace sf diff --git a/src/SFML/Graphics/Shape.cpp b/src/SFML/Graphics/Shape.cpp index 5988ed12..05165e9d 100644 --- a/src/SFML/Graphics/Shape.cpp +++ b/src/SFML/Graphics/Shape.cpp @@ -35,7 +35,7 @@ namespace { // Compute the normal of a segment - sf::Vector2f ComputeNormal(const sf::Vector2f& p1, const sf::Vector2f& p2) + sf::Vector2f computeNormal(const sf::Vector2f& p1, const sf::Vector2f& p2) { sf::Vector2f normal(p1.y - p2.y, p2.x - p1.x); float length = std::sqrt(normal.x * normal.x + normal.y * normal.y); @@ -55,11 +55,11 @@ Shape::~Shape() //////////////////////////////////////////////////////////// -void Shape::SetTexture(const Texture* texture, bool resetRect) +void Shape::setTexture(const Texture* texture, bool resetRect) { // Recompute the texture area if requested, or if there was no texture before if (texture && (resetRect || !m_texture)) - SetTextureRect(IntRect(0, 0, texture->GetWidth(), texture->GetHeight())); + setTextureRect(IntRect(0, 0, texture->getWidth(), texture->getHeight())); // Assign the new texture m_texture = texture; @@ -67,83 +67,83 @@ void Shape::SetTexture(const Texture* texture, bool resetRect) //////////////////////////////////////////////////////////// -const Texture* Shape::GetTexture() const +const Texture* Shape::getTexture() const { return m_texture; } //////////////////////////////////////////////////////////// -void Shape::SetTextureRect(const IntRect& rect) +void Shape::setTextureRect(const IntRect& rect) { m_textureRect = rect; - UpdateTexCoords(); + updateTexCoords(); } //////////////////////////////////////////////////////////// -const IntRect& Shape::GetTextureRect() const +const IntRect& Shape::getTextureRect() const { return m_textureRect; } //////////////////////////////////////////////////////////// -void Shape::SetFillColor(const Color& color) +void Shape::setFillColor(const Color& color) { m_fillColor = color; - UpdateFillColors(); + updateFillColors(); } //////////////////////////////////////////////////////////// -const Color& Shape::GetFillColor() const +const Color& Shape::getFillColor() const { return m_fillColor; } //////////////////////////////////////////////////////////// -void Shape::SetOutlineColor(const Color& color) +void Shape::setOutlineColor(const Color& color) { m_outlineColor = color; - UpdateOutlineColors(); + updateOutlineColors(); } //////////////////////////////////////////////////////////// -const Color& Shape::GetOutlineColor() const +const Color& Shape::getOutlineColor() const { return m_outlineColor; } //////////////////////////////////////////////////////////// -void Shape::SetOutlineThickness(float thickness) +void Shape::setOutlineThickness(float thickness) { m_outlineThickness = thickness; - Update(); // recompute everything because the whole shape must be offset + update(); // recompute everything because the whole shape must be offset } //////////////////////////////////////////////////////////// -float Shape::GetOutlineThickness() const +float Shape::getOutlineThickness() const { return m_outlineThickness; } //////////////////////////////////////////////////////////// -FloatRect Shape::GetLocalBounds() const +FloatRect Shape::getLocalBounds() const { return m_bounds; } //////////////////////////////////////////////////////////// -FloatRect Shape::GetGlobalBounds() const +FloatRect Shape::getGlobalBounds() const { - return GetTransform().TransformRect(GetLocalBounds()); + return getTransform().transformRect(getLocalBounds()); } @@ -163,130 +163,130 @@ m_bounds () //////////////////////////////////////////////////////////// -void Shape::Update() +void Shape::update() { // Get the total number of points of the shape - unsigned int count = GetPointCount(); + unsigned int count = getPointCount(); if (count < 3) { - m_vertices.Resize(0); - m_outlineVertices.Resize(0); + m_vertices.resize(0); + m_outlineVertices.resize(0); return; } - m_vertices.Resize(count + 2); // + 2 for center and repeated first point + m_vertices.resize(count + 2); // + 2 for center and repeated first point // Position for (unsigned int i = 0; i < count; ++i) - m_vertices[i + 1].Position = GetPoint(i); - m_vertices[count + 1].Position = m_vertices[1].Position; + m_vertices[i + 1].position = getPoint(i); + m_vertices[count + 1].position = m_vertices[1].position; // Update the bounding rectangle - m_vertices[0] = m_vertices[1]; // so that the result of GetBounds() is correct - m_insideBounds = m_vertices.GetBounds(); + m_vertices[0] = m_vertices[1]; // so that the result of getBounds() is correct + m_insideBounds = m_vertices.getBounds(); // Compute the center and make it the first vertex - m_vertices[0].Position.x = m_insideBounds.Left + m_insideBounds.Width / 2; - m_vertices[0].Position.y = m_insideBounds.Top + m_insideBounds.Height / 2; + m_vertices[0].position.x = m_insideBounds.left + m_insideBounds.width / 2; + m_vertices[0].position.y = m_insideBounds.top + m_insideBounds.height / 2; // Color - UpdateFillColors(); + updateFillColors(); // Texture coordinates - UpdateTexCoords(); + updateTexCoords(); // Outline - UpdateOutline(); + updateOutline(); } //////////////////////////////////////////////////////////// -void Shape::Draw(RenderTarget& target, RenderStates states) const +void Shape::draw(RenderTarget& target, RenderStates states) const { - states.Transform *= GetTransform(); + states.transform *= getTransform(); // Render the inside if (m_fillColor.a > 0) { - states.Texture = m_texture; - target.Draw(m_vertices, states); + states.texture = m_texture; + target.draw(m_vertices, states); } // Render the outline if ((m_outlineColor.a > 0) && (m_outlineThickness > 0)) { - states.Texture = NULL; - target.Draw(m_outlineVertices, states); + states.texture = NULL; + target.draw(m_outlineVertices, states); } } //////////////////////////////////////////////////////////// -void Shape::UpdateFillColors() +void Shape::updateFillColors() { - for (unsigned int i = 0; i < m_vertices.GetVertexCount(); ++i) - m_vertices[i].Color = m_fillColor; + for (unsigned int i = 0; i < m_vertices.getVertexCount(); ++i) + m_vertices[i].color = m_fillColor; } //////////////////////////////////////////////////////////// -void Shape::UpdateTexCoords() +void Shape::updateTexCoords() { - for (unsigned int i = 0; i < m_vertices.GetVertexCount(); ++i) + for (unsigned int i = 0; i < m_vertices.getVertexCount(); ++i) { - float xratio = (m_vertices[i].Position.x - m_insideBounds.Left) / m_insideBounds.Width; - float yratio = (m_vertices[i].Position.y - m_insideBounds.Top) / m_insideBounds.Height; - m_vertices[i].TexCoords.x = m_textureRect.Left + m_textureRect.Width * xratio; - m_vertices[i].TexCoords.y = m_textureRect.Top + m_textureRect.Height * yratio; + float xratio = (m_vertices[i].position.x - m_insideBounds.left) / m_insideBounds.width; + float yratio = (m_vertices[i].position.y - m_insideBounds.top) / m_insideBounds.height; + m_vertices[i].texCoords.x = m_textureRect.left + m_textureRect.width * xratio; + m_vertices[i].texCoords.y = m_textureRect.top + m_textureRect.height * yratio; } } //////////////////////////////////////////////////////////// -void Shape::UpdateOutline() +void Shape::updateOutline() { - unsigned int count = m_vertices.GetVertexCount() - 2; - m_outlineVertices.Resize((count + 1) * 2); + unsigned int count = m_vertices.getVertexCount() - 2; + m_outlineVertices.resize((count + 1) * 2); for (unsigned int i = 0; i < count; ++i) { unsigned int index = i + 1; // Get the two segments shared by the current point - Vector2f p0 = (i == 0) ? m_vertices[count].Position : m_vertices[index - 1].Position; - Vector2f p1 = m_vertices[index].Position; - Vector2f p2 = m_vertices[index + 1].Position; + Vector2f p0 = (i == 0) ? m_vertices[count].position : m_vertices[index - 1].position; + Vector2f p1 = m_vertices[index].position; + Vector2f p2 = m_vertices[index + 1].position; // Compute their normal - Vector2f n1 = ComputeNormal(p0, p1); - Vector2f n2 = ComputeNormal(p1, p2); + Vector2f n1 = computeNormal(p0, p1); + Vector2f n2 = computeNormal(p1, p2); // Combine them to get the extrusion direction float factor = 1.f + (n1.x * n2.x + n1.y * n2.y); Vector2f normal = -(n1 + n2) / factor; // Update the outline points - m_outlineVertices[i * 2 + 0].Position = p1; - m_outlineVertices[i * 2 + 1].Position = p1 + normal * m_outlineThickness; + m_outlineVertices[i * 2 + 0].position = p1; + m_outlineVertices[i * 2 + 1].position = p1 + normal * m_outlineThickness; } // Duplicate the first point at the end, to close the outline - m_outlineVertices[count * 2 + 0].Position = m_outlineVertices[0].Position; - m_outlineVertices[count * 2 + 1].Position = m_outlineVertices[1].Position; + m_outlineVertices[count * 2 + 0].position = m_outlineVertices[0].position; + m_outlineVertices[count * 2 + 1].position = m_outlineVertices[1].position; // Update outline colors - UpdateOutlineColors(); + updateOutlineColors(); // Update the shape's bounds - m_bounds = m_outlineVertices.GetBounds(); + m_bounds = m_outlineVertices.getBounds(); } //////////////////////////////////////////////////////////// -void Shape::UpdateOutlineColors() +void Shape::updateOutlineColors() { - for (unsigned int i = 0; i < m_outlineVertices.GetVertexCount(); ++i) - m_outlineVertices[i].Color = m_outlineColor; + for (unsigned int i = 0; i < m_outlineVertices.getVertexCount(); ++i) + m_outlineVertices[i].color = m_outlineColor; } } // namespace sf diff --git a/src/SFML/Graphics/Sprite.cpp b/src/SFML/Graphics/Sprite.cpp index 1655f45c..01917f29 100644 --- a/src/SFML/Graphics/Sprite.cpp +++ b/src/SFML/Graphics/Sprite.cpp @@ -45,7 +45,7 @@ Sprite::Sprite(const Texture& texture) : m_texture (NULL), m_textureRect(0, 0, 0, 0) { - SetTexture(texture); + setTexture(texture); } @@ -54,17 +54,17 @@ Sprite::Sprite(const Texture& texture, const IntRect& rectangle) : m_texture (NULL), m_textureRect(0, 0, 0, 0) { - SetTexture(texture); - SetTextureRect(rectangle); + setTexture(texture); + setTextureRect(rectangle); } //////////////////////////////////////////////////////////// -void Sprite::SetTexture(const Texture& texture, bool resetRect) +void Sprite::setTexture(const Texture& texture, bool resetRect) { // Recompute the texture area if requested, or if there was no valid texture before if (resetRect || !m_texture) - SetTextureRect(IntRect(0, 0, texture.GetWidth(), texture.GetHeight())); + setTextureRect(IntRect(0, 0, texture.getWidth(), texture.getHeight())); // Assign the new texture m_texture = &texture; @@ -72,103 +72,103 @@ void Sprite::SetTexture(const Texture& texture, bool resetRect) //////////////////////////////////////////////////////////// -void Sprite::SetTextureRect(const IntRect& rectangle) +void Sprite::setTextureRect(const IntRect& rectangle) { if (rectangle != m_textureRect) { m_textureRect = rectangle; - UpdatePositions(); - UpdateTexCoords(); + updatePositions(); + updateTexCoords(); } } //////////////////////////////////////////////////////////// -void Sprite::SetColor(const Color& color) +void Sprite::setColor(const Color& color) { // Update the vertices' color - m_vertices[0].Color = color; - m_vertices[1].Color = color; - m_vertices[2].Color = color; - m_vertices[3].Color = color; + m_vertices[0].color = color; + m_vertices[1].color = color; + m_vertices[2].color = color; + m_vertices[3].color = color; } //////////////////////////////////////////////////////////// -const Texture* Sprite::GetTexture() const +const Texture* Sprite::getTexture() const { return m_texture; } //////////////////////////////////////////////////////////// -const IntRect& Sprite::GetTextureRect() const +const IntRect& Sprite::getTextureRect() const { return m_textureRect; } //////////////////////////////////////////////////////////// -const Color& Sprite::GetColor() const +const Color& Sprite::getColor() const { - return m_vertices[0].Color; + return m_vertices[0].color; } //////////////////////////////////////////////////////////// -FloatRect Sprite::GetLocalBounds() const +FloatRect Sprite::getLocalBounds() const { - float width = static_cast(m_textureRect.Width); - float height = static_cast(m_textureRect.Height); + float width = static_cast(m_textureRect.width); + float height = static_cast(m_textureRect.height); return FloatRect(0.f, 0.f, width, height); } //////////////////////////////////////////////////////////// -FloatRect Sprite::GetGlobalBounds() const +FloatRect Sprite::getGlobalBounds() const { - return GetTransform().TransformRect(GetLocalBounds()); + return getTransform().transformRect(getLocalBounds()); } //////////////////////////////////////////////////////////// -void Sprite::Draw(RenderTarget& target, RenderStates states) const +void Sprite::draw(RenderTarget& target, RenderStates states) const { if (m_texture) { - states.Transform *= GetTransform(); - states.Texture = m_texture; - target.Draw(m_vertices, 4, Quads, states); + states.transform *= getTransform(); + states.texture = m_texture; + target.draw(m_vertices, 4, Quads, states); } } //////////////////////////////////////////////////////////// -void Sprite::UpdatePositions() +void Sprite::updatePositions() { - float width = static_cast(m_textureRect.Width); - float height = static_cast(m_textureRect.Height); + float width = static_cast(m_textureRect.width); + float height = static_cast(m_textureRect.height); - m_vertices[0].Position = Vector2f(0, 0); - m_vertices[1].Position = Vector2f(0, height); - m_vertices[2].Position = Vector2f(width, height); - m_vertices[3].Position = Vector2f(width, 0); + m_vertices[0].position = Vector2f(0, 0); + m_vertices[1].position = Vector2f(0, height); + m_vertices[2].position = Vector2f(width, height); + m_vertices[3].position = Vector2f(width, 0); } //////////////////////////////////////////////////////////// -void Sprite::UpdateTexCoords() +void Sprite::updateTexCoords() { - float left = static_cast(m_textureRect.Left); - float right = left + m_textureRect.Width; - float top = static_cast(m_textureRect.Top); - float bottom = top + m_textureRect.Height; + float left = static_cast(m_textureRect.left); + float right = left + m_textureRect.width; + float top = static_cast(m_textureRect.top); + float bottom = top + m_textureRect.height; - m_vertices[0].TexCoords = Vector2f(left, top); - m_vertices[1].TexCoords = Vector2f(left, bottom); - m_vertices[2].TexCoords = Vector2f(right, bottom); - m_vertices[3].TexCoords = Vector2f(right, top); + m_vertices[0].texCoords = Vector2f(left, top); + m_vertices[1].texCoords = Vector2f(left, bottom); + m_vertices[2].texCoords = Vector2f(right, bottom); + m_vertices[3].texCoords = Vector2f(right, top); } } // namespace sf diff --git a/src/SFML/Graphics/Text.cpp b/src/SFML/Graphics/Text.cpp index 55933589..eb3f34e4 100644 --- a/src/SFML/Graphics/Text.cpp +++ b/src/SFML/Graphics/Text.cpp @@ -36,7 +36,7 @@ namespace sf //////////////////////////////////////////////////////////// Text::Text() : m_string (), -m_font (&Font::GetDefaultFont()), +m_font (&Font::getDefaultFont()), m_characterSize(30), m_style (Regular), m_color (255, 255, 255), @@ -57,112 +57,112 @@ m_color (255, 255, 255), m_vertices (Quads), m_bounds () { - UpdateGeometry(); + updateGeometry(); } //////////////////////////////////////////////////////////// -void Text::SetString(const String& string) +void Text::setString(const String& string) { m_string = string; - UpdateGeometry(); + updateGeometry(); } //////////////////////////////////////////////////////////// -void Text::SetFont(const Font& font) +void Text::setFont(const Font& font) { if (m_font != &font) { m_font = &font; - UpdateGeometry(); + updateGeometry(); } } //////////////////////////////////////////////////////////// -void Text::SetCharacterSize(unsigned int size) +void Text::setCharacterSize(unsigned int size) { if (m_characterSize != size) { m_characterSize = size; - UpdateGeometry(); + updateGeometry(); } } //////////////////////////////////////////////////////////// -void Text::SetStyle(Uint32 style) +void Text::setStyle(Uint32 style) { if (m_style != style) { m_style = style; - UpdateGeometry(); + updateGeometry(); } } //////////////////////////////////////////////////////////// -void Text::SetColor(const Color& color) +void Text::setColor(const Color& color) { if (color != m_color) { m_color = color; - for (unsigned int i = 0; i < m_vertices.GetVertexCount(); ++i) - m_vertices[i].Color = m_color; + for (unsigned int i = 0; i < m_vertices.getVertexCount(); ++i) + m_vertices[i].color = m_color; } } //////////////////////////////////////////////////////////// -const String& Text::GetString() const +const String& Text::getString() const { return m_string; } //////////////////////////////////////////////////////////// -const Font& Text::GetFont() const +const Font& Text::getFont() const { - assert(m_font != NULL); // can never be NULL, always &Font::GetDefaultFont() by default + assert(m_font != NULL); // can never be NULL, always &Font::getDefaultFont() by default return *m_font; } //////////////////////////////////////////////////////////// -unsigned int Text::GetCharacterSize() const +unsigned int Text::getCharacterSize() const { return m_characterSize; } //////////////////////////////////////////////////////////// -Uint32 Text::GetStyle() const +Uint32 Text::getStyle() const { return m_style; } //////////////////////////////////////////////////////////// -const Color& Text::GetColor() const +const Color& Text::getColor() const { return m_color; } //////////////////////////////////////////////////////////// -Vector2f Text::FindCharacterPos(std::size_t index) const +Vector2f Text::findCharacterPos(std::size_t index) const { assert(m_font != NULL); // Adjust the index if it's out of range - if (index > m_string.GetSize()) - index = m_string.GetSize(); + if (index > m_string.getSize()) + index = m_string.getSize(); // Precompute the variables needed by the algorithm bool bold = (m_style & Bold) != 0; - float hspace = static_cast(m_font->GetGlyph(L' ', m_characterSize, bold).Advance); - float vspace = static_cast(m_font->GetLineSpacing(m_characterSize)); + float hspace = static_cast(m_font->getGlyph(L' ', m_characterSize, bold).advance); + float vspace = static_cast(m_font->getLineSpacing(m_characterSize)); // Compute the position Vector2f position; @@ -172,7 +172,7 @@ Vector2f Text::FindCharacterPos(std::size_t index) const Uint32 curChar = m_string[i]; // Apply the kerning offset - position.x += static_cast(m_font->GetKerning(prevChar, curChar, m_characterSize)); + position.x += static_cast(m_font->getKerning(prevChar, curChar, m_characterSize)); prevChar = curChar; // Handle special characters @@ -185,52 +185,52 @@ Vector2f Text::FindCharacterPos(std::size_t index) const } // For regular characters, add the advance offset of the glyph - position.x += static_cast(m_font->GetGlyph(curChar, m_characterSize, bold).Advance); + position.x += static_cast(m_font->getGlyph(curChar, m_characterSize, bold).advance); } // Transform the position to global coordinates - position = GetTransform().TransformPoint(position); + position = getTransform().transformPoint(position); return position; } //////////////////////////////////////////////////////////// -FloatRect Text::GetLocalBounds() const +FloatRect Text::getLocalBounds() const { return m_bounds; } //////////////////////////////////////////////////////////// -FloatRect Text::GetGlobalBounds() const +FloatRect Text::getGlobalBounds() const { - return GetTransform().TransformRect(GetLocalBounds()); + return getTransform().transformRect(getLocalBounds()); } //////////////////////////////////////////////////////////// -void Text::Draw(RenderTarget& target, RenderStates states) const +void Text::draw(RenderTarget& target, RenderStates states) const { assert(m_font != NULL); - states.Transform *= GetTransform(); - states.BlendMode = BlendAlpha; // alpha blending is mandatory for proper text rendering - states.Texture = &m_font->GetTexture(m_characterSize); - target.Draw(m_vertices, states); + states.transform *= getTransform(); + states.blendMode = BlendAlpha; // alpha blending is mandatory for proper text rendering + states.texture = &m_font->getTexture(m_characterSize); + target.draw(m_vertices, states); } //////////////////////////////////////////////////////////// -void Text::UpdateGeometry() +void Text::updateGeometry() { assert(m_font != NULL); // Clear the previous geometry - m_vertices.Clear(); + m_vertices.clear(); // No text: nothing to draw - if (m_string.IsEmpty()) + if (m_string.isEmpty()) return; // Compute values related to the text style @@ -241,19 +241,19 @@ void Text::UpdateGeometry() float underlineThickness = m_characterSize * (bold ? 0.1f : 0.07f); // Precompute the variables needed by the algorithm - float hspace = static_cast(m_font->GetGlyph(L' ', m_characterSize, bold).Advance); - float vspace = static_cast(m_font->GetLineSpacing(m_characterSize)); + float hspace = static_cast(m_font->getGlyph(L' ', m_characterSize, bold).advance); + float vspace = static_cast(m_font->getLineSpacing(m_characterSize)); float x = 0.f; float y = static_cast(m_characterSize); // Create one quad for each character Uint32 prevChar = 0; - for (std::size_t i = 0; i < m_string.GetSize(); ++i) + for (std::size_t i = 0; i < m_string.getSize(); ++i) { Uint32 curChar = m_string[i]; // Apply the kerning offset - x += static_cast(m_font->GetKerning(prevChar, curChar, m_characterSize)); + x += static_cast(m_font->getKerning(prevChar, curChar, m_characterSize)); prevChar = curChar; // If we're using the underlined style and there's a new line, draw a line @@ -262,10 +262,10 @@ void Text::UpdateGeometry() float top = y + underlineOffset; float bottom = top + underlineThickness; - m_vertices.Append(Vertex(Vector2f(0, top), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(x, top), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(x, bottom), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(0, bottom), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(0, top), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(x, top), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(x, bottom), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(0, bottom), m_color, Vector2f(1, 1))); } // Handle special characters @@ -278,26 +278,26 @@ void Text::UpdateGeometry() } // Extract the current glyph's description - const Glyph& glyph = m_font->GetGlyph(curChar, m_characterSize, bold); + const Glyph& glyph = m_font->getGlyph(curChar, m_characterSize, bold); - int left = glyph.Bounds.Left; - int top = glyph.Bounds.Top; - int right = glyph.Bounds.Left + glyph.Bounds.Width; - int bottom = glyph.Bounds.Top + glyph.Bounds.Height; + int left = glyph.bounds.left; + int top = glyph.bounds.top; + int right = glyph.bounds.left + glyph.bounds.width; + int bottom = glyph.bounds.top + glyph.bounds.height; - float u1 = static_cast(glyph.TextureRect.Left); - float v1 = static_cast(glyph.TextureRect.Top); - float u2 = static_cast(glyph.TextureRect.Left + glyph.TextureRect.Width); - float v2 = static_cast(glyph.TextureRect.Top + glyph.TextureRect.Height); + float u1 = static_cast(glyph.textureRect.left); + float v1 = static_cast(glyph.textureRect.top); + float u2 = static_cast(glyph.textureRect.left + glyph.textureRect.width); + float v2 = static_cast(glyph.textureRect.top + glyph.textureRect.height); // Add a quad for the current character - m_vertices.Append(Vertex(Vector2f(x + left - italic * top, y + top), m_color, Vector2f(u1, v1))); - m_vertices.Append(Vertex(Vector2f(x + right - italic * top, y + top), m_color, Vector2f(u2, v1))); - m_vertices.Append(Vertex(Vector2f(x + right - italic * bottom, y + bottom), m_color, Vector2f(u2, v2))); - m_vertices.Append(Vertex(Vector2f(x + left - italic * bottom, y + bottom), m_color, Vector2f(u1, v2))); + m_vertices.append(Vertex(Vector2f(x + left - italic * top, y + top), m_color, Vector2f(u1, v1))); + m_vertices.append(Vertex(Vector2f(x + right - italic * top, y + top), m_color, Vector2f(u2, v1))); + m_vertices.append(Vertex(Vector2f(x + right - italic * bottom, y + bottom), m_color, Vector2f(u2, v2))); + m_vertices.append(Vertex(Vector2f(x + left - italic * bottom, y + bottom), m_color, Vector2f(u1, v2))); // Advance to the next character - x += glyph.Advance; + x += glyph.advance; } // If we're using the underlined style, add the last line @@ -306,14 +306,14 @@ void Text::UpdateGeometry() float top = y + underlineOffset; float bottom = top + underlineThickness; - m_vertices.Append(Vertex(Vector2f(0, top), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(x, top), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(x, bottom), m_color, Vector2f(1, 1))); - m_vertices.Append(Vertex(Vector2f(0, bottom), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(0, top), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(x, top), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(x, bottom), m_color, Vector2f(1, 1))); + m_vertices.append(Vertex(Vector2f(0, bottom), m_color, Vector2f(1, 1))); } // Recompute the bounding rectangle - m_bounds = m_vertices.GetBounds(); + m_bounds = m_vertices.getBounds(); } } // namespace sf diff --git a/src/SFML/Graphics/Texture.cpp b/src/SFML/Graphics/Texture.cpp index d6c1a043..bd122236 100644 --- a/src/SFML/Graphics/Texture.cpp +++ b/src/SFML/Graphics/Texture.cpp @@ -27,7 +27,7 @@ //////////////////////////////////////////////////////////// #include #include -#include +#include #include #include #include @@ -41,7 +41,7 @@ namespace { // Thread-safe unique identifier generator, // is used for states cache (see RenderTarget) - sf::Uint64 GetUniqueId() + sf::Uint64 getUniqueId() { static sf::Uint64 id = 1; // start at 1, zero is "no texture" static sf::Mutex mutex; @@ -64,7 +64,7 @@ m_texture (0), m_isSmooth (false), m_isRepeated (false), m_pixelsFlipped(false), -m_cacheId (GetUniqueId()) +m_cacheId (getUniqueId()) { } @@ -80,10 +80,10 @@ m_texture (0), m_isSmooth (copy.m_isSmooth), m_isRepeated (copy.m_isRepeated), m_pixelsFlipped(false), -m_cacheId (GetUniqueId()) +m_cacheId (getUniqueId()) { if (copy.m_texture) - LoadFromImage(copy.CopyToImage()); + loadFromImage(copy.copyToImage()); } @@ -93,33 +93,33 @@ Texture::~Texture() // Destroy the OpenGL texture if (m_texture) { - EnsureGlContext(); + ensureGlContext(); GLuint Texture = static_cast(m_texture); - GLCheck(glDeleteTextures(1, &Texture)); + glCheck(glDeleteTextures(1, &Texture)); } } //////////////////////////////////////////////////////////// -bool Texture::Create(unsigned int width, unsigned int height) +bool Texture::create(unsigned int width, unsigned int height) { // Check if texture parameters are valid before creating it if (!width || !height) { - Err() << "Failed to create texture, invalid size (" << width << "x" << height << ")" << std::endl; + err() << "Failed to create texture, invalid size (" << width << "x" << height << ")" << std::endl; return false; } // Compute the internal texture dimensions depending on NPOT textures support - unsigned int textureWidth = GetValidSize(width); - unsigned int textureHeight = GetValidSize(height); + unsigned int textureWidth = getValidSize(width); + unsigned int textureHeight = getValidSize(height); // Check the maximum texture size - unsigned int maxSize = GetMaximumSize(); + unsigned int maxSize = getMaximumSize(); if ((textureWidth > maxSize) || (textureHeight > maxSize)) { - Err() << "Failed to create texture, its internal size is too high " + err() << "Failed to create texture, its internal size is too high " << "(" << textureWidth << "x" << textureHeight << ", " << "maximum is " << maxSize << "x" << maxSize << ")" << std::endl; @@ -133,13 +133,13 @@ bool Texture::Create(unsigned int width, unsigned int height) m_textureHeight = textureHeight; m_pixelsFlipped = false; - EnsureGlContext(); + ensureGlContext(); // Create the OpenGL texture if it doesn't exist yet if (!m_texture) { GLuint texture; - GLCheck(glGenTextures(1, &texture)); + glCheck(glGenTextures(1, &texture)); m_texture = static_cast(texture); } @@ -147,57 +147,57 @@ bool Texture::Create(unsigned int width, unsigned int height) priv::TextureSaver save; // Initialize the texture - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glTexImage2D(GL_TEXTURE_2D, 0, GL_RGBA8, m_textureWidth, m_textureHeight, 0, GL_RGBA, GL_UNSIGNED_BYTE, NULL)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); - m_cacheId = GetUniqueId(); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glTexImage2D(GL_TEXTURE_2D, 0, GL_RGBA8, m_textureWidth, m_textureHeight, 0, GL_RGBA, GL_UNSIGNED_BYTE, NULL)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); + m_cacheId = getUniqueId(); return true; } //////////////////////////////////////////////////////////// -bool Texture::LoadFromFile(const std::string& filename, const IntRect& area) +bool Texture::loadFromFile(const std::string& filename, const IntRect& area) { Image image; - return image.LoadFromFile(filename) && LoadFromImage(image, area); + return image.loadFromFile(filename) && loadFromImage(image, area); } //////////////////////////////////////////////////////////// -bool Texture::LoadFromMemory(const void* data, std::size_t size, const IntRect& area) +bool Texture::loadFromMemory(const void* data, std::size_t size, const IntRect& area) { Image image; - return image.LoadFromMemory(data, size) && LoadFromImage(image, area); + return image.loadFromMemory(data, size) && loadFromImage(image, area); } //////////////////////////////////////////////////////////// -bool Texture::LoadFromStream(InputStream& stream, const IntRect& area) +bool Texture::loadFromStream(InputStream& stream, const IntRect& area) { Image image; - return image.LoadFromStream(stream) && LoadFromImage(image, area); + return image.loadFromStream(stream) && loadFromImage(image, area); } //////////////////////////////////////////////////////////// -bool Texture::LoadFromImage(const Image& image, const IntRect& area) +bool Texture::loadFromImage(const Image& image, const IntRect& area) { // Retrieve the image size - int width = static_cast(image.GetWidth()); - int height = static_cast(image.GetHeight()); + int width = static_cast(image.getWidth()); + int height = static_cast(image.getHeight()); // Load the entire image if the source area is either empty or contains the whole image - if (area.Width == 0 || (area.Height == 0) || - ((area.Left <= 0) && (area.Top <= 0) && (area.Width >= width) && (area.Height >= height))) + if (area.width == 0 || (area.height == 0) || + ((area.left <= 0) && (area.top <= 0) && (area.width >= width) && (area.height >= height))) { // Load the entire image - if (Create(image.GetWidth(), image.GetHeight())) + if (create(image.getWidth(), image.getHeight())) { - Update(image); + update(image); return true; } else @@ -211,23 +211,23 @@ bool Texture::LoadFromImage(const Image& image, const IntRect& area) // Adjust the rectangle to the size of the image IntRect rectangle = area; - if (rectangle.Left < 0) rectangle.Left = 0; - if (rectangle.Top < 0) rectangle.Top = 0; - if (rectangle.Left + rectangle.Width > width) rectangle.Width = width - rectangle.Left; - if (rectangle.Top + rectangle.Height > height) rectangle.Height = height - rectangle.Top; + if (rectangle.left < 0) rectangle.left = 0; + if (rectangle.top < 0) rectangle.top = 0; + if (rectangle.left + rectangle.width > width) rectangle.width = width - rectangle.left; + if (rectangle.top + rectangle.height > height) rectangle.height = height - rectangle.top; // Create the texture and upload the pixels - if (Create(rectangle.Width, rectangle.Height)) + if (create(rectangle.width, rectangle.height)) { // Make sure that the current texture binding will be preserved priv::TextureSaver save; // Copy the pixels to the texture, row by row - const Uint8* pixels = image.GetPixelsPtr() + 4 * (rectangle.Left + (width * rectangle.Top)); - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - for (int i = 0; i < rectangle.Height; ++i) + const Uint8* pixels = image.getPixelsPtr() + 4 * (rectangle.left + (width * rectangle.top)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + for (int i = 0; i < rectangle.height; ++i) { - GLCheck(glTexSubImage2D(GL_TEXTURE_2D, 0, 0, i, m_width, 1, GL_RGBA, GL_UNSIGNED_BYTE, pixels)); + glCheck(glTexSubImage2D(GL_TEXTURE_2D, 0, 0, i, m_width, 1, GL_RGBA, GL_UNSIGNED_BYTE, pixels)); pixels += 4 * width; } @@ -242,27 +242,27 @@ bool Texture::LoadFromImage(const Image& image, const IntRect& area) //////////////////////////////////////////////////////////// -unsigned int Texture::GetWidth() const +unsigned int Texture::getWidth() const { return m_width; } //////////////////////////////////////////////////////////// -unsigned int Texture::GetHeight() const +unsigned int Texture::getHeight() const { return m_height; } //////////////////////////////////////////////////////////// -Image Texture::CopyToImage() const +Image Texture::copyToImage() const { // Easy case: empty texture if (!m_texture) return Image(); - EnsureGlContext(); + ensureGlContext(); // Make sure that the current texture binding will be preserved priv::TextureSaver save; @@ -273,8 +273,8 @@ Image Texture::CopyToImage() const if ((m_width == m_textureWidth) && (m_height == m_textureHeight) && !m_pixelsFlipped) { // Texture is not padded nor flipped, we can use a direct copy - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glGetTexImage(GL_TEXTURE_2D, 0, GL_RGBA, GL_UNSIGNED_BYTE, &pixels[0])); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glGetTexImage(GL_TEXTURE_2D, 0, GL_RGBA, GL_UNSIGNED_BYTE, &pixels[0])); } else { @@ -282,8 +282,8 @@ Image Texture::CopyToImage() const // All the pixels will first be copied to a temporary array std::vector allPixels(m_textureWidth * m_textureHeight * 4); - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glGetTexImage(GL_TEXTURE_2D, 0, GL_RGBA, GL_UNSIGNED_BYTE, &allPixels[0])); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glGetTexImage(GL_TEXTURE_2D, 0, GL_RGBA, GL_UNSIGNED_BYTE, &allPixels[0])); // Then we copy the useful pixels from the temporary array to the final one const Uint8* src = &allPixels[0]; @@ -308,89 +308,89 @@ Image Texture::CopyToImage() const // Create the image Image image; - image.Create(m_width, m_height, &pixels[0]); + image.create(m_width, m_height, &pixels[0]); return image; } //////////////////////////////////////////////////////////// -void Texture::Update(const Uint8* pixels) +void Texture::update(const Uint8* pixels) { // Update the whole texture - Update(pixels, m_width, m_height, 0, 0); + update(pixels, m_width, m_height, 0, 0); } //////////////////////////////////////////////////////////// -void Texture::Update(const Uint8* pixels, unsigned int width, unsigned int height, unsigned int x, unsigned int y) +void Texture::update(const Uint8* pixels, unsigned int width, unsigned int height, unsigned int x, unsigned int y) { assert(x + width <= m_width); assert(y + height <= m_height); if (pixels && m_texture) { - EnsureGlContext(); + ensureGlContext(); // Make sure that the current texture binding will be preserved priv::TextureSaver save; // Copy pixels from the given array to the texture - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glTexSubImage2D(GL_TEXTURE_2D, 0, x, y, width, height, GL_RGBA, GL_UNSIGNED_BYTE, pixels)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glTexSubImage2D(GL_TEXTURE_2D, 0, x, y, width, height, GL_RGBA, GL_UNSIGNED_BYTE, pixels)); m_pixelsFlipped = false; - m_cacheId = GetUniqueId(); + m_cacheId = getUniqueId(); } } //////////////////////////////////////////////////////////// -void Texture::Update(const Image& image) +void Texture::update(const Image& image) { // Update the whole texture - Update(image.GetPixelsPtr(), image.GetWidth(), image.GetHeight(), 0, 0); + update(image.getPixelsPtr(), image.getWidth(), image.getHeight(), 0, 0); } //////////////////////////////////////////////////////////// -void Texture::Update(const Image& image, unsigned int x, unsigned int y) +void Texture::update(const Image& image, unsigned int x, unsigned int y) { - Update(image.GetPixelsPtr(), image.GetWidth(), image.GetHeight(), x, y); + update(image.getPixelsPtr(), image.getWidth(), image.getHeight(), x, y); } //////////////////////////////////////////////////////////// -void Texture::Update(const Window& window) +void Texture::update(const Window& window) { - Update(window, 0, 0); + update(window, 0, 0); } //////////////////////////////////////////////////////////// -void Texture::Update(const Window& window, unsigned int x, unsigned int y) +void Texture::update(const Window& window, unsigned int x, unsigned int y) { - assert(x + window.GetSize().x <= m_width); - assert(y + window.GetSize().y <= m_height); + assert(x + window.getSize().x <= m_width); + assert(y + window.getSize().y <= m_height); - if (m_texture && window.SetActive(true)) + if (m_texture && window.setActive(true)) { // Make sure that the current texture binding will be preserved priv::TextureSaver save; // Copy pixels from the back-buffer to the texture - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glCopyTexSubImage2D(GL_TEXTURE_2D, 0, x, y, 0, 0, window.GetSize().x, window.GetSize().y)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glCopyTexSubImage2D(GL_TEXTURE_2D, 0, x, y, 0, 0, window.getSize().x, window.getSize().y)); m_pixelsFlipped = true; - m_cacheId = GetUniqueId(); + m_cacheId = getUniqueId(); } } //////////////////////////////////////////////////////////// -void Texture::Bind(CoordinateType coordinateType) const +void Texture::bind(CoordinateType coordinateType) const { // Bind the texture - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); // Check if we need to define a special texture matrix if ((coordinateType == Pixels) || m_pixelsFlipped) @@ -416,17 +416,17 @@ void Texture::Bind(CoordinateType coordinateType) const } // Load the matrix - GLCheck(glMatrixMode(GL_TEXTURE)); - GLCheck(glLoadMatrixf(matrix)); + glCheck(glMatrixMode(GL_TEXTURE)); + glCheck(glLoadMatrixf(matrix)); // Go back to model-view mode (sf::RenderTarget relies on it) - GLCheck(glMatrixMode(GL_MODELVIEW)); + glCheck(glMatrixMode(GL_MODELVIEW)); } } //////////////////////////////////////////////////////////// -void Texture::SetSmooth(bool smooth) +void Texture::setSmooth(bool smooth) { if (smooth != m_isSmooth) { @@ -434,28 +434,28 @@ void Texture::SetSmooth(bool smooth) if (m_texture) { - EnsureGlContext(); + ensureGlContext(); // Make sure that the current texture binding will be preserved priv::TextureSaver save; - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MAG_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_MIN_FILTER, m_isSmooth ? GL_LINEAR : GL_NEAREST)); } } } //////////////////////////////////////////////////////////// -bool Texture::IsSmooth() const +bool Texture::isSmooth() const { return m_isSmooth; } //////////////////////////////////////////////////////////// -void Texture::SetRepeated(bool repeated) +void Texture::setRepeated(bool repeated) { if (repeated != m_isRepeated) { @@ -463,33 +463,33 @@ void Texture::SetRepeated(bool repeated) if (m_texture) { - EnsureGlContext(); + ensureGlContext(); // Make sure that the current texture binding will be preserved priv::TextureSaver save; - GLCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); - GLCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_texture)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_S, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); + glCheck(glTexParameteri(GL_TEXTURE_2D, GL_TEXTURE_WRAP_T, m_isRepeated ? GL_REPEAT : GL_CLAMP_TO_EDGE)); } } } //////////////////////////////////////////////////////////// -bool Texture::IsRepeated() const +bool Texture::isRepeated() const { return m_isRepeated; } //////////////////////////////////////////////////////////// -unsigned int Texture::GetMaximumSize() +unsigned int Texture::getMaximumSize() { - EnsureGlContext(); + ensureGlContext(); GLint size; - GLCheck(glGetIntegerv(GL_MAX_TEXTURE_SIZE, &size)); + glCheck(glGetIntegerv(GL_MAX_TEXTURE_SIZE, &size)); return static_cast(size); } @@ -508,19 +508,19 @@ Texture& Texture::operator =(const Texture& right) std::swap(m_isSmooth, temp.m_isSmooth); std::swap(m_isRepeated, temp.m_isRepeated); std::swap(m_pixelsFlipped, temp.m_pixelsFlipped); - m_cacheId = GetUniqueId(); + m_cacheId = getUniqueId(); return *this; } //////////////////////////////////////////////////////////// -unsigned int Texture::GetValidSize(unsigned int size) +unsigned int Texture::getValidSize(unsigned int size) { - EnsureGlContext(); + ensureGlContext(); // Make sure that GLEW is initialized - priv::EnsureGlewInit(); + priv::ensureGlewInit(); if (GLEW_ARB_texture_non_power_of_two) { diff --git a/src/SFML/Graphics/TextureSaver.cpp b/src/SFML/Graphics/TextureSaver.cpp index 868cf559..61c6dc02 100644 --- a/src/SFML/Graphics/TextureSaver.cpp +++ b/src/SFML/Graphics/TextureSaver.cpp @@ -35,14 +35,14 @@ namespace priv //////////////////////////////////////////////////////////// TextureSaver::TextureSaver() { - GLCheck(glGetIntegerv(GL_TEXTURE_BINDING_2D, &m_textureBinding)); + glCheck(glGetIntegerv(GL_TEXTURE_BINDING_2D, &m_textureBinding)); } //////////////////////////////////////////////////////////// TextureSaver::~TextureSaver() { - GLCheck(glBindTexture(GL_TEXTURE_2D, m_textureBinding)); + glCheck(glBindTexture(GL_TEXTURE_2D, m_textureBinding)); } } // namespace priv diff --git a/src/SFML/Graphics/TextureSaver.hpp b/src/SFML/Graphics/TextureSaver.hpp index 9cab0ec9..843848af 100644 --- a/src/SFML/Graphics/TextureSaver.hpp +++ b/src/SFML/Graphics/TextureSaver.hpp @@ -28,7 +28,7 @@ //////////////////////////////////////////////////////////// // Headers //////////////////////////////////////////////////////////// -#include +#include namespace sf diff --git a/src/SFML/Graphics/Transform.cpp b/src/SFML/Graphics/Transform.cpp index 03cc358e..14d7f0cc 100644 --- a/src/SFML/Graphics/Transform.cpp +++ b/src/SFML/Graphics/Transform.cpp @@ -59,14 +59,14 @@ Transform::Transform(float a00, float a01, float a02, //////////////////////////////////////////////////////////// -const float* Transform::GetMatrix() const +const float* Transform::getMatrix() const { return m_matrix; } //////////////////////////////////////////////////////////// -Transform Transform::GetInverse() const +Transform Transform::getInverse() const { // Compute the determinant float det = m_matrix[0] * (m_matrix[15] * m_matrix[5] - m_matrix[7] * m_matrix[13]) - @@ -95,7 +95,7 @@ Transform Transform::GetInverse() const //////////////////////////////////////////////////////////// -Vector2f Transform::TransformPoint(float x, float y) const +Vector2f Transform::transformPoint(float x, float y) const { return Vector2f(m_matrix[0] * x + m_matrix[4] * y + m_matrix[12], m_matrix[1] * x + m_matrix[5] * y + m_matrix[13]); @@ -103,22 +103,22 @@ Vector2f Transform::TransformPoint(float x, float y) const //////////////////////////////////////////////////////////// -Vector2f Transform::TransformPoint(const Vector2f& point) const +Vector2f Transform::transformPoint(const Vector2f& point) const { - return TransformPoint(point.x, point.y); + return transformPoint(point.x, point.y); } //////////////////////////////////////////////////////////// -FloatRect Transform::TransformRect(const FloatRect& rectangle) const +FloatRect Transform::transformRect(const FloatRect& rectangle) const { // Transform the 4 corners of the rectangle const Vector2f points[] = { - TransformPoint(rectangle.Left, rectangle.Top), - TransformPoint(rectangle.Left, rectangle.Top + rectangle.Height), - TransformPoint(rectangle.Left + rectangle.Width, rectangle.Top), - TransformPoint(rectangle.Left + rectangle.Width, rectangle.Top + rectangle.Height) + transformPoint(rectangle.left, rectangle.top), + transformPoint(rectangle.left, rectangle.top + rectangle.height), + transformPoint(rectangle.left + rectangle.width, rectangle.top), + transformPoint(rectangle.left + rectangle.width, rectangle.top + rectangle.height) }; // Compute the bounding rectangle of the transformed points @@ -139,7 +139,7 @@ FloatRect Transform::TransformRect(const FloatRect& rectangle) const //////////////////////////////////////////////////////////// -Transform& Transform::Combine(const Transform& transform) +Transform& Transform::combine(const Transform& transform) { const float* a = m_matrix; const float* b = transform.m_matrix; @@ -159,25 +159,25 @@ Transform& Transform::Combine(const Transform& transform) //////////////////////////////////////////////////////////// -Transform& Transform::Translate(float x, float y) +Transform& Transform::translate(float x, float y) { Transform translation(1, 0, x, 0, 1, y, 0, 0, 1); - return Combine(translation); + return combine(translation); } //////////////////////////////////////////////////////////// -Transform& Transform::Translate(const Vector2f& offset) +Transform& Transform::translate(const Vector2f& offset) { - return Translate(offset.x, offset.y); + return translate(offset.x, offset.y); } //////////////////////////////////////////////////////////// -Transform& Transform::Rotate(float angle) +Transform& Transform::rotate(float angle) { float rad = angle * 3.141592654f / 180.f; float cos = std::cos(rad); @@ -187,12 +187,12 @@ Transform& Transform::Rotate(float angle) sin, cos, 0, 0, 0, 1); - return Combine(rotation); + return combine(rotation); } //////////////////////////////////////////////////////////// -Transform& Transform::Rotate(float angle, float centerX, float centerY) +Transform& Transform::rotate(float angle, float centerX, float centerY) { float rad = angle * 3.141592654f / 180.f; float cos = std::cos(rad); @@ -202,71 +202,71 @@ Transform& Transform::Rotate(float angle, float centerX, float centerY) sin, cos, centerY * (1 - cos) - centerX * sin, 0, 0, 1); - return Combine(rotation); + return combine(rotation); } //////////////////////////////////////////////////////////// -Transform& Transform::Rotate(float angle, const Vector2f& center) +Transform& Transform::rotate(float angle, const Vector2f& center) { - return Rotate(angle, center.x, center.y); + return rotate(angle, center.x, center.y); } //////////////////////////////////////////////////////////// -Transform& Transform::Scale(float scaleX, float scaleY) +Transform& Transform::scale(float scaleX, float scaleY) { Transform scaling(scaleX, 0, 0, 0, scaleY, 0, 0, 0, 1); - return Combine(scaling); + return combine(scaling); } //////////////////////////////////////////////////////////// -Transform& Transform::Scale(float scaleX, float scaleY, float centerX, float centerY) +Transform& Transform::scale(float scaleX, float scaleY, float centerX, float centerY) { Transform scaling(scaleX, 0, centerX * (1 - scaleX), 0, scaleY, centerY * (1 - scaleY), 0, 0, 1); - return Combine(scaling); + return combine(scaling); } //////////////////////////////////////////////////////////// -Transform& Transform::Scale(const Vector2f& factors) +Transform& Transform::scale(const Vector2f& factors) { - return Scale(factors.x, factors.y); + return scale(factors.x, factors.y); } //////////////////////////////////////////////////////////// -Transform& Transform::Scale(const Vector2f& factors, const Vector2f& center) +Transform& Transform::scale(const Vector2f& factors, const Vector2f& center) { - return Scale(factors.x, factors.y, center.x, center.y); + return scale(factors.x, factors.y, center.x, center.y); } //////////////////////////////////////////////////////////// Transform operator *(const Transform& left, const Transform& right) { - return Transform(left).Combine(right); + return Transform(left).combine(right); } //////////////////////////////////////////////////////////// Transform& operator *=(Transform& left, const Transform& right) { - return left.Combine(right); + return left.combine(right); } //////////////////////////////////////////////////////////// Vector2f operator *(const Transform& left, const Vector2f& right) { - return left.TransformPoint(right); + return left.transformPoint(right); } } // namespace sf diff --git a/src/SFML/Graphics/Transformable.cpp b/src/SFML/Graphics/Transformable.cpp index c266965e..f7a5c7d1 100644 --- a/src/SFML/Graphics/Transformable.cpp +++ b/src/SFML/Graphics/Transformable.cpp @@ -52,7 +52,7 @@ Transformable::~Transformable() //////////////////////////////////////////////////////////// -void Transformable::SetPosition(float x, float y) +void Transformable::setPosition(float x, float y) { m_position.x = x; m_position.y = y; @@ -62,14 +62,14 @@ void Transformable::SetPosition(float x, float y) //////////////////////////////////////////////////////////// -void Transformable::SetPosition(const Vector2f& position) +void Transformable::setPosition(const Vector2f& position) { - SetPosition(position.x, position.y); + setPosition(position.x, position.y); } //////////////////////////////////////////////////////////// -void Transformable::SetRotation(float angle) +void Transformable::setRotation(float angle) { m_rotation = angle; m_transformNeedUpdate = true; @@ -78,7 +78,7 @@ void Transformable::SetRotation(float angle) //////////////////////////////////////////////////////////// -void Transformable::SetScale(float factorX, float factorY) +void Transformable::setScale(float factorX, float factorY) { m_scale.x = factorX; m_scale.y = factorY; @@ -88,14 +88,14 @@ void Transformable::SetScale(float factorX, float factorY) //////////////////////////////////////////////////////////// -void Transformable::SetScale(const Vector2f& factors) +void Transformable::setScale(const Vector2f& factors) { - SetScale(factors.x, factors.y); + setScale(factors.x, factors.y); } //////////////////////////////////////////////////////////// -void Transformable::SetOrigin(float x, float y) +void Transformable::setOrigin(float x, float y) { m_origin.x = x; m_origin.y = y; @@ -105,77 +105,77 @@ void Transformable::SetOrigin(float x, float y) //////////////////////////////////////////////////////////// -void Transformable::SetOrigin(const Vector2f& origin) +void Transformable::setOrigin(const Vector2f& origin) { - SetOrigin(origin.x, origin.y); + setOrigin(origin.x, origin.y); } //////////////////////////////////////////////////////////// -const Vector2f& Transformable::GetPosition() const +const Vector2f& Transformable::getPosition() const { return m_position; } //////////////////////////////////////////////////////////// -float Transformable::GetRotation() const +float Transformable::getRotation() const { return m_rotation; } //////////////////////////////////////////////////////////// -const Vector2f& Transformable::GetScale() const +const Vector2f& Transformable::getScale() const { return m_scale; } //////////////////////////////////////////////////////////// -const Vector2f& Transformable::GetOrigin() const +const Vector2f& Transformable::getOrigin() const { return m_origin; } //////////////////////////////////////////////////////////// -void Transformable::Move(float offsetX, float offsetY) +void Transformable::move(float offsetX, float offsetY) { - SetPosition(m_position.x + offsetX, m_position.y + offsetY); + setPosition(m_position.x + offsetX, m_position.y + offsetY); } //////////////////////////////////////////////////////////// -void Transformable::Move(const Vector2f& offset) +void Transformable::move(const Vector2f& offset) { - SetPosition(m_position.x + offset.x, m_position.y + offset.y); + setPosition(m_position.x + offset.x, m_position.y + offset.y); } //////////////////////////////////////////////////////////// -void Transformable::Rotate(float angle) +void Transformable::rotate(float angle) { - SetRotation(m_rotation + angle); + setRotation(m_rotation + angle); } //////////////////////////////////////////////////////////// -void Transformable::Scale(float factorX, float factorY) +void Transformable::scale(float factorX, float factorY) { - SetScale(m_scale.x * factorX, m_scale.y * factorY); + setScale(m_scale.x * factorX, m_scale.y * factorY); } //////////////////////////////////////////////////////////// -void Transformable::Scale(const Vector2f& factor) +void Transformable::scale(const Vector2f& factor) { - SetScale(m_scale.x * factor.x, m_scale.y * factor.y); + setScale(m_scale.x * factor.x, m_scale.y * factor.y); } //////////////////////////////////////////////////////////// -const Transform& Transformable::GetTransform() const +const Transform& Transformable::getTransform() const { // Recompute the combined transform if needed if (m_transformNeedUpdate) @@ -201,12 +201,12 @@ const Transform& Transformable::GetTransform() const //////////////////////////////////////////////////////////// -const Transform& Transformable::GetInverseTransform() const +const Transform& Transformable::getInverseTransform() const { // Recompute the inverse transform if needed if (m_inverseTransformNeedUpdate) { - m_inverseTransform = GetTransform().GetInverse(); + m_inverseTransform = getTransform().getInverse(); m_inverseTransformNeedUpdate = false; } diff --git a/src/SFML/Graphics/Vertex.cpp b/src/SFML/Graphics/Vertex.cpp index abdbedcd..d199c97e 100644 --- a/src/SFML/Graphics/Vertex.cpp +++ b/src/SFML/Graphics/Vertex.cpp @@ -32,45 +32,45 @@ namespace sf { //////////////////////////////////////////////////////////// Vertex::Vertex() : -Position (0, 0), -Color (255, 255, 255), -TexCoords(0, 0) +position (0, 0), +color (255, 255, 255), +texCoords(0, 0) { } //////////////////////////////////////////////////////////// Vertex::Vertex(const Vector2f& position) : -Position (position), -Color (255, 255, 255), -TexCoords(0, 0) +position (position), +color (255, 255, 255), +texCoords(0, 0) { } //////////////////////////////////////////////////////////// -Vertex::Vertex(const Vector2f& position, const sf::Color& color) : -Position (position), -Color (color), -TexCoords(0, 0) +Vertex::Vertex(const Vector2f& position, const Color& color) : +position (position), +color (color), +texCoords(0, 0) { } //////////////////////////////////////////////////////////// Vertex::Vertex(const Vector2f& position, const Vector2f& texCoords) : -Position (position), -Color (255, 255, 255), -TexCoords(texCoords) +position (position), +color (255, 255, 255), +texCoords(texCoords) { } //////////////////////////////////////////////////////////// -Vertex::Vertex(const Vector2f& position, const sf::Color& color, const Vector2f& texCoords) : -Position (position), -Color (color), -TexCoords(texCoords) +Vertex::Vertex(const Vector2f& position, const Color& color, const Vector2f& texCoords) : +position (position), +color (color), +texCoords(texCoords) { } diff --git a/src/SFML/Graphics/VertexArray.cpp b/src/SFML/Graphics/VertexArray.cpp index f47576d2..1be1e76a 100644 --- a/src/SFML/Graphics/VertexArray.cpp +++ b/src/SFML/Graphics/VertexArray.cpp @@ -48,7 +48,7 @@ m_primitiveType(type) //////////////////////////////////////////////////////////// -unsigned int VertexArray::GetVertexCount() const +unsigned int VertexArray::getVertexCount() const { return static_cast(m_vertices.size()); } @@ -69,53 +69,53 @@ const Vertex& VertexArray::operator [](unsigned int index) const //////////////////////////////////////////////////////////// -void VertexArray::Clear() +void VertexArray::clear() { m_vertices.clear(); } //////////////////////////////////////////////////////////// -void VertexArray::Resize(unsigned int vertexCount) +void VertexArray::resize(unsigned int vertexCount) { m_vertices.resize(vertexCount); } //////////////////////////////////////////////////////////// -void VertexArray::Append(const Vertex& vertex) +void VertexArray::append(const Vertex& vertex) { m_vertices.push_back(vertex); } //////////////////////////////////////////////////////////// -void VertexArray::SetPrimitiveType(PrimitiveType type) +void VertexArray::setPrimitiveType(PrimitiveType type) { m_primitiveType = type; } //////////////////////////////////////////////////////////// -PrimitiveType VertexArray::GetPrimitiveType() const +PrimitiveType VertexArray::getPrimitiveType() const { return m_primitiveType; } //////////////////////////////////////////////////////////// -FloatRect VertexArray::GetBounds() const +FloatRect VertexArray::getBounds() const { if (!m_vertices.empty()) { - float left = m_vertices[0].Position.x; - float top = m_vertices[0].Position.y; - float right = m_vertices[0].Position.x; - float bottom = m_vertices[0].Position.y; + float left = m_vertices[0].position.x; + float top = m_vertices[0].position.y; + float right = m_vertices[0].position.x; + float bottom = m_vertices[0].position.y; for (std::size_t i = 0; i < m_vertices.size(); ++i) { - Vector2f position = m_vertices[i].Position; + Vector2f position = m_vertices[i].position; // Update left and right if (position.x < left) @@ -141,10 +141,10 @@ FloatRect VertexArray::GetBounds() const //////////////////////////////////////////////////////////// -void VertexArray::Draw(RenderTarget& target, RenderStates states) const +void VertexArray::draw(RenderTarget& target, RenderStates states) const { if (!m_vertices.empty()) - target.Draw(&m_vertices[0], static_cast(m_vertices.size()), m_primitiveType, states); + target.draw(&m_vertices[0], static_cast(m_vertices.size()), m_primitiveType, states); } } // namespace sf diff --git a/src/SFML/Graphics/View.cpp b/src/SFML/Graphics/View.cpp index d42ee852..36e38f99 100644 --- a/src/SFML/Graphics/View.cpp +++ b/src/SFML/Graphics/View.cpp @@ -40,7 +40,7 @@ m_viewport (0, 0, 1, 1), m_transformUpdated (false), m_invTransformUpdated(false) { - Reset(FloatRect(0, 0, 1000, 1000)); + reset(FloatRect(0, 0, 1000, 1000)); } @@ -53,7 +53,7 @@ m_viewport (0, 0, 1, 1), m_transformUpdated (false), m_invTransformUpdated(false) { - Reset(rectangle); + reset(rectangle); } @@ -70,7 +70,7 @@ m_invTransformUpdated(false) } //////////////////////////////////////////////////////////// -void View::SetCenter(float x, float y) +void View::setCenter(float x, float y) { m_center.x = x; m_center.y = y; @@ -81,14 +81,14 @@ void View::SetCenter(float x, float y) //////////////////////////////////////////////////////////// -void View::SetCenter(const Vector2f& center) +void View::setCenter(const Vector2f& center) { - SetCenter(center.x, center.y); + setCenter(center.x, center.y); } //////////////////////////////////////////////////////////// -void View::SetSize(float width, float height) +void View::setSize(float width, float height) { m_size.x = width; m_size.y = height; @@ -99,14 +99,14 @@ void View::SetSize(float width, float height) //////////////////////////////////////////////////////////// -void View::SetSize(const Vector2f& size) +void View::setSize(const Vector2f& size) { - SetSize(size.x, size.y); + setSize(size.x, size.y); } //////////////////////////////////////////////////////////// -void View::SetRotation(float angle) +void View::setRotation(float angle) { m_rotation = static_cast(fmod(angle, 360)); if (m_rotation < 0) @@ -118,19 +118,19 @@ void View::SetRotation(float angle) //////////////////////////////////////////////////////////// -void View::SetViewport(const FloatRect& viewport) +void View::setViewport(const FloatRect& viewport) { m_viewport = viewport; } //////////////////////////////////////////////////////////// -void View::Reset(const FloatRect& rectangle) +void View::reset(const FloatRect& rectangle) { - m_center.x = rectangle.Left + rectangle.Width / 2.f; - m_center.y = rectangle.Top + rectangle.Height / 2.f; - m_size.x = rectangle.Width; - m_size.y = rectangle.Height; + m_center.x = rectangle.left + rectangle.width / 2.f; + m_center.y = rectangle.top + rectangle.height / 2.f; + m_size.x = rectangle.width; + m_size.y = rectangle.height; m_rotation = 0; m_transformUpdated = false; @@ -139,63 +139,63 @@ void View::Reset(const FloatRect& rectangle) //////////////////////////////////////////////////////////// -const Vector2f& View::GetCenter() const +const Vector2f& View::getCenter() const { return m_center; } //////////////////////////////////////////////////////////// -const Vector2f& View::GetSize() const +const Vector2f& View::getSize() const { return m_size; } //////////////////////////////////////////////////////////// -float View::GetRotation() const +float View::getRotation() const { return m_rotation; } //////////////////////////////////////////////////////////// -const FloatRect& View::GetViewport() const +const FloatRect& View::getViewport() const { return m_viewport; } //////////////////////////////////////////////////////////// -void View::Move(float offsetX, float offsetY) +void View::move(float offsetX, float offsetY) { - SetCenter(m_center.x + offsetX, m_center.y + offsetY); + setCenter(m_center.x + offsetX, m_center.y + offsetY); } //////////////////////////////////////////////////////////// -void View::Move(const Vector2f& offset) +void View::move(const Vector2f& offset) { - SetCenter(m_center + offset); + setCenter(m_center + offset); } //////////////////////////////////////////////////////////// -void View::Rotate(float angle) +void View::rotate(float angle) { - SetRotation(m_rotation + angle); + setRotation(m_rotation + angle); } //////////////////////////////////////////////////////////// -void View::Zoom(float factor) +void View::zoom(float factor) { - SetSize(m_size.x * factor, m_size.y * factor); + setSize(m_size.x * factor, m_size.y * factor); } //////////////////////////////////////////////////////////// -const Transform& View::GetTransform() const +const Transform& View::getTransform() const { // Recompute the matrix if needed if (!m_transformUpdated) @@ -225,12 +225,12 @@ const Transform& View::GetTransform() const //////////////////////////////////////////////////////////// -const Transform& View::GetInverseTransform() const +const Transform& View::getInverseTransform() const { // Recompute the matrix if needed if (!m_invTransformUpdated) { - m_inverseTransform = GetTransform().GetInverse(); + m_inverseTransform = getTransform().getInverse(); m_invTransformUpdated = true; } diff --git a/src/SFML/Network/Ftp.cpp b/src/SFML/Network/Ftp.cpp index 65cc017a..8296ec7b 100644 --- a/src/SFML/Network/Ftp.cpp +++ b/src/SFML/Network/Ftp.cpp @@ -44,13 +44,13 @@ public : DataChannel(Ftp& owner); //////////////////////////////////////////////////////////// - Ftp::Response Open(Ftp::TransferMode mode); + Ftp::Response open(Ftp::TransferMode mode); //////////////////////////////////////////////////////////// - void Send(const std::vector& data); + void send(const std::vector& data); //////////////////////////////////////////////////////////// - void Receive(std::vector& data); + void receive(std::vector& data); private : @@ -72,21 +72,21 @@ m_message(message) //////////////////////////////////////////////////////////// -bool Ftp::Response::IsOk() const +bool Ftp::Response::isOk() const { return m_status < 400; } //////////////////////////////////////////////////////////// -Ftp::Response::Status Ftp::Response::GetStatus() const +Ftp::Response::Status Ftp::Response::getStatus() const { return m_status; } //////////////////////////////////////////////////////////// -const std::string& Ftp::Response::GetMessage() const +const std::string& Ftp::Response::getMessage() const { return m_message; } @@ -96,18 +96,18 @@ const std::string& Ftp::Response::GetMessage() const Ftp::DirectoryResponse::DirectoryResponse(const Ftp::Response& response) : Ftp::Response(response) { - if (IsOk()) + if (isOk()) { // Extract the directory from the server response - std::string::size_type begin = GetMessage().find('"', 0); - std::string::size_type end = GetMessage().find('"', begin + 1); - m_directory = GetMessage().substr(begin + 1, end - begin - 1); + std::string::size_type begin = getMessage().find('"', 0); + std::string::size_type end = getMessage().find('"', begin + 1); + m_directory = getMessage().substr(begin + 1, end - begin - 1); } } //////////////////////////////////////////////////////////// -const std::string& Ftp::DirectoryResponse::GetDirectory() const +const std::string& Ftp::DirectoryResponse::getDirectory() const { return m_directory; } @@ -117,7 +117,7 @@ const std::string& Ftp::DirectoryResponse::GetDirectory() const Ftp::ListingResponse::ListingResponse(const Ftp::Response& response, const std::vector& data) : Ftp::Response(response) { - if (IsOk()) + if (isOk()) { // Fill the array of strings std::string paths(data.begin(), data.end()); @@ -132,7 +132,7 @@ Ftp::Response(response) //////////////////////////////////////////////////////////// -const std::vector& Ftp::ListingResponse::GetFilenames() const +const std::vector& Ftp::ListingResponse::getFilenames() const { return m_filenames; } @@ -141,84 +141,84 @@ const std::vector& Ftp::ListingResponse::GetFilenames() const //////////////////////////////////////////////////////////// Ftp::~Ftp() { - Disconnect(); + disconnect(); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Connect(const IpAddress& server, unsigned short port, Time timeout) +Ftp::Response Ftp::connect(const IpAddress& server, unsigned short port, Time timeout) { // Connect to the server - if (m_commandSocket.Connect(server, port, timeout) != Socket::Done) + if (m_commandSocket.connect(server, port, timeout) != Socket::Done) return Response(Response::ConnectionFailed); // Get the response to the connection - return GetResponse(); + return getResponse(); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Login() +Ftp::Response Ftp::login() { - return Login("anonymous", "user@sfml-dev.org"); + return login("anonymous", "user@sfml-dev.org"); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Login(const std::string& name, const std::string& password) +Ftp::Response Ftp::login(const std::string& name, const std::string& password) { - Response response = SendCommand("USER", name); - if (response.IsOk()) - response = SendCommand("PASS", password); + Response response = sendCommand("USER", name); + if (response.isOk()) + response = sendCommand("PASS", password); return response; } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Disconnect() +Ftp::Response Ftp::disconnect() { // Send the exit command - Response response = SendCommand("QUIT"); - if (response.IsOk()) - m_commandSocket.Disconnect(); + Response response = sendCommand("QUIT"); + if (response.isOk()) + m_commandSocket.disconnect(); return response; } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::KeepAlive() +Ftp::Response Ftp::keepAlive() { - return SendCommand("NOOP"); + return sendCommand("NOOP"); } //////////////////////////////////////////////////////////// -Ftp::DirectoryResponse Ftp::GetWorkingDirectory() +Ftp::DirectoryResponse Ftp::getWorkingDirectory() { - return DirectoryResponse(SendCommand("PWD")); + return DirectoryResponse(sendCommand("PWD")); } //////////////////////////////////////////////////////////// -Ftp::ListingResponse Ftp::GetDirectoryListing(const std::string& directory) +Ftp::ListingResponse Ftp::getDirectoryListing(const std::string& directory) { // Open a data channel on default port (20) using ASCII transfer mode std::vector directoryData; DataChannel data(*this); - Response response = data.Open(Ascii); - if (response.IsOk()) + Response response = data.open(Ascii); + if (response.isOk()) { // Tell the server to send us the listing - response = SendCommand("NLST", directory); - if (response.IsOk()) + response = sendCommand("NLST", directory); + if (response.isOk()) { // Receive the listing - data.Receive(directoryData); + data.receive(directoryData); // Get the response from the server - response = GetResponse(); + response = getResponse(); } } @@ -227,70 +227,70 @@ Ftp::ListingResponse Ftp::GetDirectoryListing(const std::string& directory) //////////////////////////////////////////////////////////// -Ftp::Response Ftp::ChangeDirectory(const std::string& directory) +Ftp::Response Ftp::changeDirectory(const std::string& directory) { - return SendCommand("CWD", directory); + return sendCommand("CWD", directory); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::ParentDirectory() +Ftp::Response Ftp::parentDirectory() { - return SendCommand("CDUP"); + return sendCommand("CDUP"); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::CreateDirectory(const std::string& name) +Ftp::Response Ftp::createDirectory(const std::string& name) { - return SendCommand("MKD", name); + return sendCommand("MKD", name); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::DeleteDirectory(const std::string& name) +Ftp::Response Ftp::deleteDirectory(const std::string& name) { - return SendCommand("RMD", name); + return sendCommand("RMD", name); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::RenameFile(const std::string& file, const std::string& newName) +Ftp::Response Ftp::renameFile(const std::string& file, const std::string& newName) { - Response response = SendCommand("RNFR", file); - if (response.IsOk()) - response = SendCommand("RNTO", newName); + Response response = sendCommand("RNFR", file); + if (response.isOk()) + response = sendCommand("RNTO", newName); return response; } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::DeleteFile(const std::string& name) +Ftp::Response Ftp::deleteFile(const std::string& name) { - return SendCommand("DELE", name); + return sendCommand("DELE", name); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Download(const std::string& remoteFile, const std::string& localPath, TransferMode mode) +Ftp::Response Ftp::download(const std::string& remoteFile, const std::string& localPath, TransferMode mode) { // Open a data channel using the given transfer mode DataChannel data(*this); - Response response = data.Open(mode); - if (response.IsOk()) + Response response = data.open(mode); + if (response.isOk()) { // Tell the server to start the transfer - response = SendCommand("RETR", remoteFile); - if (response.IsOk()) + response = sendCommand("RETR", remoteFile); + if (response.isOk()) { // Receive the file data std::vector fileData; - data.Receive(fileData); + data.receive(fileData); // Get the response from the server - response = GetResponse(); - if (response.IsOk()) + response = getResponse(); + if (response.isOk()) { // Extract the filename from the file path std::string filename = remoteFile; @@ -319,7 +319,7 @@ Ftp::Response Ftp::Download(const std::string& remoteFile, const std::string& lo //////////////////////////////////////////////////////////// -Ftp::Response Ftp::Upload(const std::string& localFile, const std::string& remotePath, TransferMode mode) +Ftp::Response Ftp::upload(const std::string& localFile, const std::string& remotePath, TransferMode mode) { // Get the contents of the file to send std::ifstream file(localFile.c_str(), std::ios_base::binary); @@ -346,18 +346,18 @@ Ftp::Response Ftp::Upload(const std::string& localFile, const std::string& remot // Open a data channel using the given transfer mode DataChannel data(*this); - Response response = data.Open(mode); - if (response.IsOk()) + Response response = data.open(mode); + if (response.isOk()) { // Tell the server to start the transfer - response = SendCommand("STOR", path + filename); - if (response.IsOk()) + response = sendCommand("STOR", path + filename); + if (response.isOk()) { // Send the file data - data.Send(fileData); + data.send(fileData); // Get the response from the server - response = GetResponse(); + response = getResponse(); } } @@ -366,7 +366,7 @@ Ftp::Response Ftp::Upload(const std::string& localFile, const std::string& remot //////////////////////////////////////////////////////////// -Ftp::Response Ftp::SendCommand(const std::string& command, const std::string& parameter) +Ftp::Response Ftp::sendCommand(const std::string& command, const std::string& parameter) { // Build the command string std::string commandStr; @@ -376,16 +376,16 @@ Ftp::Response Ftp::SendCommand(const std::string& command, const std::string& pa commandStr = command + "\r\n"; // Send it to the server - if (m_commandSocket.Send(commandStr.c_str(), commandStr.length()) != Socket::Done) + if (m_commandSocket.send(commandStr.c_str(), commandStr.length()) != Socket::Done) return Response(Response::ConnectionClosed); // Get the response - return GetResponse(); + return getResponse(); } //////////////////////////////////////////////////////////// -Ftp::Response Ftp::GetResponse() +Ftp::Response Ftp::getResponse() { // We'll use a variable to keep track of the last valid code. // It is useful in case of multi-lines responses, because the end of such a response @@ -399,7 +399,7 @@ Ftp::Response Ftp::GetResponse() // Receive the response from the server char buffer[1024]; std::size_t length; - if (m_commandSocket.Receive(buffer, sizeof(buffer), length) != Socket::Done) + if (m_commandSocket.receive(buffer, sizeof(buffer), length) != Socket::Done) return Response(Response::ConnectionClosed); // There can be several lines inside the received buffer, extract them all @@ -525,18 +525,18 @@ m_ftp(owner) //////////////////////////////////////////////////////////// -Ftp::Response Ftp::DataChannel::Open(Ftp::TransferMode mode) +Ftp::Response Ftp::DataChannel::open(Ftp::TransferMode mode) { // Open a data connection in active mode (we connect to the server) - Ftp::Response response = m_ftp.SendCommand("PASV"); - if (response.IsOk()) + Ftp::Response response = m_ftp.sendCommand("PASV"); + if (response.isOk()) { // Extract the connection address and port from the response - std::string::size_type begin = response.GetMessage().find_first_of("0123456789"); + std::string::size_type begin = response.getMessage().find_first_of("0123456789"); if (begin != std::string::npos) { Uint8 data[6] = {0, 0, 0, 0, 0, 0}; - std::string str = response.GetMessage().substr(begin); + std::string str = response.getMessage().substr(begin); std::size_t index = 0; for (int i = 0; i < 6; ++i) { @@ -559,7 +559,7 @@ Ftp::Response Ftp::DataChannel::Open(Ftp::TransferMode mode) static_cast(data[3])); // Connect the data channel to the server - if (m_dataSocket.Connect(address, port) == Socket::Done) + if (m_dataSocket.connect(address, port) == Socket::Done) { // Translate the transfer mode to the corresponding FTP parameter std::string modeStr; @@ -571,7 +571,7 @@ Ftp::Response Ftp::DataChannel::Open(Ftp::TransferMode mode) } // Set the transfer mode - response = m_ftp.SendCommand("TYPE", modeStr); + response = m_ftp.sendCommand("TYPE", modeStr); } else { @@ -586,31 +586,31 @@ Ftp::Response Ftp::DataChannel::Open(Ftp::TransferMode mode) //////////////////////////////////////////////////////////// -void Ftp::DataChannel::Receive(std::vector& data) +void Ftp::DataChannel::receive(std::vector& data) { // Receive data data.clear(); char buffer[1024]; std::size_t received; - while (m_dataSocket.Receive(buffer, sizeof(buffer), received) == Socket::Done) + while (m_dataSocket.receive(buffer, sizeof(buffer), received) == Socket::Done) { std::copy(buffer, buffer + received, std::back_inserter(data)); } // Close the data socket - m_dataSocket.Disconnect(); + m_dataSocket.disconnect(); } //////////////////////////////////////////////////////////// -void Ftp::DataChannel::Send(const std::vector& data) +void Ftp::DataChannel::send(const std::vector& data) { // Send data if (!data.empty()) - m_dataSocket.Send(&data[0], data.size()); + m_dataSocket.send(&data[0], data.size()); // Close the data socket - m_dataSocket.Disconnect(); + m_dataSocket.disconnect(); } } // namespace sf diff --git a/src/SFML/Network/Http.cpp b/src/SFML/Network/Http.cpp index 24af5288..c0a7ea4e 100644 --- a/src/SFML/Network/Http.cpp +++ b/src/SFML/Network/Http.cpp @@ -35,7 +35,7 @@ namespace { // Convert a string to lower case - std::string ToLower(std::string str) + std::string toLower(std::string str) { for (std::string::iterator i = str.begin(); i != str.end(); ++i) *i = static_cast(std::tolower(*i)); @@ -49,40 +49,40 @@ namespace sf //////////////////////////////////////////////////////////// Http::Request::Request(const std::string& uri, Method method, const std::string& body) { - SetMethod(method); - SetUri(uri); - SetHttpVersion(1, 0); - SetBody(body); + setMethod(method); + setUri(uri); + setHttpVersion(1, 0); + setBody(body); } //////////////////////////////////////////////////////////// -void Http::Request::SetField(const std::string& field, const std::string& value) +void Http::Request::setField(const std::string& field, const std::string& value) { - m_fields[ToLower(field)] = value; + m_fields[toLower(field)] = value; } //////////////////////////////////////////////////////////// -void Http::Request::SetMethod(Http::Request::Method method) +void Http::Request::setMethod(Http::Request::Method method) { m_method = method; } //////////////////////////////////////////////////////////// -void Http::Request::SetUri(const std::string& uri) +void Http::Request::setUri(const std::string& uri) { - m_uRI = uri; + m_uri = uri; // Make sure it starts with a '/' - if (m_uRI.empty() || (m_uRI[0] != '/')) - m_uRI.insert(0, "/"); + if (m_uri.empty() || (m_uri[0] != '/')) + m_uri.insert(0, "/"); } //////////////////////////////////////////////////////////// -void Http::Request::SetHttpVersion(unsigned int major, unsigned int minor) +void Http::Request::setHttpVersion(unsigned int major, unsigned int minor) { m_majorVersion = major; m_minorVersion = minor; @@ -90,14 +90,14 @@ void Http::Request::SetHttpVersion(unsigned int major, unsigned int minor) //////////////////////////////////////////////////////////// -void Http::Request::SetBody(const std::string& body) +void Http::Request::setBody(const std::string& body) { m_body = body; } //////////////////////////////////////////////////////////// -std::string Http::Request::Prepare() const +std::string Http::Request::prepare() const { std::ostringstream out; @@ -112,7 +112,7 @@ std::string Http::Request::Prepare() const } // Write the first line containing the request type - out << method << " " << m_uRI << " "; + out << method << " " << m_uri << " "; out << "HTTP/" << m_majorVersion << "." << m_minorVersion << "\r\n"; // Write fields @@ -132,9 +132,9 @@ std::string Http::Request::Prepare() const //////////////////////////////////////////////////////////// -bool Http::Request::HasField(const std::string& field) const +bool Http::Request::hasField(const std::string& field) const { - return m_fields.find(ToLower(field)) != m_fields.end(); + return m_fields.find(toLower(field)) != m_fields.end(); } @@ -149,9 +149,9 @@ m_minorVersion(0) //////////////////////////////////////////////////////////// -const std::string& Http::Response::GetField(const std::string& field) const +const std::string& Http::Response::getField(const std::string& field) const { - FieldTable::const_iterator it = m_fields.find(ToLower(field)); + FieldTable::const_iterator it = m_fields.find(toLower(field)); if (it != m_fields.end()) { return it->second; @@ -165,35 +165,35 @@ const std::string& Http::Response::GetField(const std::string& field) const //////////////////////////////////////////////////////////// -Http::Response::Status Http::Response::GetStatus() const +Http::Response::Status Http::Response::getStatus() const { return m_status; } //////////////////////////////////////////////////////////// -unsigned int Http::Response::GetMajorHttpVersion() const +unsigned int Http::Response::getMajorHttpVersion() const { return m_majorVersion; } //////////////////////////////////////////////////////////// -unsigned int Http::Response::GetMinorHttpVersion() const +unsigned int Http::Response::getMinorHttpVersion() const { return m_minorVersion; } //////////////////////////////////////////////////////////// -const std::string& Http::Response::GetBody() const +const std::string& Http::Response::getBody() const { return m_body; } //////////////////////////////////////////////////////////// -void Http::Response::Parse(const std::string& data) +void Http::Response::parse(const std::string& data) { std::istringstream in(data); @@ -202,7 +202,7 @@ void Http::Response::Parse(const std::string& data) if (in >> version) { if ((version.size() >= 8) && (version[6] == '.') && - (ToLower(version.substr(0, 5)) == "http/") && + (toLower(version.substr(0, 5)) == "http/") && isdigit(version[5]) && isdigit(version[7])) { m_majorVersion = version[5] - '0'; @@ -248,7 +248,7 @@ void Http::Response::Parse(const std::string& data) value.erase(value.size() - 1); // Add the field - m_fields[ToLower(field)] = value; + m_fields[toLower(field)] = value; } } @@ -270,15 +270,15 @@ m_port(0) //////////////////////////////////////////////////////////// Http::Http(const std::string& host, unsigned short port) { - SetHost(host, port); + setHost(host, port); } //////////////////////////////////////////////////////////// -void Http::SetHost(const std::string& host, unsigned short port) +void Http::setHost(const std::string& host, unsigned short port) { // Detect the protocol used - std::string protocol = ToLower(host.substr(0, 8)); + std::string protocol = toLower(host.substr(0, 8)); if (protocol.substr(0, 7) == "http://") { // HTTP protocol @@ -307,67 +307,67 @@ void Http::SetHost(const std::string& host, unsigned short port) //////////////////////////////////////////////////////////// -Http::Response Http::SendRequest(const Http::Request& request, Time timeout) +Http::Response Http::sendRequest(const Http::Request& request, Time timeout) { // First make sure that the request is valid -- add missing mandatory fields Request toSend(request); - if (!toSend.HasField("From")) + if (!toSend.hasField("From")) { - toSend.SetField("From", "user@sfml-dev.org"); + toSend.setField("From", "user@sfml-dev.org"); } - if (!toSend.HasField("User-Agent")) + if (!toSend.hasField("User-Agent")) { - toSend.SetField("User-Agent", "libsfml-network/2.x"); + toSend.setField("User-Agent", "libsfml-network/2.x"); } - if (!toSend.HasField("Host")) + if (!toSend.hasField("Host")) { - toSend.SetField("Host", m_hostName); + toSend.setField("Host", m_hostName); } - if (!toSend.HasField("Content-Length")) + if (!toSend.hasField("Content-Length")) { std::ostringstream out; out << toSend.m_body.size(); - toSend.SetField("Content-Length", out.str()); + toSend.setField("Content-Length", out.str()); } - if ((toSend.m_method == Request::Post) && !toSend.HasField("Content-Type")) + if ((toSend.m_method == Request::Post) && !toSend.hasField("Content-Type")) { - toSend.SetField("Content-Type", "application/x-www-form-urlencoded"); + toSend.setField("Content-Type", "application/x-www-form-urlencoded"); } - if ((toSend.m_majorVersion * 10 + toSend.m_minorVersion >= 11) && !toSend.HasField("Connection")) + if ((toSend.m_majorVersion * 10 + toSend.m_minorVersion >= 11) && !toSend.hasField("Connection")) { - toSend.SetField("Connection", "close"); + toSend.setField("Connection", "close"); } // Prepare the response Response received; // Connect the socket to the host - if (m_connection.Connect(m_host, m_port, timeout) == Socket::Done) + if (m_connection.connect(m_host, m_port, timeout) == Socket::Done) { // Convert the request to string and send it through the connected socket - std::string requestStr = toSend.Prepare(); + std::string requestStr = toSend.prepare(); if (!requestStr.empty()) { // Send it through the socket - if (m_connection.Send(requestStr.c_str(), requestStr.size()) == Socket::Done) + if (m_connection.send(requestStr.c_str(), requestStr.size()) == Socket::Done) { // Wait for the server's response std::string receivedStr; std::size_t size = 0; char buffer[1024]; - while (m_connection.Receive(buffer, sizeof(buffer), size) == Socket::Done) + while (m_connection.receive(buffer, sizeof(buffer), size) == Socket::Done) { receivedStr.append(buffer, buffer + size); } // Build the Response object from the received data - received.Parse(receivedStr); + received.parse(receivedStr); } } // Close the connection - m_connection.Disconnect(); + m_connection.disconnect(); } return received; diff --git a/src/SFML/Network/IpAddress.cpp b/src/SFML/Network/IpAddress.cpp index 33e37ade..71e479c6 100644 --- a/src/SFML/Network/IpAddress.cpp +++ b/src/SFML/Network/IpAddress.cpp @@ -32,7 +32,7 @@ namespace { - sf::Uint32 Resolve(const std::string& address) + sf::Uint32 resolve(const std::string& address) { if (address == "255.255.255.255") { @@ -79,14 +79,14 @@ m_address(0) //////////////////////////////////////////////////////////// IpAddress::IpAddress(const std::string& address) : -m_address(Resolve(address)) +m_address(resolve(address)) { } //////////////////////////////////////////////////////////// IpAddress::IpAddress(const char* address) : -m_address(Resolve(address)) +m_address(resolve(address)) { } @@ -106,7 +106,7 @@ m_address(htonl(address)) //////////////////////////////////////////////////////////// -std::string IpAddress::ToString() const +std::string IpAddress::toString() const { in_addr address; address.s_addr = m_address; @@ -116,14 +116,14 @@ std::string IpAddress::ToString() const //////////////////////////////////////////////////////////// -Uint32 IpAddress::ToInteger() const +Uint32 IpAddress::toInteger() const { return ntohl(m_address); } //////////////////////////////////////////////////////////// -IpAddress IpAddress::GetLocalAddress() +IpAddress IpAddress::getLocalAddress() { // The method here is to connect a UDP socket to anyone (here to localhost), // and get the local socket address with the getsockname function. @@ -133,14 +133,14 @@ IpAddress IpAddress::GetLocalAddress() // Create the socket SocketHandle sock = socket(PF_INET, SOCK_DGRAM, 0); - if (sock == priv::SocketImpl::InvalidSocket()) + if (sock == priv::SocketImpl::invalidSocket()) return localAddress; // Connect the socket to localhost on any port - sockaddr_in address = priv::SocketImpl::CreateAddress(ntohl(INADDR_LOOPBACK), 0); + sockaddr_in address = priv::SocketImpl::createAddress(ntohl(INADDR_LOOPBACK), 0); if (connect(sock, reinterpret_cast(&address), sizeof(address)) == -1) { - priv::SocketImpl::Close(sock); + priv::SocketImpl::close(sock); return localAddress; } @@ -148,12 +148,12 @@ IpAddress IpAddress::GetLocalAddress() priv::SocketImpl::AddrLength size = sizeof(address); if (getsockname(sock, reinterpret_cast(&address), &size) == -1) { - priv::SocketImpl::Close(sock); + priv::SocketImpl::close(sock); return localAddress; } // Close the socket - priv::SocketImpl::Close(sock); + priv::SocketImpl::close(sock); // Finally build the IP address localAddress = IpAddress(ntohl(address.sin_addr.s_addr)); @@ -163,7 +163,7 @@ IpAddress IpAddress::GetLocalAddress() //////////////////////////////////////////////////////////// -IpAddress IpAddress::GetPublicAddress(Time timeout) +IpAddress IpAddress::getPublicAddress(Time timeout) { // The trick here is more complicated, because the only way // to get our public IP address is to get it from a distant computer. @@ -173,9 +173,9 @@ IpAddress IpAddress::GetPublicAddress(Time timeout) Http server("www.sfml-dev.org"); Http::Request request("/ip-provider.php", Http::Request::Get); - Http::Response page = server.SendRequest(request, timeout); - if (page.GetStatus() == Http::Response::Ok) - return IpAddress(page.GetBody()); + Http::Response page = server.sendRequest(request, timeout); + if (page.getStatus() == Http::Response::Ok) + return IpAddress(page.getBody()); // Something failed: return an invalid address return IpAddress(); @@ -185,7 +185,7 @@ IpAddress IpAddress::GetPublicAddress(Time timeout) //////////////////////////////////////////////////////////// bool operator ==(const IpAddress& left, const IpAddress& right) { - return left.ToInteger() == right.ToInteger(); + return left.toInteger() == right.toInteger(); } @@ -199,7 +199,7 @@ bool operator !=(const IpAddress& left, const IpAddress& right) //////////////////////////////////////////////////////////// bool operator <(const IpAddress& left, const IpAddress& right) { - return left.ToInteger() < right.ToInteger(); + return left.toInteger() < right.toInteger(); } @@ -238,7 +238,7 @@ std::istream& operator >>(std::istream& stream, IpAddress& address) //////////////////////////////////////////////////////////// std::ostream& operator <<(std::ostream& stream, const IpAddress& address) { - return stream << address.ToString(); + return stream << address.toString(); } } // namespace sf diff --git a/src/SFML/Network/Packet.cpp b/src/SFML/Network/Packet.cpp index 91bfcd53..1dc60e39 100644 --- a/src/SFML/Network/Packet.cpp +++ b/src/SFML/Network/Packet.cpp @@ -50,7 +50,7 @@ Packet::~Packet() //////////////////////////////////////////////////////////// -void Packet::Append(const void* data, std::size_t sizeInBytes) +void Packet::append(const void* data, std::size_t sizeInBytes) { if (data && (sizeInBytes > 0)) { @@ -62,7 +62,7 @@ void Packet::Append(const void* data, std::size_t sizeInBytes) //////////////////////////////////////////////////////////// -void Packet::Clear() +void Packet::clear() { m_data.clear(); m_readPos = 0; @@ -71,21 +71,21 @@ void Packet::Clear() //////////////////////////////////////////////////////////// -const char* Packet::GetData() const +const char* Packet::getData() const { return !m_data.empty() ? &m_data[0] : NULL; } //////////////////////////////////////////////////////////// -std::size_t Packet::GetDataSize() const +std::size_t Packet::getDataSize() const { return m_data.size(); } //////////////////////////////////////////////////////////// -bool Packet::EndOfPacket() const +bool Packet::endOfPacket() const { return m_readPos >= m_data.size(); } @@ -94,7 +94,7 @@ bool Packet::EndOfPacket() const //////////////////////////////////////////////////////////// Packet::operator BoolType() const { - return m_isValid ? &Packet::CheckSize : NULL; + return m_isValid ? &Packet::checkSize : NULL; } @@ -112,9 +112,9 @@ Packet& Packet::operator >>(bool& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Int8& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = *reinterpret_cast(GetData() + m_readPos); + data = *reinterpret_cast(getData() + m_readPos); m_readPos += sizeof(data); } @@ -125,9 +125,9 @@ Packet& Packet::operator >>(Int8& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Uint8& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = *reinterpret_cast(GetData() + m_readPos); + data = *reinterpret_cast(getData() + m_readPos); m_readPos += sizeof(data); } @@ -138,9 +138,9 @@ Packet& Packet::operator >>(Uint8& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Int16& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = ntohs(*reinterpret_cast(GetData() + m_readPos)); + data = ntohs(*reinterpret_cast(getData() + m_readPos)); m_readPos += sizeof(data); } @@ -151,9 +151,9 @@ Packet& Packet::operator >>(Int16& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Uint16& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = ntohs(*reinterpret_cast(GetData() + m_readPos)); + data = ntohs(*reinterpret_cast(getData() + m_readPos)); m_readPos += sizeof(data); } @@ -164,9 +164,9 @@ Packet& Packet::operator >>(Uint16& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Int32& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = ntohl(*reinterpret_cast(GetData() + m_readPos)); + data = ntohl(*reinterpret_cast(getData() + m_readPos)); m_readPos += sizeof(data); } @@ -177,9 +177,9 @@ Packet& Packet::operator >>(Int32& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(Uint32& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = ntohl(*reinterpret_cast(GetData() + m_readPos)); + data = ntohl(*reinterpret_cast(getData() + m_readPos)); m_readPos += sizeof(data); } @@ -190,9 +190,9 @@ Packet& Packet::operator >>(Uint32& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(float& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = *reinterpret_cast(GetData() + m_readPos); + data = *reinterpret_cast(getData() + m_readPos); m_readPos += sizeof(data); } @@ -203,9 +203,9 @@ Packet& Packet::operator >>(float& data) //////////////////////////////////////////////////////////// Packet& Packet::operator >>(double& data) { - if (CheckSize(sizeof(data))) + if (checkSize(sizeof(data))) { - data = *reinterpret_cast(GetData() + m_readPos); + data = *reinterpret_cast(getData() + m_readPos); m_readPos += sizeof(data); } @@ -220,10 +220,10 @@ Packet& Packet::operator >>(char* data) Uint32 length = 0; *this >> length; - if ((length > 0) && CheckSize(length)) + if ((length > 0) && checkSize(length)) { // Then extract characters - std::memcpy(data, GetData() + m_readPos, length); + std::memcpy(data, getData() + m_readPos, length); data[length] = '\0'; // Update reading position @@ -242,10 +242,10 @@ Packet& Packet::operator >>(std::string& data) *this >> length; data.clear(); - if ((length > 0) && CheckSize(length)) + if ((length > 0) && checkSize(length)) { // Then extract characters - data.assign(GetData() + m_readPos, length); + data.assign(getData() + m_readPos, length); // Update reading position m_readPos += length; @@ -262,7 +262,7 @@ Packet& Packet::operator >>(wchar_t* data) Uint32 length = 0; *this >> length; - if ((length > 0) && CheckSize(length * sizeof(Uint32))) + if ((length > 0) && checkSize(length * sizeof(Uint32))) { // Then extract characters for (Uint32 i = 0; i < length; ++i) @@ -286,7 +286,7 @@ Packet& Packet::operator >>(std::wstring& data) *this >> length; data.clear(); - if ((length > 0) && CheckSize(length * sizeof(Uint32))) + if ((length > 0) && checkSize(length * sizeof(Uint32))) { // Then extract characters for (Uint32 i = 0; i < length; ++i) @@ -308,8 +308,8 @@ Packet& Packet::operator >>(String& data) Uint32 length = 0; *this >> length; - data.Clear(); - if ((length > 0) && CheckSize(length * sizeof(Uint32))) + data.clear(); + if ((length > 0) && checkSize(length * sizeof(Uint32))) { // Then extract characters for (Uint32 i = 0; i < length; ++i) @@ -335,7 +335,7 @@ Packet& Packet::operator <<(bool data) //////////////////////////////////////////////////////////// Packet& Packet::operator <<(Int8 data) { - Append(&data, sizeof(data)); + append(&data, sizeof(data)); return *this; } @@ -343,7 +343,7 @@ Packet& Packet::operator <<(Int8 data) //////////////////////////////////////////////////////////// Packet& Packet::operator <<(Uint8 data) { - Append(&data, sizeof(data)); + append(&data, sizeof(data)); return *this; } @@ -352,7 +352,7 @@ Packet& Packet::operator <<(Uint8 data) Packet& Packet::operator <<(Int16 data) { Int16 toWrite = htons(data); - Append(&toWrite, sizeof(toWrite)); + append(&toWrite, sizeof(toWrite)); return *this; } @@ -361,7 +361,7 @@ Packet& Packet::operator <<(Int16 data) Packet& Packet::operator <<(Uint16 data) { Uint16 toWrite = htons(data); - Append(&toWrite, sizeof(toWrite)); + append(&toWrite, sizeof(toWrite)); return *this; } @@ -370,7 +370,7 @@ Packet& Packet::operator <<(Uint16 data) Packet& Packet::operator <<(Int32 data) { Int32 toWrite = htonl(data); - Append(&toWrite, sizeof(toWrite)); + append(&toWrite, sizeof(toWrite)); return *this; } @@ -379,7 +379,7 @@ Packet& Packet::operator <<(Int32 data) Packet& Packet::operator <<(Uint32 data) { Uint32 toWrite = htonl(data); - Append(&toWrite, sizeof(toWrite)); + append(&toWrite, sizeof(toWrite)); return *this; } @@ -387,7 +387,7 @@ Packet& Packet::operator <<(Uint32 data) //////////////////////////////////////////////////////////// Packet& Packet::operator <<(float data) { - Append(&data, sizeof(data)); + append(&data, sizeof(data)); return *this; } @@ -395,7 +395,7 @@ Packet& Packet::operator <<(float data) //////////////////////////////////////////////////////////// Packet& Packet::operator <<(double data) { - Append(&data, sizeof(data)); + append(&data, sizeof(data)); return *this; } @@ -410,7 +410,7 @@ Packet& Packet::operator <<(const char* data) *this << length; // Then insert characters - Append(data, length * sizeof(char)); + append(data, length * sizeof(char)); return *this; } @@ -426,7 +426,7 @@ Packet& Packet::operator <<(const std::string& data) // Then insert characters if (length > 0) { - Append(data.c_str(), length * sizeof(std::string::value_type)); + append(data.c_str(), length * sizeof(std::string::value_type)); } return *this; @@ -472,13 +472,13 @@ Packet& Packet::operator <<(const std::wstring& data) Packet& Packet::operator <<(const String& data) { // First insert the string length - Uint32 length = static_cast(data.GetSize()); + Uint32 length = static_cast(data.getSize()); *this << length; // Then insert characters if (length > 0) { - for (String::ConstIterator c = data.Begin(); c != data.End(); ++c) + for (String::ConstIterator c = data.begin(); c != data.end(); ++c) *this << *c; } @@ -487,7 +487,7 @@ Packet& Packet::operator <<(const String& data) //////////////////////////////////////////////////////////// -bool Packet::CheckSize(std::size_t size) +bool Packet::checkSize(std::size_t size) { m_isValid = m_isValid && (m_readPos + size <= m_data.size()); @@ -496,17 +496,17 @@ bool Packet::CheckSize(std::size_t size) //////////////////////////////////////////////////////////// -const char* Packet::OnSend(std::size_t& size) +const char* Packet::onSend(std::size_t& size) { - size = GetDataSize(); - return GetData(); + size = getDataSize(); + return getData(); } //////////////////////////////////////////////////////////// -void Packet::OnReceive(const char* data, std::size_t size) +void Packet::onReceive(const char* data, std::size_t size) { - Append(data, size); + append(data, size); } } // namespace sf diff --git a/src/SFML/Network/Socket.cpp b/src/SFML/Network/Socket.cpp index de2322af..8d8da004 100644 --- a/src/SFML/Network/Socket.cpp +++ b/src/SFML/Network/Socket.cpp @@ -35,7 +35,7 @@ namespace sf //////////////////////////////////////////////////////////// Socket::Socket(Type type) : m_type (type), -m_socket (priv::SocketImpl::InvalidSocket()), +m_socket (priv::SocketImpl::invalidSocket()), m_isBlocking(true) { @@ -46,58 +46,58 @@ m_isBlocking(true) Socket::~Socket() { // Close the socket before it gets destructed - Close(); + close(); } //////////////////////////////////////////////////////////// -void Socket::SetBlocking(bool blocking) +void Socket::setBlocking(bool blocking) { // Apply if the socket is already created - if (m_socket != priv::SocketImpl::InvalidSocket()) - priv::SocketImpl::SetBlocking(m_socket, blocking); + if (m_socket != priv::SocketImpl::invalidSocket()) + priv::SocketImpl::setBlocking(m_socket, blocking); m_isBlocking = blocking; } //////////////////////////////////////////////////////////// -bool Socket::IsBlocking() const +bool Socket::isBlocking() const { return m_isBlocking; } //////////////////////////////////////////////////////////// -SocketHandle Socket::GetHandle() const +SocketHandle Socket::getHandle() const { return m_socket; } //////////////////////////////////////////////////////////// -void Socket::Create() +void Socket::create() { // Don't create the socket if it already exists - if (m_socket == priv::SocketImpl::InvalidSocket()) + if (m_socket == priv::SocketImpl::invalidSocket()) { SocketHandle handle = socket(PF_INET, m_type == Tcp ? SOCK_STREAM : SOCK_DGRAM, 0); - Create(handle); + create(handle); } } //////////////////////////////////////////////////////////// -void Socket::Create(SocketHandle handle) +void Socket::create(SocketHandle handle) { // Don't create the socket if it already exists - if (m_socket == priv::SocketImpl::InvalidSocket()) + if (m_socket == priv::SocketImpl::invalidSocket()) { // Assign the new handle m_socket = handle; // Set the current blocking state - SetBlocking(m_isBlocking); + setBlocking(m_isBlocking); if (m_type == Tcp) { @@ -105,7 +105,7 @@ void Socket::Create(SocketHandle handle) int yes = 1; if (setsockopt(m_socket, IPPROTO_TCP, TCP_NODELAY, reinterpret_cast(&yes), sizeof(yes)) == -1) { - Err() << "Failed to set socket option \"TCP_NODELAY\" ; " + err() << "Failed to set socket option \"TCP_NODELAY\" ; " << "all your TCP packets will be buffered" << std::endl; } } @@ -115,7 +115,7 @@ void Socket::Create(SocketHandle handle) int yes = 1; if (setsockopt(m_socket, SOL_SOCKET, SO_BROADCAST, reinterpret_cast(&yes), sizeof(yes)) == -1) { - Err() << "Failed to enable broadcast on UDP socket" << std::endl; + err() << "Failed to enable broadcast on UDP socket" << std::endl; } } } @@ -123,13 +123,13 @@ void Socket::Create(SocketHandle handle) //////////////////////////////////////////////////////////// -void Socket::Close() +void Socket::close() { // Close the socket - if (m_socket != priv::SocketImpl::InvalidSocket()) + if (m_socket != priv::SocketImpl::invalidSocket()) { - priv::SocketImpl::Close(m_socket); - m_socket = priv::SocketImpl::InvalidSocket(); + priv::SocketImpl::close(m_socket); + m_socket = priv::SocketImpl::invalidSocket(); } } diff --git a/src/SFML/Network/SocketSelector.cpp b/src/SFML/Network/SocketSelector.cpp index 196e5ca1..1eb96a0a 100644 --- a/src/SFML/Network/SocketSelector.cpp +++ b/src/SFML/Network/SocketSelector.cpp @@ -51,7 +51,7 @@ struct SocketSelector::SocketSelectorImpl SocketSelector::SocketSelector() : m_impl(new SocketSelectorImpl) { - Clear(); + clear(); } @@ -71,26 +71,26 @@ SocketSelector::~SocketSelector() //////////////////////////////////////////////////////////// -void SocketSelector::Add(Socket& socket) +void SocketSelector::add(Socket& socket) { - FD_SET(socket.GetHandle(), &m_impl->AllSockets); + FD_SET(socket.getHandle(), &m_impl->AllSockets); - int size = static_cast(socket.GetHandle()); + int size = static_cast(socket.getHandle()); if (size > m_impl->MaxSocket) m_impl->MaxSocket = size; } //////////////////////////////////////////////////////////// -void SocketSelector::Remove(Socket& socket) +void SocketSelector::remove(Socket& socket) { - FD_CLR(socket.GetHandle(), &m_impl->AllSockets); - FD_CLR(socket.GetHandle(), &m_impl->SocketsReady); + FD_CLR(socket.getHandle(), &m_impl->AllSockets); + FD_CLR(socket.getHandle(), &m_impl->SocketsReady); } //////////////////////////////////////////////////////////// -void SocketSelector::Clear() +void SocketSelector::clear() { FD_ZERO(&m_impl->AllSockets); FD_ZERO(&m_impl->SocketsReady); @@ -100,12 +100,12 @@ void SocketSelector::Clear() //////////////////////////////////////////////////////////// -bool SocketSelector::Wait(Time timeout) +bool SocketSelector::wait(Time timeout) { // Setup the timeout timeval time; - time.tv_sec = static_cast(timeout.AsMicroseconds() / 1000000); - time.tv_usec = static_cast(timeout.AsMicroseconds() % 1000000); + time.tv_sec = static_cast(timeout.asMicroseconds() / 1000000); + time.tv_usec = static_cast(timeout.asMicroseconds() % 1000000); // Initialize the set that will contain the sockets that are ready m_impl->SocketsReady = m_impl->AllSockets; @@ -118,9 +118,9 @@ bool SocketSelector::Wait(Time timeout) //////////////////////////////////////////////////////////// -bool SocketSelector::IsReady(Socket& socket) const +bool SocketSelector::isReady(Socket& socket) const { - return FD_ISSET(socket.GetHandle(), &m_impl->SocketsReady) != 0; + return FD_ISSET(socket.getHandle(), &m_impl->SocketsReady) != 0; } diff --git a/src/SFML/Network/TcpListener.cpp b/src/SFML/Network/TcpListener.cpp index 5cd8e889..699ef721 100644 --- a/src/SFML/Network/TcpListener.cpp +++ b/src/SFML/Network/TcpListener.cpp @@ -42,14 +42,14 @@ Socket(Tcp) //////////////////////////////////////////////////////////// -unsigned short TcpListener::GetLocalPort() const +unsigned short TcpListener::getLocalPort() const { - if (GetHandle() != priv::SocketImpl::InvalidSocket()) + if (getHandle() != priv::SocketImpl::invalidSocket()) { // Retrieve informations about the local end of the socket sockaddr_in address; priv::SocketImpl::AddrLength size = sizeof(address); - if (getsockname(GetHandle(), reinterpret_cast(&address), &size) != -1) + if (getsockname(getHandle(), reinterpret_cast(&address), &size) != -1) { return ntohs(address.sin_port); } @@ -61,25 +61,25 @@ unsigned short TcpListener::GetLocalPort() const //////////////////////////////////////////////////////////// -Socket::Status TcpListener::Listen(unsigned short port) +Socket::Status TcpListener::listen(unsigned short port) { // Create the internal socket if it doesn't exist - Create(); + create(); // Bind the socket to the specified port - sockaddr_in address = priv::SocketImpl::CreateAddress(INADDR_ANY, port); - if (bind(GetHandle(), reinterpret_cast(&address), sizeof(address)) == -1) + sockaddr_in address = priv::SocketImpl::createAddress(INADDR_ANY, port); + if (bind(getHandle(), reinterpret_cast(&address), sizeof(address)) == -1) { // Not likely to happen, but... - Err() << "Failed to bind listener socket to port " << port << std::endl; + err() << "Failed to bind listener socket to port " << port << std::endl; return Error; } // Listen to the bound port - if (listen(GetHandle(), 0) == -1) + if (::listen(getHandle(), 0) == -1) { // Oops, socket is deaf - Err() << "Failed to listen to port " << port << std::endl; + err() << "Failed to listen to port " << port << std::endl; return Error; } @@ -88,35 +88,35 @@ Socket::Status TcpListener::Listen(unsigned short port) //////////////////////////////////////////////////////////// -void TcpListener::Close() +void TcpListener::close() { // Simply close the socket - Socket::Close(); + Socket::close(); } //////////////////////////////////////////////////////////// -Socket::Status TcpListener::Accept(TcpSocket& socket) +Socket::Status TcpListener::accept(TcpSocket& socket) { // Make sure that we're listening - if (GetHandle() == priv::SocketImpl::InvalidSocket()) + if (getHandle() == priv::SocketImpl::invalidSocket()) { - Err() << "Failed to accept a new connection, the socket is not listening" << std::endl; + err() << "Failed to accept a new connection, the socket is not listening" << std::endl; return Error; } // Accept a new connection sockaddr_in address; priv::SocketImpl::AddrLength length = sizeof(address); - SocketHandle remote = accept(GetHandle(), reinterpret_cast(&address), &length); + SocketHandle remote = ::accept(getHandle(), reinterpret_cast(&address), &length); // Check for errors - if (remote == priv::SocketImpl::InvalidSocket()) - return priv::SocketImpl::GetErrorStatus(); + if (remote == priv::SocketImpl::invalidSocket()) + return priv::SocketImpl::getErrorStatus(); // Initialize the new connected socket - socket.Close(); - socket.Create(remote); + socket.close(); + socket.create(remote); return Done; } diff --git a/src/SFML/Network/TcpSocket.cpp b/src/SFML/Network/TcpSocket.cpp index 62ccdb97..2bffa083 100644 --- a/src/SFML/Network/TcpSocket.cpp +++ b/src/SFML/Network/TcpSocket.cpp @@ -49,14 +49,14 @@ Socket(Tcp) //////////////////////////////////////////////////////////// -unsigned short TcpSocket::GetLocalPort() const +unsigned short TcpSocket::getLocalPort() const { - if (GetHandle() != priv::SocketImpl::InvalidSocket()) + if (getHandle() != priv::SocketImpl::invalidSocket()) { // Retrieve informations about the local end of the socket sockaddr_in address; priv::SocketImpl::AddrLength size = sizeof(address); - if (getsockname(GetHandle(), reinterpret_cast(&address), &size) != -1) + if (getsockname(getHandle(), reinterpret_cast(&address), &size) != -1) { return ntohs(address.sin_port); } @@ -68,14 +68,14 @@ unsigned short TcpSocket::GetLocalPort() const //////////////////////////////////////////////////////////// -IpAddress TcpSocket::GetRemoteAddress() const +IpAddress TcpSocket::getRemoteAddress() const { - if (GetHandle() != priv::SocketImpl::InvalidSocket()) + if (getHandle() != priv::SocketImpl::invalidSocket()) { // Retrieve informations about the remote end of the socket sockaddr_in address; priv::SocketImpl::AddrLength size = sizeof(address); - if (getpeername(GetHandle(), reinterpret_cast(&address), &size) != -1) + if (getpeername(getHandle(), reinterpret_cast(&address), &size) != -1) { return IpAddress(ntohl(address.sin_addr.s_addr)); } @@ -87,14 +87,14 @@ IpAddress TcpSocket::GetRemoteAddress() const //////////////////////////////////////////////////////////// -unsigned short TcpSocket::GetRemotePort() const +unsigned short TcpSocket::getRemotePort() const { - if (GetHandle() != priv::SocketImpl::InvalidSocket()) + if (getHandle() != priv::SocketImpl::invalidSocket()) { // Retrieve informations about the remote end of the socket sockaddr_in address; priv::SocketImpl::AddrLength size = sizeof(address); - if (getpeername(GetHandle(), reinterpret_cast(&address), &size) != -1) + if (getpeername(getHandle(), reinterpret_cast(&address), &size) != -1) { return ntohs(address.sin_port); } @@ -106,21 +106,21 @@ unsigned short TcpSocket::GetRemotePort() const //////////////////////////////////////////////////////////// -Socket::Status TcpSocket::Connect(const IpAddress& remoteAddress, unsigned short remotePort, Time timeout) +Socket::Status TcpSocket::connect(const IpAddress& remoteAddress, unsigned short remotePort, Time timeout) { // Create the internal socket if it doesn't exist - Create(); + create(); // Create the remote address - sockaddr_in address = priv::SocketImpl::CreateAddress(remoteAddress.ToInteger(), remotePort); + sockaddr_in address = priv::SocketImpl::createAddress(remoteAddress.toInteger(), remotePort); if (timeout <= Time::Zero) { // ----- We're not using a timeout: just try to connect ----- // Connect the socket - if (connect(GetHandle(), reinterpret_cast(&address), sizeof(address)) == -1) - return priv::SocketImpl::GetErrorStatus(); + if (::connect(getHandle(), reinterpret_cast(&address), sizeof(address)) == -1) + return priv::SocketImpl::getErrorStatus(); // Connection succeeded return Done; @@ -130,21 +130,21 @@ Socket::Status TcpSocket::Connect(const IpAddress& remoteAddress, unsigned short // ----- We're using a timeout: we'll need a few tricks to make it work ----- // Save the previous blocking state - bool blocking = IsBlocking(); + bool blocking = isBlocking(); // Switch to non-blocking to enable our connection timeout if (blocking) - SetBlocking(false); + setBlocking(false); // Try to connect to the remote address - if (connect(GetHandle(), reinterpret_cast(&address), sizeof(address)) >= 0) + if (::connect(getHandle(), reinterpret_cast(&address), sizeof(address)) >= 0) { // We got instantly connected! (it may no happen a lot...) return Done; } // Get the error status - Status status = priv::SocketImpl::GetErrorStatus(); + Status status = priv::SocketImpl::getErrorStatus(); // If we were in non-blocking mode, return immediatly if (!blocking) @@ -156,19 +156,19 @@ Socket::Status TcpSocket::Connect(const IpAddress& remoteAddress, unsigned short // Setup the selector fd_set selector; FD_ZERO(&selector); - FD_SET(GetHandle(), &selector); + FD_SET(getHandle(), &selector); // Setup the timeout timeval time; - time.tv_sec = static_cast(timeout.AsMicroseconds() / 1000000); - time.tv_usec = static_cast(timeout.AsMicroseconds() % 1000000); + time.tv_sec = static_cast(timeout.asMicroseconds() / 1000000); + time.tv_usec = static_cast(timeout.asMicroseconds() % 1000000); // Wait for something to write on our socket (which means that the connection request has returned) - if (select(static_cast(GetHandle() + 1), NULL, &selector, NULL, &time) > 0) + if (select(static_cast(getHandle() + 1), NULL, &selector, NULL, &time) > 0) { // At this point the connection may have been either accepted or refused. // To know whether it's a success or a failure, we must check the address of the connected peer - if (GetRemoteAddress() != sf::IpAddress::None) + if (getRemoteAddress() != sf::IpAddress::None) { // Connection accepted status = Done; @@ -176,18 +176,18 @@ Socket::Status TcpSocket::Connect(const IpAddress& remoteAddress, unsigned short else { // Connection refused - status = priv::SocketImpl::GetErrorStatus(); + status = priv::SocketImpl::getErrorStatus(); } } else { // Failed to connect before timeout is over - status = priv::SocketImpl::GetErrorStatus(); + status = priv::SocketImpl::getErrorStatus(); } } // Switch back to blocking mode - SetBlocking(true); + setBlocking(true); return status; } @@ -195,10 +195,10 @@ Socket::Status TcpSocket::Connect(const IpAddress& remoteAddress, unsigned short //////////////////////////////////////////////////////////// -void TcpSocket::Disconnect() +void TcpSocket::disconnect() { // Close the socket - Close(); + close(); // Reset the pending packet data m_pendingPacket = PendingPacket(); @@ -206,12 +206,12 @@ void TcpSocket::Disconnect() //////////////////////////////////////////////////////////// -Socket::Status TcpSocket::Send(const char* data, std::size_t size) +Socket::Status TcpSocket::send(const char* data, std::size_t size) { // Check the parameters if (!data || (size == 0)) { - Err() << "Cannot send data over the network (no data to send)" << std::endl; + err() << "Cannot send data over the network (no data to send)" << std::endl; return Error; } @@ -221,11 +221,11 @@ Socket::Status TcpSocket::Send(const char* data, std::size_t size) for (int length = 0; length < sizeToSend; length += sent) { // Send a chunk of data - sent = send(GetHandle(), data + length, sizeToSend - length, 0); + sent = ::send(getHandle(), data + length, sizeToSend - length, 0); // Check for errors if (sent < 0) - return priv::SocketImpl::GetErrorStatus(); + return priv::SocketImpl::getErrorStatus(); } return Done; @@ -233,7 +233,7 @@ Socket::Status TcpSocket::Send(const char* data, std::size_t size) //////////////////////////////////////////////////////////// -Socket::Status TcpSocket::Receive(char* data, std::size_t size, std::size_t& received) +Socket::Status TcpSocket::receive(char* data, std::size_t size, std::size_t& received) { // First clear the variables to fill received = 0; @@ -241,12 +241,12 @@ Socket::Status TcpSocket::Receive(char* data, std::size_t size, std::size_t& rec // Check the destination buffer if (!data) { - Err() << "Cannot receive data from the network (the destination buffer is invalid)" << std::endl; + err() << "Cannot receive data from the network (the destination buffer is invalid)" << std::endl; return Error; } // Receive a chunk of bytes - int sizeReceived = recv(GetHandle(), data, static_cast(size), 0); + int sizeReceived = recv(getHandle(), data, static_cast(size), 0); // Check the number of bytes received if (sizeReceived > 0) @@ -260,13 +260,13 @@ Socket::Status TcpSocket::Receive(char* data, std::size_t size, std::size_t& rec } else { - return priv::SocketImpl::GetErrorStatus(); + return priv::SocketImpl::getErrorStatus(); } } //////////////////////////////////////////////////////////// -Socket::Status TcpSocket::Send(Packet& packet) +Socket::Status TcpSocket::send(Packet& packet) { // TCP is a stream protocol, it doesn't preserve messages boundaries. // This means that we have to send the packet size first, so that the @@ -274,11 +274,11 @@ Socket::Status TcpSocket::Send(Packet& packet) // Get the data to send from the packet std::size_t size = 0; - const char* data = packet.OnSend(size); + const char* data = packet.onSend(size); // First send the packet size Uint32 packetSize = htonl(static_cast(size)); - Status status = Send(reinterpret_cast(&packetSize), sizeof(packetSize)); + Status status = send(reinterpret_cast(&packetSize), sizeof(packetSize)); // Make sure that the size was properly sent if (status != Done) @@ -287,7 +287,7 @@ Socket::Status TcpSocket::Send(Packet& packet) // Send the packet data if (packetSize > 0) { - return Send(data, size); + return send(data, size); } else { @@ -297,10 +297,10 @@ Socket::Status TcpSocket::Send(Packet& packet) //////////////////////////////////////////////////////////// -Socket::Status TcpSocket::Receive(Packet& packet) +Socket::Status TcpSocket::receive(Packet& packet) { // First clear the variables to fill - packet.Clear(); + packet.clear(); // We start by getting the size of the incoming packet Uint32 packetSize = 0; @@ -312,7 +312,7 @@ Socket::Status TcpSocket::Receive(Packet& packet) while (m_pendingPacket.SizeReceived < sizeof(m_pendingPacket.Size)) { char* data = reinterpret_cast(&m_pendingPacket.Size) + m_pendingPacket.SizeReceived; - Status status = Receive(data, sizeof(m_pendingPacket.Size) - m_pendingPacket.SizeReceived, received); + Status status = receive(data, sizeof(m_pendingPacket.Size) - m_pendingPacket.SizeReceived, received); m_pendingPacket.SizeReceived += received; if (status != Done) @@ -334,7 +334,7 @@ Socket::Status TcpSocket::Receive(Packet& packet) { // Receive a chunk of data std::size_t sizeToGet = std::min(static_cast(packetSize - m_pendingPacket.Data.size()), sizeof(buffer)); - Status status = Receive(buffer, sizeToGet, received); + Status status = receive(buffer, sizeToGet, received); if (status != Done) return status; @@ -349,7 +349,7 @@ Socket::Status TcpSocket::Receive(Packet& packet) // We have received all the packet data: we can copy it to the user packet if (!m_pendingPacket.Data.empty()) - packet.OnReceive(&m_pendingPacket.Data[0], m_pendingPacket.Data.size()); + packet.onReceive(&m_pendingPacket.Data[0], m_pendingPacket.Data.size()); // Clear the pending packet data m_pendingPacket = PendingPacket(); diff --git a/src/SFML/Network/UdpSocket.cpp b/src/SFML/Network/UdpSocket.cpp index 68deaf6d..b771cd2e 100644 --- a/src/SFML/Network/UdpSocket.cpp +++ b/src/SFML/Network/UdpSocket.cpp @@ -45,14 +45,14 @@ m_buffer(MaxDatagramSize) //////////////////////////////////////////////////////////// -unsigned short UdpSocket::GetLocalPort() const +unsigned short UdpSocket::getLocalPort() const { - if (GetHandle() != priv::SocketImpl::InvalidSocket()) + if (getHandle() != priv::SocketImpl::invalidSocket()) { // Retrieve informations about the local end of the socket sockaddr_in address; priv::SocketImpl::AddrLength size = sizeof(address); - if (getsockname(GetHandle(), reinterpret_cast(&address), &size) != -1) + if (getsockname(getHandle(), reinterpret_cast(&address), &size) != -1) { return ntohs(address.sin_port); } @@ -64,16 +64,16 @@ unsigned short UdpSocket::GetLocalPort() const //////////////////////////////////////////////////////////// -Socket::Status UdpSocket::Bind(unsigned short port) +Socket::Status UdpSocket::bind(unsigned short port) { // Create the internal socket if it doesn't exist - Create(); + create(); // Bind the socket - sockaddr_in address = priv::SocketImpl::CreateAddress(INADDR_ANY, port); - if (bind(GetHandle(), reinterpret_cast(&address), sizeof(address)) == -1) + sockaddr_in address = priv::SocketImpl::createAddress(INADDR_ANY, port); + if (::bind(getHandle(), reinterpret_cast(&address), sizeof(address)) == -1) { - Err() << "Failed to bind socket to port " << port << std::endl; + err() << "Failed to bind socket to port " << port << std::endl; return Error; } @@ -82,43 +82,43 @@ Socket::Status UdpSocket::Bind(unsigned short port) //////////////////////////////////////////////////////////// -void UdpSocket::Unbind() +void UdpSocket::unbind() { // Simply close the socket - Close(); + close(); } //////////////////////////////////////////////////////////// -Socket::Status UdpSocket::Send(const char* data, std::size_t size, const IpAddress& remoteAddress, unsigned short remotePort) +Socket::Status UdpSocket::send(const char* data, std::size_t size, const IpAddress& remoteAddress, unsigned short remotePort) { // Create the internal socket if it doesn't exist - Create(); + create(); // Make sure that all the data will fit in one datagram if (size > MaxDatagramSize) { - Err() << "Cannot send data over the network " + err() << "Cannot send data over the network " << "(the number of bytes to send is greater than sf::UdpSocket::MaxDatagramSize)" << std::endl; return Error; } // Build the target address - sockaddr_in address = priv::SocketImpl::CreateAddress(remoteAddress.ToInteger(), remotePort); + sockaddr_in address = priv::SocketImpl::createAddress(remoteAddress.toInteger(), remotePort); // Send the data (unlike TCP, all the data is always sent in one call) - int sent = sendto(GetHandle(), data, static_cast(size), 0, reinterpret_cast(&address), sizeof(address)); + int sent = sendto(getHandle(), data, static_cast(size), 0, reinterpret_cast(&address), sizeof(address)); // Check for errors if (sent < 0) - return priv::SocketImpl::GetErrorStatus(); + return priv::SocketImpl::getErrorStatus(); return Done; } //////////////////////////////////////////////////////////// -Socket::Status UdpSocket::Receive(char* data, std::size_t size, std::size_t& received, IpAddress& remoteAddress, unsigned short& remotePort) +Socket::Status UdpSocket::receive(char* data, std::size_t size, std::size_t& received, IpAddress& remoteAddress, unsigned short& remotePort) { // First clear the variables to fill received = 0; @@ -128,20 +128,20 @@ Socket::Status UdpSocket::Receive(char* data, std::size_t size, std::size_t& rec // Check the destination buffer if (!data) { - Err() << "Cannot receive data from the network (the destination buffer is invalid)" << std::endl; + err() << "Cannot receive data from the network (the destination buffer is invalid)" << std::endl; return Error; } // Data that will be filled with the other computer's address - sockaddr_in address = priv::SocketImpl::CreateAddress(INADDR_ANY, 0); + sockaddr_in address = priv::SocketImpl::createAddress(INADDR_ANY, 0); // Receive a chunk of bytes priv::SocketImpl::AddrLength addressSize = sizeof(address); - int sizeReceived = recvfrom(GetHandle(), data, static_cast(size), 0, reinterpret_cast(&address), &addressSize); + int sizeReceived = recvfrom(getHandle(), data, static_cast(size), 0, reinterpret_cast(&address), &addressSize); // Check for errors if (sizeReceived < 0) - return priv::SocketImpl::GetErrorStatus(); + return priv::SocketImpl::getErrorStatus(); // Fill the sender informations received = static_cast(sizeReceived); @@ -153,7 +153,7 @@ Socket::Status UdpSocket::Receive(char* data, std::size_t size, std::size_t& rec //////////////////////////////////////////////////////////// -Socket::Status UdpSocket::Send(Packet& packet, const IpAddress& remoteAddress, unsigned short remotePort) +Socket::Status UdpSocket::send(Packet& packet, const IpAddress& remoteAddress, unsigned short remotePort) { // UDP is a datagram-oriented protocol (as opposed to TCP which is a stream protocol). // Sending one datagram is almost safe: it may be lost but if it's received, then its data @@ -165,26 +165,26 @@ Socket::Status UdpSocket::Send(Packet& packet, const IpAddress& remoteAddress, u // Get the data to send from the packet std::size_t size = 0; - const char* data = packet.OnSend(size); + const char* data = packet.onSend(size); // Send it - return Send(data, size, remoteAddress, remotePort); + return send(data, size, remoteAddress, remotePort); } //////////////////////////////////////////////////////////// -Socket::Status UdpSocket::Receive(Packet& packet, IpAddress& remoteAddress, unsigned short& remotePort) +Socket::Status UdpSocket::receive(Packet& packet, IpAddress& remoteAddress, unsigned short& remotePort) { - // See the detailed comment in Send(Packet) above. + // See the detailed comment in send(Packet) above. // Receive the datagram std::size_t received = 0; - Status status = Receive(&m_buffer[0], m_buffer.size(), received, remoteAddress, remotePort); + Status status = receive(&m_buffer[0], m_buffer.size(), received, remoteAddress, remotePort); // If we received valid data, we can copy it to the user packet - packet.Clear(); + packet.clear(); if ((status == Done) && (received > 0)) - packet.OnReceive(&m_buffer[0], received); + packet.onReceive(&m_buffer[0], received); return status; } diff --git a/src/SFML/Network/Unix/SocketImpl.cpp b/src/SFML/Network/Unix/SocketImpl.cpp index 9a4cb762..47435faa 100644 --- a/src/SFML/Network/Unix/SocketImpl.cpp +++ b/src/SFML/Network/Unix/SocketImpl.cpp @@ -36,7 +36,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -sockaddr_in SocketImpl::CreateAddress(Uint32 address, unsigned short port) +sockaddr_in SocketImpl::createAddress(Uint32 address, unsigned short port) { sockaddr_in addr; std::memset(addr.sin_zero, 0, sizeof(addr.sin_zero)); @@ -49,21 +49,21 @@ sockaddr_in SocketImpl::CreateAddress(Uint32 address, unsigned short port) //////////////////////////////////////////////////////////// -SocketHandle SocketImpl::InvalidSocket() +SocketHandle SocketImpl::invalidSocket() { return -1; } //////////////////////////////////////////////////////////// -void SocketImpl::Close(SocketHandle sock) +void SocketImpl::close(SocketHandle sock) { - close(sock); + ::close(sock); } //////////////////////////////////////////////////////////// -void SocketImpl::SetBlocking(SocketHandle sock, bool block) +void SocketImpl::setBlocking(SocketHandle sock, bool block) { int status = fcntl(sock, F_GETFL); if (block) @@ -74,7 +74,7 @@ void SocketImpl::SetBlocking(SocketHandle sock, bool block) //////////////////////////////////////////////////////////// -Socket::Status SocketImpl::GetErrorStatus() +Socket::Status SocketImpl::getErrorStatus() { // The followings are sometimes equal to EWOULDBLOCK, // so we have to make a special case for them in order diff --git a/src/SFML/Network/Unix/SocketImpl.hpp b/src/SFML/Network/Unix/SocketImpl.hpp index c9248148..2ba9a2b9 100644 --- a/src/SFML/Network/Unix/SocketImpl.hpp +++ b/src/SFML/Network/Unix/SocketImpl.hpp @@ -65,7 +65,7 @@ public : /// \return sockaddr_in ready to be used by socket functions /// //////////////////////////////////////////////////////////// - static sockaddr_in CreateAddress(Uint32 address, unsigned short port); + static sockaddr_in createAddress(Uint32 address, unsigned short port); //////////////////////////////////////////////////////////// /// \brief Return the value of the invalid socket @@ -73,7 +73,7 @@ public : /// \return Special value of the invalid socket /// //////////////////////////////////////////////////////////// - static SocketHandle InvalidSocket(); + static SocketHandle invalidSocket(); //////////////////////////////////////////////////////////// /// \brief Close and destroy a socket @@ -81,7 +81,7 @@ public : /// \param sock Handle of the socket to close /// //////////////////////////////////////////////////////////// - static void Close(SocketHandle sock); + static void close(SocketHandle sock); //////////////////////////////////////////////////////////// /// \brief Set a socket as blocking or non-blocking @@ -90,7 +90,7 @@ public : /// \param block New blocking state of the socket /// //////////////////////////////////////////////////////////// - static void SetBlocking(SocketHandle sock, bool block); + static void setBlocking(SocketHandle sock, bool block); //////////////////////////////////////////////////////////// /// Get the last socket error status @@ -98,7 +98,7 @@ public : /// \return Status corresponding to the last socket error /// //////////////////////////////////////////////////////////// - static Socket::Status GetErrorStatus(); + static Socket::Status getErrorStatus(); }; } // namespace priv diff --git a/src/SFML/Network/Win32/SocketImpl.cpp b/src/SFML/Network/Win32/SocketImpl.cpp index fcafa7f0..d5f0dc1d 100644 --- a/src/SFML/Network/Win32/SocketImpl.cpp +++ b/src/SFML/Network/Win32/SocketImpl.cpp @@ -34,7 +34,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -sockaddr_in SocketImpl::CreateAddress(Uint32 address, unsigned short port) +sockaddr_in SocketImpl::createAddress(Uint32 address, unsigned short port) { sockaddr_in addr; std::memset(addr.sin_zero, 0, sizeof(addr.sin_zero)); @@ -47,21 +47,21 @@ sockaddr_in SocketImpl::CreateAddress(Uint32 address, unsigned short port) //////////////////////////////////////////////////////////// -SocketHandle SocketImpl::InvalidSocket() +SocketHandle SocketImpl::invalidSocket() { return INVALID_SOCKET; } //////////////////////////////////////////////////////////// -void SocketImpl::Close(SocketHandle sock) +void SocketImpl::close(SocketHandle sock) { closesocket(sock); } //////////////////////////////////////////////////////////// -void SocketImpl::SetBlocking(SocketHandle sock, bool block) +void SocketImpl::setBlocking(SocketHandle sock, bool block) { u_long blocking = block ? 0 : 1; ioctlsocket(sock, FIONBIO, &blocking); @@ -69,7 +69,7 @@ void SocketImpl::SetBlocking(SocketHandle sock, bool block) //////////////////////////////////////////////////////////// -Socket::Status SocketImpl::GetErrorStatus() +Socket::Status SocketImpl::getErrorStatus() { switch (WSAGetLastError()) { diff --git a/src/SFML/Network/Win32/SocketImpl.hpp b/src/SFML/Network/Win32/SocketImpl.hpp index 475ea4ae..08c537ac 100644 --- a/src/SFML/Network/Win32/SocketImpl.hpp +++ b/src/SFML/Network/Win32/SocketImpl.hpp @@ -59,7 +59,7 @@ public : /// \return sockaddr_in ready to be used by socket functions /// //////////////////////////////////////////////////////////// - static sockaddr_in CreateAddress(Uint32 address, unsigned short port); + static sockaddr_in createAddress(Uint32 address, unsigned short port); //////////////////////////////////////////////////////////// /// \brief Return the value of the invalid socket @@ -67,7 +67,7 @@ public : /// \return Special value of the invalid socket /// //////////////////////////////////////////////////////////// - static SocketHandle InvalidSocket(); + static SocketHandle invalidSocket(); //////////////////////////////////////////////////////////// /// \brief Close and destroy a socket @@ -75,7 +75,7 @@ public : /// \param sock Handle of the socket to close /// //////////////////////////////////////////////////////////// - static void Close(SocketHandle sock); + static void close(SocketHandle sock); //////////////////////////////////////////////////////////// /// \brief Set a socket as blocking or non-blocking @@ -84,7 +84,7 @@ public : /// \param block New blocking state of the socket /// //////////////////////////////////////////////////////////// - static void SetBlocking(SocketHandle sock, bool block); + static void setBlocking(SocketHandle sock, bool block); //////////////////////////////////////////////////////////// /// Get the last socket error status @@ -92,7 +92,7 @@ public : /// \return Status corresponding to the last socket error /// //////////////////////////////////////////////////////////// - static Socket::Status GetErrorStatus(); + static Socket::Status getErrorStatus(); }; } // namespace priv diff --git a/src/SFML/System/Clock.cpp b/src/SFML/System/Clock.cpp index 3d629c7c..e41109e5 100644 --- a/src/SFML/System/Clock.cpp +++ b/src/SFML/System/Clock.cpp @@ -38,22 +38,22 @@ namespace sf { //////////////////////////////////////////////////////////// Clock::Clock() : -m_startTime(priv::ClockImpl::GetCurrentTime()) +m_startTime(priv::ClockImpl::getCurrentTime()) { } //////////////////////////////////////////////////////////// -Time Clock::GetElapsedTime() const +Time Clock::getElapsedTime() const { - return priv::ClockImpl::GetCurrentTime() - m_startTime; + return priv::ClockImpl::getCurrentTime() - m_startTime; } //////////////////////////////////////////////////////////// -Time Clock::Restart() +Time Clock::restart() { - Time now = priv::ClockImpl::GetCurrentTime(); + Time now = priv::ClockImpl::getCurrentTime(); Time elapsed = now - m_startTime; m_startTime = now; diff --git a/src/SFML/System/Err.cpp b/src/SFML/System/Err.cpp index cfe68aba..e1abd9f7 100644 --- a/src/SFML/System/Err.cpp +++ b/src/SFML/System/Err.cpp @@ -98,7 +98,7 @@ private : namespace sf { //////////////////////////////////////////////////////////// -std::ostream& Err() +std::ostream& err() { static DefaultErrStreamBuf buffer; static std::ostream stream(&buffer); diff --git a/src/SFML/System/Lock.cpp b/src/SFML/System/Lock.cpp index c9dd8152..9e617009 100644 --- a/src/SFML/System/Lock.cpp +++ b/src/SFML/System/Lock.cpp @@ -35,14 +35,14 @@ namespace sf Lock::Lock(Mutex& mutex) : m_mutex(mutex) { - m_mutex.Lock(); + m_mutex.lock(); } //////////////////////////////////////////////////////////// Lock::~Lock() { - m_mutex.Unlock(); + m_mutex.unlock(); } } // namespace sf diff --git a/src/SFML/System/Mutex.cpp b/src/SFML/System/Mutex.cpp index 6e4d9b0d..8e63fa6b 100644 --- a/src/SFML/System/Mutex.cpp +++ b/src/SFML/System/Mutex.cpp @@ -27,15 +27,10 @@ //////////////////////////////////////////////////////////// #include - #if defined(SFML_SYSTEM_WINDOWS) - #include - #else - #include - #endif @@ -56,16 +51,16 @@ Mutex::~Mutex() //////////////////////////////////////////////////////////// -void Mutex::Lock() +void Mutex::lock() { - m_mutexImpl->Lock(); + m_mutexImpl->lock(); } //////////////////////////////////////////////////////////// -void Mutex::Unlock() +void Mutex::unlock() { - m_mutexImpl->Unlock(); + m_mutexImpl->unlock(); } } // namespace sf diff --git a/src/SFML/System/Sleep.cpp b/src/SFML/System/Sleep.cpp index a3652b2c..2ad05bbb 100644 --- a/src/SFML/System/Sleep.cpp +++ b/src/SFML/System/Sleep.cpp @@ -37,10 +37,10 @@ namespace sf { //////////////////////////////////////////////////////////// -void Sleep(Time duration) +void sleep(Time duration) { if (duration >= Time::Zero) - priv::SleepImpl(duration); + priv::sleepImpl(duration); } } // namespace sf diff --git a/src/SFML/System/String.cpp b/src/SFML/System/String.cpp index 71e96b8e..677399c1 100644 --- a/src/SFML/System/String.cpp +++ b/src/SFML/System/String.cpp @@ -46,14 +46,14 @@ String::String() //////////////////////////////////////////////////////////// String::String(char ansiChar, const std::locale& locale) { - m_string += Utf32::DecodeAnsi(ansiChar, locale); + m_string += Utf32::decodeAnsi(ansiChar, locale); } //////////////////////////////////////////////////////////// String::String(wchar_t wideChar) { - m_string += Utf32::DecodeWide(wideChar); + m_string += Utf32::decodeWide(wideChar); } @@ -73,7 +73,7 @@ String::String(const char* ansiString, const std::locale& locale) if (length > 0) { m_string.reserve(length + 1); - Utf32::FromAnsi(ansiString, ansiString + length, std::back_inserter(m_string), locale); + Utf32::fromAnsi(ansiString, ansiString + length, std::back_inserter(m_string), locale); } } } @@ -83,7 +83,7 @@ String::String(const char* ansiString, const std::locale& locale) String::String(const std::string& ansiString, const std::locale& locale) { m_string.reserve(ansiString.length() + 1); - Utf32::FromAnsi(ansiString.begin(), ansiString.end(), std::back_inserter(m_string), locale); + Utf32::fromAnsi(ansiString.begin(), ansiString.end(), std::back_inserter(m_string), locale); } @@ -96,7 +96,7 @@ String::String(const wchar_t* wideString) if (length > 0) { m_string.reserve(length + 1); - Utf32::FromWide(wideString, wideString + length, std::back_inserter(m_string)); + Utf32::fromWide(wideString, wideString + length, std::back_inserter(m_string)); } } } @@ -106,7 +106,7 @@ String::String(const wchar_t* wideString) String::String(const std::wstring& wideString) { m_string.reserve(wideString.length() + 1); - Utf32::FromWide(wideString.begin(), wideString.end(), std::back_inserter(m_string)); + Utf32::fromWide(wideString.begin(), wideString.end(), std::back_inserter(m_string)); } @@ -135,40 +135,40 @@ m_string(copy.m_string) //////////////////////////////////////////////////////////// String::operator std::string() const { - return ToAnsiString(); + return toAnsiString(); } //////////////////////////////////////////////////////////// String::operator std::wstring() const { - return ToWideString(); + return toWideString(); } //////////////////////////////////////////////////////////// -std::string String::ToAnsiString(const std::locale& locale) const +std::string String::toAnsiString(const std::locale& locale) const { // Prepare the output string std::string output; output.reserve(m_string.length() + 1); // Convert - Utf32::ToAnsi(m_string.begin(), m_string.end(), std::back_inserter(output), 0, locale); + Utf32::toAnsi(m_string.begin(), m_string.end(), std::back_inserter(output), 0, locale); return output; } //////////////////////////////////////////////////////////// -std::wstring String::ToWideString() const +std::wstring String::toWideString() const { // Prepare the output string std::wstring output; output.reserve(m_string.length() + 1); // Convert - Utf32::ToWide(m_string.begin(), m_string.end(), std::back_inserter(output), 0); + Utf32::toWide(m_string.begin(), m_string.end(), std::back_inserter(output), 0); return output; } @@ -205,77 +205,77 @@ Uint32& String::operator [](std::size_t index) //////////////////////////////////////////////////////////// -void String::Clear() +void String::clear() { m_string.clear(); } //////////////////////////////////////////////////////////// -std::size_t String::GetSize() const +std::size_t String::getSize() const { return m_string.size(); } //////////////////////////////////////////////////////////// -bool String::IsEmpty() const +bool String::isEmpty() const { return m_string.empty(); } //////////////////////////////////////////////////////////// -void String::Erase(std::size_t position, std::size_t count) +void String::erase(std::size_t position, std::size_t count) { m_string.erase(position, count); } //////////////////////////////////////////////////////////// -void String::Insert(std::size_t position, const String& str) +void String::insert(std::size_t position, const String& str) { m_string.insert(position, str.m_string); } //////////////////////////////////////////////////////////// -std::size_t String::Find(const String& str, std::size_t start) const +std::size_t String::find(const String& str, std::size_t start) const { return m_string.find(str.m_string, start); } //////////////////////////////////////////////////////////// -const Uint32* String::GetData() const +const Uint32* String::getData() const { return m_string.c_str(); } //////////////////////////////////////////////////////////// -String::Iterator String::Begin() +String::Iterator String::begin() { return m_string.begin(); } //////////////////////////////////////////////////////////// -String::ConstIterator String::Begin() const +String::ConstIterator String::begin() const { return m_string.begin(); } //////////////////////////////////////////////////////////// -String::Iterator String::End() +String::Iterator String::end() { return m_string.end(); } //////////////////////////////////////////////////////////// -String::ConstIterator String::End() const +String::ConstIterator String::end() const { return m_string.end(); } diff --git a/src/SFML/System/Thread.cpp b/src/SFML/System/Thread.cpp index 3499cbf9..6d248fea 100644 --- a/src/SFML/System/Thread.cpp +++ b/src/SFML/System/Thread.cpp @@ -40,25 +40,25 @@ namespace sf //////////////////////////////////////////////////////////// Thread::~Thread() { - Wait(); + wait(); delete m_entryPoint; } //////////////////////////////////////////////////////////// -void Thread::Launch() +void Thread::launch() { - Wait(); + wait(); m_impl = new priv::ThreadImpl(this); } //////////////////////////////////////////////////////////// -void Thread::Wait() +void Thread::wait() { if (m_impl) { - m_impl->Wait(); + m_impl->wait(); delete m_impl; m_impl = NULL; } @@ -66,11 +66,11 @@ void Thread::Wait() //////////////////////////////////////////////////////////// -void Thread::Terminate() +void Thread::terminate() { if (m_impl) { - m_impl->Terminate(); + m_impl->terminate(); delete m_impl; m_impl = NULL; } @@ -78,9 +78,9 @@ void Thread::Terminate() //////////////////////////////////////////////////////////// -void Thread::Run() +void Thread::run() { - m_entryPoint->Run(); + m_entryPoint->run(); } } // namespace sf diff --git a/src/SFML/System/ThreadLocal.cpp b/src/SFML/System/ThreadLocal.cpp index 8d93c0ac..9f2c4be0 100644 --- a/src/SFML/System/ThreadLocal.cpp +++ b/src/SFML/System/ThreadLocal.cpp @@ -27,15 +27,10 @@ //////////////////////////////////////////////////////////// #include - #if defined(SFML_SYSTEM_WINDOWS) - #include - #else - #include - #endif @@ -45,7 +40,7 @@ namespace sf ThreadLocal::ThreadLocal(void* value) { m_impl = new priv::ThreadLocalImpl; - SetValue(value); + setValue(value); } @@ -57,16 +52,16 @@ ThreadLocal::~ThreadLocal() //////////////////////////////////////////////////////////// -void ThreadLocal::SetValue(void* value) +void ThreadLocal::setValue(void* value) { - m_impl->SetValue(value); + m_impl->setValue(value); } //////////////////////////////////////////////////////////// -void* ThreadLocal::GetValue() const +void* ThreadLocal::getValue() const { - return m_impl->GetValue(); + return m_impl->getValue(); } } // namespace sf diff --git a/src/SFML/System/Time.cpp b/src/SFML/System/Time.cpp index c1b8d003..89dc9b64 100644 --- a/src/SFML/System/Time.cpp +++ b/src/SFML/System/Time.cpp @@ -42,21 +42,21 @@ m_microseconds(0) //////////////////////////////////////////////////////////// -float Time::AsSeconds() const +float Time::asSeconds() const { return m_microseconds / 1000000.f; } //////////////////////////////////////////////////////////// -Int32 Time::AsMilliseconds() const +Int32 Time::asMilliseconds() const { return static_cast(m_microseconds / 1000); } //////////////////////////////////////////////////////////// -Int64 Time::AsMicroseconds() const +Int64 Time::asMicroseconds() const { return m_microseconds; } @@ -70,21 +70,21 @@ m_microseconds(microseconds) //////////////////////////////////////////////////////////// -Time Seconds(float amount) +Time seconds(float amount) { return Time(static_cast(amount * 1000000)); } //////////////////////////////////////////////////////////// -Time Milliseconds(Int32 amount) +Time milliseconds(Int32 amount) { return Time(static_cast(amount) * 1000); } //////////////////////////////////////////////////////////// -Time Microseconds(Int64 amount) +Time microseconds(Int64 amount) { return Time(amount); } @@ -93,56 +93,56 @@ Time Microseconds(Int64 amount) //////////////////////////////////////////////////////////// bool operator ==(Time left, Time right) { - return left.AsMicroseconds() == right.AsMicroseconds(); + return left.asMicroseconds() == right.asMicroseconds(); } //////////////////////////////////////////////////////////// bool operator !=(Time left, Time right) { - return left.AsMicroseconds() != right.AsMicroseconds(); + return left.asMicroseconds() != right.asMicroseconds(); } //////////////////////////////////////////////////////////// bool operator <(Time left, Time right) { - return left.AsMicroseconds() < right.AsMicroseconds(); + return left.asMicroseconds() < right.asMicroseconds(); } //////////////////////////////////////////////////////////// bool operator >(Time left, Time right) { - return left.AsMicroseconds() > right.AsMicroseconds(); + return left.asMicroseconds() > right.asMicroseconds(); } //////////////////////////////////////////////////////////// bool operator <=(Time left, Time right) { - return left.AsMicroseconds() <= right.AsMicroseconds(); + return left.asMicroseconds() <= right.asMicroseconds(); } //////////////////////////////////////////////////////////// bool operator >=(Time left, Time right) { - return left.AsMicroseconds() >= right.AsMicroseconds(); + return left.asMicroseconds() >= right.asMicroseconds(); } //////////////////////////////////////////////////////////// Time operator -(Time right) { - return Microseconds(-right.AsMicroseconds()); + return microseconds(-right.asMicroseconds()); } //////////////////////////////////////////////////////////// Time operator +(Time left, Time right) { - return Microseconds(left.AsMicroseconds() + right.AsMicroseconds()); + return microseconds(left.asMicroseconds() + right.asMicroseconds()); } @@ -156,7 +156,7 @@ Time& operator +=(Time& left, Time right) //////////////////////////////////////////////////////////// Time operator -(Time left, Time right) { - return Microseconds(left.AsMicroseconds() - right.AsMicroseconds()); + return microseconds(left.asMicroseconds() - right.asMicroseconds()); } @@ -170,14 +170,14 @@ Time& operator -=(Time& left, Time right) //////////////////////////////////////////////////////////// Time operator *(Time left, float right) { - return Seconds(left.AsSeconds() * right); + return seconds(left.asSeconds() * right); } //////////////////////////////////////////////////////////// Time operator *(Time left, Int64 right) { - return Microseconds(left.AsMicroseconds() * right); + return microseconds(left.asMicroseconds() * right); } @@ -212,14 +212,14 @@ Time& operator *=(Time& left, Int64 right) //////////////////////////////////////////////////////////// Time operator /(Time left, float right) { - return Seconds(left.AsSeconds() / right); + return seconds(left.asSeconds() / right); } //////////////////////////////////////////////////////////// Time operator /(Time left, Int64 right) { - return Microseconds(left.AsMicroseconds() / right); + return microseconds(left.asMicroseconds() / right); } diff --git a/src/SFML/System/Unix/ClockImpl.cpp b/src/SFML/System/Unix/ClockImpl.cpp index ff7f6e74..df918951 100644 --- a/src/SFML/System/Unix/ClockImpl.cpp +++ b/src/SFML/System/Unix/ClockImpl.cpp @@ -38,7 +38,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -Time ClockImpl::GetCurrentTime() +Time ClockImpl::getCurrentTime() { #ifdef SFML_SYSTEM_MACOS @@ -47,14 +47,14 @@ Time ClockImpl::GetCurrentTime() if (frequency.denom == 0) mach_timebase_info(&frequency); Uint64 nanoseconds = mach_absolute_time() * frequency.numer / frequency.denom; - return sf::Microseconds(nanoseconds / 1000); + return sf::microseconds(nanoseconds / 1000); #else // POSIX implementation timespec time; clock_gettime(CLOCK_MONOTONIC, &time); - return sf::Microseconds(static_cast(time.tv_sec) * 1000000 + time.tv_nsec / 1000); + return sf::microseconds(static_cast(time.tv_sec) * 1000000 + time.tv_nsec / 1000); #endif } diff --git a/src/SFML/System/Unix/ClockImpl.hpp b/src/SFML/System/Unix/ClockImpl.hpp index 96d41588..db248c43 100644 --- a/src/SFML/System/Unix/ClockImpl.hpp +++ b/src/SFML/System/Unix/ClockImpl.hpp @@ -50,7 +50,7 @@ public : /// \return Current time /// //////////////////////////////////////////////////////////// - static Time GetCurrentTime(); + static Time getCurrentTime(); }; } // namespace priv diff --git a/src/SFML/System/Unix/MutexImpl.cpp b/src/SFML/System/Unix/MutexImpl.cpp index 4f1f52b3..941383e7 100644 --- a/src/SFML/System/Unix/MutexImpl.cpp +++ b/src/SFML/System/Unix/MutexImpl.cpp @@ -52,14 +52,14 @@ MutexImpl::~MutexImpl() //////////////////////////////////////////////////////////// -void MutexImpl::Lock() +void MutexImpl::lock() { pthread_mutex_lock(&m_mutex); } //////////////////////////////////////////////////////////// -void MutexImpl::Unlock() +void MutexImpl::unlock() { pthread_mutex_unlock(&m_mutex); } diff --git a/src/SFML/System/Unix/MutexImpl.hpp b/src/SFML/System/Unix/MutexImpl.hpp index 7c87ac30..59a0d413 100644 --- a/src/SFML/System/Unix/MutexImpl.hpp +++ b/src/SFML/System/Unix/MutexImpl.hpp @@ -59,13 +59,13 @@ public : /// \brief Lock the mutex /// //////////////////////////////////////////////////////////// - void Lock(); + void lock(); //////////////////////////////////////////////////////////// /// \brief Unlock the mutex /// //////////////////////////////////////////////////////////// - void Unlock(); + void unlock(); private : diff --git a/src/SFML/System/Unix/SleepImpl.cpp b/src/SFML/System/Unix/SleepImpl.cpp index 0b3344d2..5f8459b9 100644 --- a/src/SFML/System/Unix/SleepImpl.cpp +++ b/src/SFML/System/Unix/SleepImpl.cpp @@ -36,7 +36,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -void SleepImpl(Time time) +void sleepImpl(Time time) { // usleep is not reliable enough (it might block the // whole process instead of just the current thread) @@ -44,7 +44,7 @@ void SleepImpl(Time time) // this implementation is inspired from Qt - Uint64 usecs = time.AsMicroseconds(); + Uint64 usecs = time.asMicroseconds(); // get the current time timeval tv; diff --git a/src/SFML/System/Unix/SleepImpl.hpp b/src/SFML/System/Unix/SleepImpl.hpp index e0b8b7c3..56e8fc4b 100644 --- a/src/SFML/System/Unix/SleepImpl.hpp +++ b/src/SFML/System/Unix/SleepImpl.hpp @@ -42,7 +42,7 @@ namespace priv /// \param time Time to sleep /// //////////////////////////////////////////////////////////// -void SleepImpl(Time time); +void sleepImpl(Time time); } // namespace priv diff --git a/src/SFML/System/Unix/ThreadImpl.cpp b/src/SFML/System/Unix/ThreadImpl.cpp index 7a8b4855..c9596582 100644 --- a/src/SFML/System/Unix/ThreadImpl.cpp +++ b/src/SFML/System/Unix/ThreadImpl.cpp @@ -39,7 +39,7 @@ namespace priv ThreadImpl::ThreadImpl(Thread* owner) : m_isActive(true) { - m_isActive = pthread_create(&m_thread, NULL, &ThreadImpl::EntryPoint, owner) == 0; + m_isActive = pthread_create(&m_thread, NULL, &ThreadImpl::entryPoint, owner) == 0; if (!m_isActive) std::cerr << "Failed to create thread" << std::endl; @@ -47,7 +47,7 @@ m_isActive(true) //////////////////////////////////////////////////////////// -void ThreadImpl::Wait() +void ThreadImpl::wait() { if (m_isActive) { @@ -58,7 +58,7 @@ void ThreadImpl::Wait() //////////////////////////////////////////////////////////// -void ThreadImpl::Terminate() +void ThreadImpl::terminate() { if (m_isActive) pthread_cancel(m_thread); @@ -66,7 +66,7 @@ void ThreadImpl::Terminate() //////////////////////////////////////////////////////////// -void* ThreadImpl::EntryPoint(void* userData) +void* ThreadImpl::entryPoint(void* userData) { // The Thread instance is stored in the user data Thread* owner = static_cast(userData); @@ -75,7 +75,7 @@ void* ThreadImpl::EntryPoint(void* userData) pthread_setcanceltype(PTHREAD_CANCEL_ASYNCHRONOUS, NULL); // Forward to the owner - owner->Run(); + owner->run(); return NULL; } diff --git a/src/SFML/System/Unix/ThreadImpl.hpp b/src/SFML/System/Unix/ThreadImpl.hpp index 760c36bd..075aff36 100644 --- a/src/SFML/System/Unix/ThreadImpl.hpp +++ b/src/SFML/System/Unix/ThreadImpl.hpp @@ -57,13 +57,13 @@ public : /// \brief Wait until the thread finishes /// //////////////////////////////////////////////////////////// - void Wait(); + void wait(); //////////////////////////////////////////////////////////// /// \brief Terminate the thread /// //////////////////////////////////////////////////////////// - void Terminate(); + void terminate(); private : @@ -75,7 +75,7 @@ private : /// \return Os specific error code /// //////////////////////////////////////////////////////////// - static void* EntryPoint(void* userData); + static void* entryPoint(void* userData); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/System/Unix/ThreadLocalImpl.cpp b/src/SFML/System/Unix/ThreadLocalImpl.cpp index 5c929d46..337a4a76 100644 --- a/src/SFML/System/Unix/ThreadLocalImpl.cpp +++ b/src/SFML/System/Unix/ThreadLocalImpl.cpp @@ -47,14 +47,14 @@ ThreadLocalImpl::~ThreadLocalImpl() //////////////////////////////////////////////////////////// -void ThreadLocalImpl::SetValue(void* value) +void ThreadLocalImpl::setValue(void* value) { pthread_setspecific(m_key, value); } //////////////////////////////////////////////////////////// -void* ThreadLocalImpl::GetValue() const +void* ThreadLocalImpl::getValue() const { return pthread_getspecific(m_key); } diff --git a/src/SFML/System/Unix/ThreadLocalImpl.hpp b/src/SFML/System/Unix/ThreadLocalImpl.hpp index 86986b23..037473e8 100644 --- a/src/SFML/System/Unix/ThreadLocalImpl.hpp +++ b/src/SFML/System/Unix/ThreadLocalImpl.hpp @@ -61,7 +61,7 @@ public : /// \param value Value of the variable for this thread /// //////////////////////////////////////////////////////////// - void SetValue(void* value); + void setValue(void* value); //////////////////////////////////////////////////////////// /// \brief Retrieve the thread-specific value of the variable @@ -69,7 +69,7 @@ public : /// \return Value of the variable for this thread /// //////////////////////////////////////////////////////////// - void* GetValue() const; + void* getValue() const; private : diff --git a/src/SFML/System/Win32/ClockImpl.cpp b/src/SFML/System/Win32/ClockImpl.cpp index 1b10e4c1..69dc5fc4 100644 --- a/src/SFML/System/Win32/ClockImpl.cpp +++ b/src/SFML/System/Win32/ClockImpl.cpp @@ -27,12 +27,11 @@ //////////////////////////////////////////////////////////// #include #include -#undef GetCurrentTime // Windows macros are really evil... namespace { - LARGE_INTEGER GetFrequency() + LARGE_INTEGER getFrequency() { LARGE_INTEGER frequency; QueryPerformanceFrequency(&frequency); @@ -45,7 +44,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -Time ClockImpl::GetCurrentTime() +Time ClockImpl::getCurrentTime() { // Force the following code to run on first core // (see http://msdn.microsoft.com/en-us/library/windows/desktop/ms644904(v=vs.85).aspx) @@ -54,7 +53,7 @@ Time ClockImpl::GetCurrentTime() // Get the frequency of the performance counter // (it is constant across the program lifetime) - static LARGE_INTEGER frequency = GetFrequency(); + static LARGE_INTEGER frequency = getFrequency(); // Get the current time LARGE_INTEGER time; @@ -64,7 +63,7 @@ Time ClockImpl::GetCurrentTime() SetThreadAffinityMask(currentThread, previousMask); // Return the current time as microseconds - return sf::Microseconds(1000000 * time.QuadPart / frequency.QuadPart); + return sf::microseconds(1000000 * time.QuadPart / frequency.QuadPart); } } // namespace priv diff --git a/src/SFML/System/Win32/ClockImpl.hpp b/src/SFML/System/Win32/ClockImpl.hpp index eb9923c8..75672d20 100644 --- a/src/SFML/System/Win32/ClockImpl.hpp +++ b/src/SFML/System/Win32/ClockImpl.hpp @@ -50,7 +50,7 @@ public : /// \return Current time /// //////////////////////////////////////////////////////////// - static Time GetCurrentTime(); + static Time getCurrentTime(); }; } // namespace priv diff --git a/src/SFML/System/Win32/MutexImpl.cpp b/src/SFML/System/Win32/MutexImpl.cpp index e847511f..9a94ff6e 100644 --- a/src/SFML/System/Win32/MutexImpl.cpp +++ b/src/SFML/System/Win32/MutexImpl.cpp @@ -47,14 +47,14 @@ MutexImpl::~MutexImpl() //////////////////////////////////////////////////////////// -void MutexImpl::Lock() +void MutexImpl::lock() { EnterCriticalSection(&m_mutex); } //////////////////////////////////////////////////////////// -void MutexImpl::Unlock() +void MutexImpl::unlock() { LeaveCriticalSection(&m_mutex); } diff --git a/src/SFML/System/Win32/MutexImpl.hpp b/src/SFML/System/Win32/MutexImpl.hpp index 46d624de..9ff8d9bc 100644 --- a/src/SFML/System/Win32/MutexImpl.hpp +++ b/src/SFML/System/Win32/MutexImpl.hpp @@ -59,13 +59,13 @@ public : /// \brief Lock the mutex /// //////////////////////////////////////////////////////////// - void Lock(); + void lock(); //////////////////////////////////////////////////////////// /// \brief Unlock the mutex /// //////////////////////////////////////////////////////////// - void Unlock(); + void unlock(); private : diff --git a/src/SFML/System/Win32/SleepImpl.cpp b/src/SFML/System/Win32/SleepImpl.cpp index de77823f..9472449c 100644 --- a/src/SFML/System/Win32/SleepImpl.cpp +++ b/src/SFML/System/Win32/SleepImpl.cpp @@ -34,9 +34,9 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -void SleepImpl(Time time) +void sleepImpl(Time time) { - ::Sleep(time.AsMilliseconds()); + ::Sleep(time.asMilliseconds()); } } // namespace priv diff --git a/src/SFML/System/Win32/SleepImpl.hpp b/src/SFML/System/Win32/SleepImpl.hpp index 7c044afc..c0c769c2 100644 --- a/src/SFML/System/Win32/SleepImpl.hpp +++ b/src/SFML/System/Win32/SleepImpl.hpp @@ -42,7 +42,7 @@ namespace priv /// \param time Time to sleep /// //////////////////////////////////////////////////////////// -void SleepImpl(Time time); +void sleepImpl(Time time); } // namespace priv diff --git a/src/SFML/System/Win32/ThreadImpl.cpp b/src/SFML/System/Win32/ThreadImpl.cpp index c4c7cb74..ed7a7626 100644 --- a/src/SFML/System/Win32/ThreadImpl.cpp +++ b/src/SFML/System/Win32/ThreadImpl.cpp @@ -39,10 +39,10 @@ namespace priv //////////////////////////////////////////////////////////// ThreadImpl::ThreadImpl(Thread* owner) { - m_thread = reinterpret_cast(_beginthreadex(NULL, 0, &ThreadImpl::EntryPoint, owner, 0, &m_threadId)); + m_thread = reinterpret_cast(_beginthreadex(NULL, 0, &ThreadImpl::entryPoint, owner, 0, &m_threadId)); if (!m_thread) - Err() << "Failed to create thread" << std::endl; + err() << "Failed to create thread" << std::endl; } @@ -55,7 +55,7 @@ ThreadImpl::~ThreadImpl() //////////////////////////////////////////////////////////// -void ThreadImpl::Wait() +void ThreadImpl::wait() { if (m_thread) { @@ -66,7 +66,7 @@ void ThreadImpl::Wait() //////////////////////////////////////////////////////////// -void ThreadImpl::Terminate() +void ThreadImpl::terminate() { if (m_thread) TerminateThread(m_thread, 0); @@ -74,13 +74,13 @@ void ThreadImpl::Terminate() //////////////////////////////////////////////////////////// -unsigned int __stdcall ThreadImpl::EntryPoint(void* userData) +unsigned int __stdcall ThreadImpl::entryPoint(void* userData) { // The Thread instance is stored in the user data Thread* owner = static_cast(userData); // Forward to the owner - owner->Run(); + owner->run(); // Optional, but it is cleaner _endthreadex(0); diff --git a/src/SFML/System/Win32/ThreadImpl.hpp b/src/SFML/System/Win32/ThreadImpl.hpp index 47616219..1717cc23 100644 --- a/src/SFML/System/Win32/ThreadImpl.hpp +++ b/src/SFML/System/Win32/ThreadImpl.hpp @@ -63,13 +63,13 @@ public : /// \brief Wait until the thread finishes /// //////////////////////////////////////////////////////////// - void Wait(); + void wait(); //////////////////////////////////////////////////////////// /// \brief Terminate the thread /// //////////////////////////////////////////////////////////// - void Terminate(); + void terminate(); private : @@ -81,7 +81,7 @@ private : /// \return OS specific error code /// //////////////////////////////////////////////////////////// - static unsigned int __stdcall EntryPoint(void* userData); + static unsigned int __stdcall entryPoint(void* userData); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/System/Win32/ThreadLocalImpl.cpp b/src/SFML/System/Win32/ThreadLocalImpl.cpp index b7ff429b..4c335698 100644 --- a/src/SFML/System/Win32/ThreadLocalImpl.cpp +++ b/src/SFML/System/Win32/ThreadLocalImpl.cpp @@ -47,14 +47,14 @@ ThreadLocalImpl::~ThreadLocalImpl() //////////////////////////////////////////////////////////// -void ThreadLocalImpl::SetValue(void* value) +void ThreadLocalImpl::setValue(void* value) { TlsSetValue(m_index, value); } //////////////////////////////////////////////////////////// -void* ThreadLocalImpl::GetValue() const +void* ThreadLocalImpl::getValue() const { return TlsGetValue(m_index); } diff --git a/src/SFML/System/Win32/ThreadLocalImpl.hpp b/src/SFML/System/Win32/ThreadLocalImpl.hpp index 0a50c274..d45ad327 100644 --- a/src/SFML/System/Win32/ThreadLocalImpl.hpp +++ b/src/SFML/System/Win32/ThreadLocalImpl.hpp @@ -61,7 +61,7 @@ public : /// \param value Value of the variable for this thread /// //////////////////////////////////////////////////////////// - void SetValue(void* value); + void setValue(void* value); //////////////////////////////////////////////////////////// /// \brief Retrieve the thread-specific value of the variable @@ -69,7 +69,7 @@ public : /// \return Value of the variable for this thread /// //////////////////////////////////////////////////////////// - void* GetValue() const; + void* getValue() const; private : diff --git a/src/SFML/Window/Context.cpp b/src/SFML/Window/Context.cpp index cfd07c1b..f8cf8e7c 100644 --- a/src/SFML/Window/Context.cpp +++ b/src/SFML/Window/Context.cpp @@ -34,8 +34,8 @@ namespace sf //////////////////////////////////////////////////////////// Context::Context() { - m_context = priv::GlContext::Create(); - SetActive(true); + m_context = priv::GlContext::create(); + setActive(true); } @@ -47,17 +47,17 @@ Context::~Context() //////////////////////////////////////////////////////////// -bool Context::SetActive(bool active) +bool Context::setActive(bool active) { - return m_context->SetActive(active); + return m_context->setActive(active); } //////////////////////////////////////////////////////////// Context::Context(const ContextSettings& settings, unsigned int width, unsigned int height) { - m_context = priv::GlContext::Create(settings, width, height); - SetActive(true); + m_context = priv::GlContext::create(settings, width, height); + setActive(true); } } // namespace sf diff --git a/src/SFML/Window/GlContext.cpp b/src/SFML/Window/GlContext.cpp index 0154c951..bc1847f8 100644 --- a/src/SFML/Window/GlContext.cpp +++ b/src/SFML/Window/GlContext.cpp @@ -68,7 +68,7 @@ namespace sf::Mutex internalContextsMutex; // Check if the internal context of the current thread is valid - bool HasInternalContext() + bool hasInternalContext() { // The internal context can be null... if (!internalContext) @@ -80,11 +80,11 @@ namespace } // Retrieve the internal context for the current thread - sf::priv::GlContext* GetInternalContext() + sf::priv::GlContext* getInternalContext() { - if (!HasInternalContext()) + if (!hasInternalContext()) { - internalContext = sf::priv::GlContext::Create(); + internalContext = sf::priv::GlContext::create(); sf::Lock lock(internalContextsMutex); internalContexts.insert(internalContext); } @@ -99,21 +99,21 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -void GlContext::GlobalInit() +void GlContext::globalInit() { // Create the shared context sharedContext = new ContextType(NULL); - sharedContext->Initialize(); + sharedContext->initialize(); // This call makes sure that: // - the shared context is inactive (it must never be) // - another valid context is activated in the current thread - sharedContext->SetActive(false); + sharedContext->setActive(false); } //////////////////////////////////////////////////////////// -void GlContext::GlobalCleanup() +void GlContext::globalCleanup() { // Destroy the shared context delete sharedContext; @@ -128,47 +128,47 @@ void GlContext::GlobalCleanup() //////////////////////////////////////////////////////////// -void GlContext::EnsureContext() +void GlContext::ensureContext() { // If there's no active context on the current thread, activate an internal one if (!currentContext) - GetInternalContext()->SetActive(true); + getInternalContext()->setActive(true); } //////////////////////////////////////////////////////////// -GlContext* GlContext::Create() +GlContext* GlContext::create() { GlContext* context = new ContextType(sharedContext); - context->Initialize(); + context->initialize(); return context; } //////////////////////////////////////////////////////////// -GlContext* GlContext::Create(const ContextSettings& settings, const WindowImpl* owner, unsigned int bitsPerPixel) +GlContext* GlContext::create(const ContextSettings& settings, const WindowImpl* owner, unsigned int bitsPerPixel) { // Make sure that there's an active context (context creation may need extensions, and thus a valid context) - EnsureContext(); + ensureContext(); // Create the context GlContext* context = new ContextType(sharedContext, settings, owner, bitsPerPixel); - context->Initialize(); + context->initialize(); return context; } //////////////////////////////////////////////////////////// -GlContext* GlContext::Create(const ContextSettings& settings, unsigned int width, unsigned int height) +GlContext* GlContext::create(const ContextSettings& settings, unsigned int width, unsigned int height) { // Make sure that there's an active context (context creation may need extensions, and thus a valid context) - EnsureContext(); + ensureContext(); // Create the context GlContext* context = new ContextType(sharedContext, settings, width, height); - context->Initialize(); + context->initialize(); return context; } @@ -179,26 +179,26 @@ GlContext::~GlContext() { // Deactivate the context before killing it, unless we're inside Cleanup() if (sharedContext) - SetActive(false); + setActive(false); } //////////////////////////////////////////////////////////// -const ContextSettings& GlContext::GetSettings() const +const ContextSettings& GlContext::getSettings() const { return m_settings; } //////////////////////////////////////////////////////////// -bool GlContext::SetActive(bool active) +bool GlContext::setActive(bool active) { if (active) { if (this != currentContext) { // Activate the context - if (MakeCurrent()) + if (makeCurrent()) { // Set it as the new current context for this thread currentContext = this; @@ -221,7 +221,7 @@ bool GlContext::SetActive(bool active) { // To deactivate the context, we actually activate another one so that we make // sure that there is always an active context for subsequent graphics operations - return GetInternalContext()->SetActive(true); + return getInternalContext()->setActive(true); } else { @@ -240,38 +240,38 @@ GlContext::GlContext() //////////////////////////////////////////////////////////// -int GlContext::EvaluateFormat(unsigned int bitsPerPixel, const ContextSettings& settings, int colorBits, int depthBits, int stencilBits, int antialiasing) +int GlContext::evaluateFormat(unsigned int bitsPerPixel, const ContextSettings& settings, int colorBits, int depthBits, int stencilBits, int antialiasing) { return std::abs(static_cast(bitsPerPixel - colorBits)) + - std::abs(static_cast(settings.DepthBits - depthBits)) + - std::abs(static_cast(settings.StencilBits - stencilBits)) + - std::abs(static_cast(settings.AntialiasingLevel - antialiasing)); + std::abs(static_cast(settings.depthBits - depthBits)) + + std::abs(static_cast(settings.stencilBits - stencilBits)) + + std::abs(static_cast(settings.antialiasingLevel - antialiasing)); } //////////////////////////////////////////////////////////// -void GlContext::Initialize() +void GlContext::initialize() { // Activate the context - SetActive(true); + setActive(true); // Retrieve the context version number const GLubyte* version = glGetString(GL_VERSION); if (version) { // The beginning of the returned string is "major.minor" (this is standard) - m_settings.MajorVersion = version[0] - '0'; - m_settings.MinorVersion = version[2] - '0'; + m_settings.majorVersion = version[0] - '0'; + m_settings.minorVersion = version[2] - '0'; } else { // Can't get the version number, assume 2.0 - m_settings.MajorVersion = 2; - m_settings.MinorVersion = 0; + m_settings.majorVersion = 2; + m_settings.minorVersion = 0; } // Enable antialiasing if needed - if (m_settings.AntialiasingLevel > 0) + if (m_settings.antialiasingLevel > 0) glEnable(GL_MULTISAMPLE_ARB); } diff --git a/src/SFML/Window/GlContext.hpp b/src/SFML/Window/GlContext.hpp index e5b05462..dbfd58ef 100644 --- a/src/SFML/Window/GlContext.hpp +++ b/src/SFML/Window/GlContext.hpp @@ -57,25 +57,25 @@ public : /// can be called only once. /// //////////////////////////////////////////////////////////// - static void GlobalInit(); + static void globalInit(); //////////////////////////////////////////////////////////// /// \brief Perform the global cleanup /// /// This function is called after the very last OpenGL resource /// is destroyed. It makes sure that everything that was - /// created by Initialize() is properly released. + /// created by initialize() is properly released. /// Note: this function doesn't need to be thread-safe, as it /// can be called only once. /// //////////////////////////////////////////////////////////// - static void GlobalCleanup(); + static void globalCleanup(); //////////////////////////////////////////////////////////// /// \brief Ensures that an OpenGL context is active in the current thread /// //////////////////////////////////////////////////////////// - static void EnsureContext(); + static void ensureContext(); //////////////////////////////////////////////////////////// /// \brief Create a new context, not associated to a window @@ -86,7 +86,7 @@ public : /// \return Pointer to the created context (don't forget to delete it) /// //////////////////////////////////////////////////////////// - static GlContext* Create(); + static GlContext* create(); //////////////////////////////////////////////////////////// /// \brief Create a new context attached to a window @@ -101,7 +101,7 @@ public : /// \return Pointer to the created context /// //////////////////////////////////////////////////////////// - static GlContext* Create(const ContextSettings& settings, const WindowImpl* owner, unsigned int bitsPerPixel); + static GlContext* create(const ContextSettings& settings, const WindowImpl* owner, unsigned int bitsPerPixel); //////////////////////////////////////////////////////////// /// \brief Create a new context that embeds its own rendering target @@ -116,7 +116,7 @@ public : /// \return Pointer to the created context /// //////////////////////////////////////////////////////////// - static GlContext* Create(const ContextSettings& settings, unsigned int width, unsigned int height); + static GlContext* create(const ContextSettings& settings, unsigned int width, unsigned int height); public : @@ -136,11 +136,10 @@ public : /// \return Structure containing the settings /// //////////////////////////////////////////////////////////// - const ContextSettings& GetSettings() const; + const ContextSettings& getSettings() const; //////////////////////////////////////////////////////////// - /// \brief Activate or deactivate the context as the current target - /// for rendering + /// \brief Activate or deactivate the context as the current target for rendering /// /// A context is active only on the current thread, if you want to /// make it active on another thread you have to deactivate it @@ -153,13 +152,13 @@ public : /// \return True if operation was successful, false otherwise /// //////////////////////////////////////////////////////////// - bool SetActive(bool active); + bool setActive(bool active); //////////////////////////////////////////////////////////// /// \brief Display what has been rendered to the context so far /// //////////////////////////////////////////////////////////// - virtual void Display() = 0; + virtual void display() = 0; //////////////////////////////////////////////////////////// /// \brief Enable or disable vertical synchronization @@ -172,7 +171,7 @@ public : /// \param enabled True to enable v-sync, false to deactivate /// //////////////////////////////////////////////////////////// - virtual void SetVerticalSyncEnabled(bool enabled) = 0; + virtual void setVerticalSyncEnabled(bool enabled) = 0; protected : @@ -191,7 +190,7 @@ protected : /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - virtual bool MakeCurrent() = 0; + virtual bool makeCurrent() = 0; //////////////////////////////////////////////////////////// /// \brief Evaluate a pixel format configuration @@ -211,7 +210,7 @@ protected : /// \return Score of the configuration /// //////////////////////////////////////////////////////////// - static int EvaluateFormat(unsigned int bitsPerPixel, const ContextSettings& settings, int colorBits, int depthBits, int stencilBits, int antialiasing); + static int evaluateFormat(unsigned int bitsPerPixel, const ContextSettings& settings, int colorBits, int depthBits, int stencilBits, int antialiasing); //////////////////////////////////////////////////////////// // Member data @@ -224,7 +223,7 @@ private: /// \brief Perform various initializations after the context construction /// //////////////////////////////////////////////////////////// - void Initialize(); + void initialize(); }; } // namespace priv diff --git a/src/SFML/Window/GlResource.cpp b/src/SFML/Window/GlResource.cpp index e1fd939e..c76c9632 100644 --- a/src/SFML/Window/GlResource.cpp +++ b/src/SFML/Window/GlResource.cpp @@ -50,14 +50,14 @@ GlResource::GlResource() // If this is the very first resource, trigger the global context initialization if (count == 0) - priv::GlContext::GlobalInit(); + priv::GlContext::globalInit(); // Increment the resources counter count++; } // Now make sure that there is an active OpenGL context in the current thread - priv::GlContext::EnsureContext(); + priv::GlContext::ensureContext(); } @@ -72,14 +72,14 @@ GlResource::~GlResource() // If there's no more resource alive, we can trigger the global context cleanup if (count == 0) - priv::GlContext::GlobalCleanup(); + priv::GlContext::globalCleanup(); } //////////////////////////////////////////////////////////// -void GlResource::EnsureGlContext() +void GlResource::ensureGlContext() { - priv::GlContext::EnsureContext(); + priv::GlContext::ensureContext(); } } // namespace sf diff --git a/src/SFML/Window/InputImpl.hpp b/src/SFML/Window/InputImpl.hpp index f4aa0247..4198196b 100644 --- a/src/SFML/Window/InputImpl.hpp +++ b/src/SFML/Window/InputImpl.hpp @@ -31,17 +31,11 @@ #include #if defined(SFML_SYSTEM_WINDOWS) - #include - #elif defined(SFML_SYSTEM_LINUX) || defined(SFML_SYSTEM_FREEBSD) - #include - #elif defined(SFML_SYSTEM_MACOS) - #include - #endif diff --git a/src/SFML/Window/Joystick.cpp b/src/SFML/Window/Joystick.cpp index e3b4e088..4e636e95 100644 --- a/src/SFML/Window/Joystick.cpp +++ b/src/SFML/Window/Joystick.cpp @@ -32,44 +32,44 @@ namespace sf { //////////////////////////////////////////////////////////// -bool Joystick::IsConnected(unsigned int joystick) +bool Joystick::isConnected(unsigned int joystick) { - return priv::JoystickManager::GetInstance().GetState(joystick).Connected; + return priv::JoystickManager::getInstance().getState(joystick).connected; } //////////////////////////////////////////////////////////// -unsigned int Joystick::GetButtonCount(unsigned int joystick) +unsigned int Joystick::getButtonCount(unsigned int joystick) { - return priv::JoystickManager::GetInstance().GetCapabilities(joystick).ButtonCount; + return priv::JoystickManager::getInstance().getCapabilities(joystick).buttonCount; } //////////////////////////////////////////////////////////// -bool Joystick::HasAxis(unsigned int joystick, Axis axis) +bool Joystick::hasAxis(unsigned int joystick, Axis axis) { - return priv::JoystickManager::GetInstance().GetCapabilities(joystick).Axes[axis]; + return priv::JoystickManager::getInstance().getCapabilities(joystick).axes[axis]; } //////////////////////////////////////////////////////////// -bool Joystick::IsButtonPressed(unsigned int joystick, unsigned int button) +bool Joystick::isButtonPressed(unsigned int joystick, unsigned int button) { - return priv::JoystickManager::GetInstance().GetState(joystick).Buttons[button]; + return priv::JoystickManager::getInstance().getState(joystick).buttons[button]; } //////////////////////////////////////////////////////////// -float Joystick::GetAxisPosition(unsigned int joystick, Axis axis) +float Joystick::getAxisPosition(unsigned int joystick, Axis axis) { - return priv::JoystickManager::GetInstance().GetState(joystick).Axes[axis]; + return priv::JoystickManager::getInstance().getState(joystick).axes[axis]; } //////////////////////////////////////////////////////////// -void Joystick::Update() +void Joystick::update() { - return priv::JoystickManager::GetInstance().Update(); + return priv::JoystickManager::getInstance().update(); } } // namespace sf diff --git a/src/SFML/Window/JoystickImpl.hpp b/src/SFML/Window/JoystickImpl.hpp index 40fe6b32..ee4951e0 100644 --- a/src/SFML/Window/JoystickImpl.hpp +++ b/src/SFML/Window/JoystickImpl.hpp @@ -45,12 +45,12 @@ struct JoystickCaps { JoystickCaps() { - ButtonCount = 0; - std::fill(Axes, Axes + Joystick::AxisCount, false); + buttonCount = 0; + std::fill(axes, axes + Joystick::AxisCount, false); } - unsigned int ButtonCount; ///< Number of buttons supported by the joystick - bool Axes[Joystick::AxisCount]; ///< Support for each axis + unsigned int buttonCount; ///< Number of buttons supported by the joystick + bool axes[Joystick::AxisCount]; ///< Support for each axis }; @@ -62,14 +62,14 @@ struct JoystickState { JoystickState() { - Connected = false; - std::fill(Axes, Axes + Joystick::AxisCount, 0.f); - std::fill(Buttons, Buttons + Joystick::ButtonCount, false); + connected = false; + std::fill(axes, axes + Joystick::AxisCount, 0.f); + std::fill(buttons, buttons + Joystick::ButtonCount, false); } - bool Connected; ///< Is the joystick currently connected? - float Axes[Joystick::AxisCount]; ///< Position of each axis, in range [-100, 100] - bool Buttons[Joystick::ButtonCount]; ///< Status of each button (true = pressed) + bool connected; ///< Is the joystick currently connected? + float axes[Joystick::AxisCount]; ///< Position of each axis, in range [-100, 100] + bool buttons[Joystick::ButtonCount]; ///< Status of each button (true = pressed) }; } // namespace priv @@ -78,17 +78,11 @@ struct JoystickState #if defined(SFML_SYSTEM_WINDOWS) - #include - #elif defined(SFML_SYSTEM_LINUX) || defined(SFML_SYSTEM_FREEBSD) - #include - #elif defined(SFML_SYSTEM_MACOS) - #include - #endif diff --git a/src/SFML/Window/JoystickManager.cpp b/src/SFML/Window/JoystickManager.cpp index 3f01acf3..7db6a118 100644 --- a/src/SFML/Window/JoystickManager.cpp +++ b/src/SFML/Window/JoystickManager.cpp @@ -33,7 +33,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -JoystickManager& JoystickManager::GetInstance() +JoystickManager& JoystickManager::getInstance() { static JoystickManager instance; return instance; @@ -41,48 +41,48 @@ JoystickManager& JoystickManager::GetInstance() //////////////////////////////////////////////////////////// -const JoystickCaps& JoystickManager::GetCapabilities(unsigned int joystick) const +const JoystickCaps& JoystickManager::getCapabilities(unsigned int joystick) const { - return m_joysticks[joystick].Capabilities; + return m_joysticks[joystick].capabilities; } //////////////////////////////////////////////////////////// -const JoystickState& JoystickManager::GetState(unsigned int joystick) const +const JoystickState& JoystickManager::getState(unsigned int joystick) const { - return m_joysticks[joystick].State; + return m_joysticks[joystick].state; } //////////////////////////////////////////////////////////// -void JoystickManager::Update() +void JoystickManager::update() { for (int i = 0; i < Joystick::Count; ++i) { Item& item = m_joysticks[i]; - if (item.State.Connected) + if (item.state.connected) { // Get the current state of the joystick - item.State = item.Joystick.Update(); + item.state = item.joystick.update(); // Check if it's still connected - if (!item.State.Connected) + if (!item.state.connected) { - item.Joystick.Close(); - item.Capabilities = JoystickCaps(); - item.State = JoystickState(); + item.joystick.close(); + item.capabilities = JoystickCaps(); + item.state = JoystickState(); } } else { // Check if the joystick was connected since last update - if (JoystickImpl::IsConnected(i)) + if (JoystickImpl::isConnected(i)) { - if (item.Joystick.Open(i)) + if (item.joystick.open(i)) { - item.Capabilities = item.Joystick.GetCapabilities(); - item.State = item.Joystick.Update(); + item.capabilities = item.joystick.getCapabilities(); + item.state = item.joystick.update(); } } } @@ -101,8 +101,8 @@ JoystickManager::~JoystickManager() { for (int i = 0; i < Joystick::Count; ++i) { - if (m_joysticks[i].State.Connected) - m_joysticks[i].Joystick.Close(); + if (m_joysticks[i].state.connected) + m_joysticks[i].joystick.close(); } } diff --git a/src/SFML/Window/JoystickManager.hpp b/src/SFML/Window/JoystickManager.hpp index f6bbb2d5..ac980009 100644 --- a/src/SFML/Window/JoystickManager.hpp +++ b/src/SFML/Window/JoystickManager.hpp @@ -51,7 +51,7 @@ public : /// \return Unique instance of the joystick manager /// //////////////////////////////////////////////////////////// - static JoystickManager& GetInstance(); + static JoystickManager& getInstance(); //////////////////////////////////////////////////////////// /// \brief Get the capabilities of an open joystick @@ -61,7 +61,7 @@ public : /// \return Capabilities of the joystick /// //////////////////////////////////////////////////////////// - const JoystickCaps& GetCapabilities(unsigned int joystick) const; + const JoystickCaps& getCapabilities(unsigned int joystick) const; //////////////////////////////////////////////////////////// /// \brief Get the current state of an open joystick @@ -71,13 +71,13 @@ public : /// \return Current state of the joystick /// //////////////////////////////////////////////////////////// - const JoystickState& GetState(unsigned int joystick) const; + const JoystickState& getState(unsigned int joystick) const; //////////////////////////////////////////////////////////// /// \brief Update the state of all the joysticks /// //////////////////////////////////////////////////////////// - void Update(); + void update(); private: @@ -99,9 +99,9 @@ private: //////////////////////////////////////////////////////////// struct Item { - JoystickImpl Joystick; ///< Joystick implementation - JoystickState State; ///< The current joystick state - JoystickCaps Capabilities; ///< The joystick capabilities + JoystickImpl joystick; ///< Joystick implementation + JoystickState state; ///< The current joystick state + JoystickCaps capabilities; ///< The joystick capabilities }; //////////////////////////////////////////////////////////// diff --git a/src/SFML/Window/Keyboard.cpp b/src/SFML/Window/Keyboard.cpp index 70d8733b..c899f70b 100644 --- a/src/SFML/Window/Keyboard.cpp +++ b/src/SFML/Window/Keyboard.cpp @@ -32,9 +32,9 @@ namespace sf { //////////////////////////////////////////////////////////// -bool Keyboard::IsKeyPressed(Key key) +bool Keyboard::isKeyPressed(Key key) { - return priv::InputImpl::IsKeyPressed(key); + return priv::InputImpl::isKeyPressed(key); } } // namespace sf diff --git a/src/SFML/Window/Linux/GlxContext.cpp b/src/SFML/Window/Linux/GlxContext.cpp index 09de8c4f..f34e25b4 100644 --- a/src/SFML/Window/Linux/GlxContext.cpp +++ b/src/SFML/Window/Linux/GlxContext.cpp @@ -59,7 +59,7 @@ m_ownsWindow(true) 0, NULL); // Create the context - CreateContext(shared, VideoMode::GetDesktopMode().BitsPerPixel, ContextSettings()); + createContext(shared, VideoMode::getDesktopMode().bitsPerPixel, ContextSettings()); } @@ -70,14 +70,14 @@ m_context (NULL), m_ownsWindow(false) { // Use the same display as the owner window (important!) - m_display = static_cast(owner)->GetDisplay(); + m_display = static_cast(owner)->getDisplay(); // Get the owner window and its device context - m_window = static_cast< ::Window>(owner->GetSystemHandle()); + m_window = static_cast< ::Window>(owner->getSystemHandle()); // Create the context if (m_window) - CreateContext(shared, bitsPerPixel, settings); + createContext(shared, bitsPerPixel, settings); } @@ -103,7 +103,7 @@ m_ownsWindow(true) 0, NULL); // Create the context - CreateContext(shared, VideoMode::GetDesktopMode().BitsPerPixel, settings); + createContext(shared, VideoMode::getDesktopMode().bitsPerPixel, settings); } @@ -132,14 +132,14 @@ GlxContext::~GlxContext() //////////////////////////////////////////////////////////// -bool GlxContext::MakeCurrent() +bool GlxContext::makeCurrent() { return m_context && glXMakeCurrent(m_display, m_window, m_context); } //////////////////////////////////////////////////////////// -void GlxContext::Display() +void GlxContext::display() { if (m_window) glXSwapBuffers(m_display, m_window); @@ -147,7 +147,7 @@ void GlxContext::Display() //////////////////////////////////////////////////////////// -void GlxContext::SetVerticalSyncEnabled(bool enabled) +void GlxContext::setVerticalSyncEnabled(bool enabled) { const GLubyte* name = reinterpret_cast("glXSwapIntervalSGI"); PFNGLXSWAPINTERVALSGIPROC glXSwapIntervalSGI = reinterpret_cast(glXGetProcAddress(name)); @@ -157,7 +157,7 @@ void GlxContext::SetVerticalSyncEnabled(bool enabled) //////////////////////////////////////////////////////////// -void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings) +void GlxContext::createContext(GlxContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings) { // Save the creation settings m_settings = settings; @@ -166,7 +166,7 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co XWindowAttributes windowAttributes; if (XGetWindowAttributes(m_display, m_window, &windowAttributes) == 0) { - Err() << "Failed to get the window attributes" << std::endl; + err() << "Failed to get the window attributes" << std::endl; return; } @@ -183,7 +183,7 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co { if (visuals) XFree(visuals); - Err() << "There is no valid visual for the selected screen" << std::endl; + err() << "There is no valid visual for the selected screen" << std::endl; return; } @@ -211,7 +211,7 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co // Evaluate the current configuration int color = red + green + blue + alpha; - int score = EvaluateFormat(bitsPerPixel, m_settings, color, depth, stencil, multiSampling ? samples : 0); + int score = evaluateFormat(bitsPerPixel, m_settings, color, depth, stencil, multiSampling ? samples : 0); // Keep it if it's better than the current best if (score < bestScore) @@ -224,7 +224,7 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co // Make sure that we have found a visual if (!bestVisual) { - Err() << "Failed to find a suitable pixel format for the window -- cannot create OpenGL context" << std::endl; + err() << "Failed to find a suitable pixel format for the window -- cannot create OpenGL context" << std::endl; return; } @@ -232,7 +232,7 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co GLXContext toShare = shared ? shared->m_context : NULL; // Create the OpenGL context -- first try context versions >= 3.0 if it is requested (they require special code) - while (!m_context && (m_settings.MajorVersion >= 3)) + while (!m_context && (m_settings.majorVersion >= 3)) { const GLubyte* name = reinterpret_cast("glXCreateContextAttribsARB"); PFNGLXCREATECONTEXTATTRIBSARBPROC glXCreateContextAttribsARB = reinterpret_cast(glXGetProcAddress(name)); @@ -245,8 +245,8 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co // Create the context int attributes[] = { - GLX_CONTEXT_MAJOR_VERSION_ARB, m_settings.MajorVersion, - GLX_CONTEXT_MINOR_VERSION_ARB, m_settings.MinorVersion, + GLX_CONTEXT_MAJOR_VERSION_ARB, m_settings.majorVersion, + GLX_CONTEXT_MINOR_VERSION_ARB, m_settings.minorVersion, GLX_CONTEXT_PROFILE_MASK_ARB, GLX_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB, 0, 0 }; @@ -261,16 +261,16 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co // Invalid version numbers will be generated by this algorithm (like 3.9), but we really don't care if (!m_context) { - if (m_settings.MinorVersion > 0) + if (m_settings.minorVersion > 0) { // If the minor version is not 0, we decrease it and try again - m_settings.MinorVersion--; + m_settings.minorVersion--; } else { // If the minor version is 0, we decrease the major version - m_settings.MajorVersion--; - m_settings.MinorVersion = 9; + m_settings.majorVersion--; + m_settings.minorVersion = 9; } } } @@ -279,13 +279,13 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co if (!m_context) { // set the context version to 2.0 (arbitrary) - m_settings.MajorVersion = 2; - m_settings.MinorVersion = 0; + m_settings.majorVersion = 2; + m_settings.minorVersion = 0; m_context = glXCreateContext(m_display, bestVisual, toShare, true); if (!m_context) { - Err() << "Failed to create an OpenGL context for this window" << std::endl; + err() << "Failed to create an OpenGL context for this window" << std::endl; return; } } @@ -296,9 +296,9 @@ void GlxContext::CreateContext(GlxContext* shared, unsigned int bitsPerPixel, co glXGetConfig(m_display, bestVisual, GLX_STENCIL_SIZE, &stencil); glXGetConfig(m_display, bestVisual, GLX_SAMPLE_BUFFERS_ARB, &multiSampling); glXGetConfig(m_display, bestVisual, GLX_SAMPLES_ARB, &samples); - m_settings.DepthBits = static_cast(depth); - m_settings.StencilBits = static_cast(stencil); - m_settings.AntialiasingLevel = multiSampling ? samples : 0; + m_settings.depthBits = static_cast(depth); + m_settings.stencilBits = static_cast(stencil); + m_settings.antialiasingLevel = multiSampling ? samples : 0; // Change the target window's colormap so that it matches the context's one ::Window root = RootWindow(m_display, DefaultScreen(m_display)); diff --git a/src/SFML/Window/Linux/GlxContext.hpp b/src/SFML/Window/Linux/GlxContext.hpp index 630177b5..0b945b1e 100644 --- a/src/SFML/Window/Linux/GlxContext.hpp +++ b/src/SFML/Window/Linux/GlxContext.hpp @@ -82,19 +82,18 @@ public : ~GlxContext(); //////////////////////////////////////////////////////////// - /// \brief Activate the context as the current target - /// for rendering + /// \brief Activate the context as the current target for rendering /// /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - virtual bool MakeCurrent(); + virtual bool makeCurrent(); //////////////////////////////////////////////////////////// /// \brief Display what has been rendered to the context so far /// //////////////////////////////////////////////////////////// - virtual void Display(); + virtual void display(); //////////////////////////////////////////////////////////// /// \brief Enable or disable vertical synchronization @@ -104,10 +103,10 @@ public : /// This can avoid some visual artifacts, and limit the framerate /// to a good value (but not constant across different computers). /// - /// \param enabled : True to enable v-sync, false to deactivate + /// \param enabled True to enable v-sync, false to deactivate /// //////////////////////////////////////////////////////////// - virtual void SetVerticalSyncEnabled(bool enabled); + virtual void setVerticalSyncEnabled(bool enabled); private : @@ -119,7 +118,7 @@ private : /// \param settings Creation parameters /// //////////////////////////////////////////////////////////// - void CreateContext(GlxContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings); + void createContext(GlxContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Window/Linux/InputImpl.cpp b/src/SFML/Window/Linux/InputImpl.cpp index c1d35897..729a8837 100644 --- a/src/SFML/Window/Linux/InputImpl.cpp +++ b/src/SFML/Window/Linux/InputImpl.cpp @@ -60,7 +60,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -bool InputImpl::IsKeyPressed(Keyboard::Key key) +bool InputImpl::isKeyPressed(Keyboard::Key key) { // Get the corresponding X11 keysym KeySym keysym = 0; @@ -187,7 +187,7 @@ bool InputImpl::IsKeyPressed(Keyboard::Key key) //////////////////////////////////////////////////////////// -bool InputImpl::IsMouseButtonPressed(Mouse::Button button) +bool InputImpl::isMouseButtonPressed(Mouse::Button button) { // we don't care about these but they are required ::Window root, child; @@ -212,7 +212,7 @@ bool InputImpl::IsMouseButtonPressed(Mouse::Button button) //////////////////////////////////////////////////////////// -Vector2i InputImpl::GetMousePosition() +Vector2i InputImpl::getMousePosition() { // we don't care about these but they are required ::Window root, child; @@ -228,9 +228,9 @@ Vector2i InputImpl::GetMousePosition() //////////////////////////////////////////////////////////// -Vector2i InputImpl::GetMousePosition(const Window& relativeTo) +Vector2i InputImpl::getMousePosition(const Window& relativeTo) { - WindowHandle handle = relativeTo.GetSystemHandle(); + WindowHandle handle = relativeTo.getSystemHandle(); if (handle) { // we don't care about these but they are required @@ -252,7 +252,7 @@ Vector2i InputImpl::GetMousePosition(const Window& relativeTo) //////////////////////////////////////////////////////////// -void InputImpl::SetMousePosition(const Vector2i& position) +void InputImpl::setMousePosition(const Vector2i& position) { XWarpPointer(global.display, None, global.window, 0, 0, 0, 0, position.x, position.y); XFlush(global.display); @@ -260,9 +260,9 @@ void InputImpl::SetMousePosition(const Vector2i& position) //////////////////////////////////////////////////////////// -void InputImpl::SetMousePosition(const Vector2i& position, const Window& relativeTo) +void InputImpl::setMousePosition(const Vector2i& position, const Window& relativeTo) { - WindowHandle handle = relativeTo.GetSystemHandle(); + WindowHandle handle = relativeTo.getSystemHandle(); if (handle) { XWarpPointer(global.display, None, handle, 0, 0, 0, 0, position.x, position.y); diff --git a/src/SFML/Window/Linux/InputImpl.hpp b/src/SFML/Window/Linux/InputImpl.hpp index 5eff9b5b..75c9a0b4 100644 --- a/src/SFML/Window/Linux/InputImpl.hpp +++ b/src/SFML/Window/Linux/InputImpl.hpp @@ -52,7 +52,7 @@ public : /// \return True if the key is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsKeyPressed(Keyboard::Key key); + static bool isKeyPressed(Keyboard::Key key); //////////////////////////////////////////////////////////// /// \brief Check if a mouse button is pressed @@ -62,7 +62,7 @@ public : /// \return True if the button is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsMouseButtonPressed(Mouse::Button button); + static bool isMouseButtonPressed(Mouse::Button button); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in desktop coordinates @@ -73,7 +73,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetMousePosition(); + static Vector2i getMousePosition(); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in window coordinates @@ -87,7 +87,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetMousePosition(const Window& relativeTo); + static Vector2i getMousePosition(const Window& relativeTo); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in desktop coordinates @@ -99,7 +99,7 @@ public : /// \param position New position of the mouse /// //////////////////////////////////////////////////////////// - static void SetMousePosition(const Vector2i& position); + static void setMousePosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in window coordinates @@ -112,7 +112,7 @@ public : /// \param relativeTo Reference window /// //////////////////////////////////////////////////////////// - static void SetMousePosition(const Vector2i& position, const Window& relativeTo); + static void setMousePosition(const Vector2i& position, const Window& relativeTo); }; } // namespace priv diff --git a/src/SFML/Window/Linux/JoystickImpl.cpp b/src/SFML/Window/Linux/JoystickImpl.cpp index 53c7dae6..ce31e136 100644 --- a/src/SFML/Window/Linux/JoystickImpl.cpp +++ b/src/SFML/Window/Linux/JoystickImpl.cpp @@ -37,7 +37,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -bool JoystickImpl::IsConnected(unsigned int index) +bool JoystickImpl::isConnected(unsigned int index) { std::ostringstream oss; oss << "/dev/input/js" << index; @@ -48,12 +48,12 @@ bool JoystickImpl::IsConnected(unsigned int index) //////////////////////////////////////////////////////////// -bool JoystickImpl::Open(unsigned int index) +bool JoystickImpl::open(unsigned int index) { std::ostringstream oss; oss << "/dev/input/js" << index; - m_file = open(oss.str().c_str(), O_RDONLY); + m_file = ::open(oss.str().c_str(), O_RDONLY); if (m_file > 0) { // Use non-blocking mode @@ -75,23 +75,23 @@ bool JoystickImpl::Open(unsigned int index) //////////////////////////////////////////////////////////// -void JoystickImpl::Close() +void JoystickImpl::close() { - close(m_file); + ::close(m_file); } //////////////////////////////////////////////////////////// -JoystickCaps JoystickImpl::GetCapabilities() const +JoystickCaps JoystickImpl::getCapabilities() const { JoystickCaps caps; // Get the number of buttons char buttonCount; ioctl(m_file, JSIOCGBUTTONS, &buttonCount); - caps.ButtonCount = buttonCount; - if (caps.ButtonCount > Joystick::ButtonCount) - caps.ButtonCount = Joystick::ButtonCount; + caps.buttonCount = buttonCount; + if (caps.buttonCount > Joystick::ButtonCount) + caps.buttonCount = Joystick::ButtonCount; // Get the supported axes char axesCount; @@ -100,16 +100,16 @@ JoystickCaps JoystickImpl::GetCapabilities() const { switch (m_mapping[i]) { - case ABS_X : caps.Axes[Joystick::X] = true; break; - case ABS_Y : caps.Axes[Joystick::Y] = true; break; + case ABS_X : caps.axes[Joystick::X] = true; break; + case ABS_Y : caps.axes[Joystick::Y] = true; break; case ABS_Z : - case ABS_THROTTLE : caps.Axes[Joystick::Z] = true; break; + case ABS_THROTTLE : caps.axes[Joystick::Z] = true; break; case ABS_RZ: - case ABS_RUDDER: caps.Axes[Joystick::R] = true; break; - case ABS_RX : caps.Axes[Joystick::U] = true; break; - case ABS_RY : caps.Axes[Joystick::V] = true; break; - case ABS_HAT0X : caps.Axes[Joystick::PovX] = true; break; - case ABS_HAT0Y : caps.Axes[Joystick::PovY] = true; break; + case ABS_RUDDER: caps.axes[Joystick::R] = true; break; + case ABS_RX : caps.axes[Joystick::U] = true; break; + case ABS_RY : caps.axes[Joystick::V] = true; break; + case ABS_HAT0X : caps.axes[Joystick::PovX] = true; break; + case ABS_HAT0Y : caps.axes[Joystick::PovY] = true; break; default : break; } } @@ -119,7 +119,7 @@ JoystickCaps JoystickImpl::GetCapabilities() const //////////////////////////////////////////////////////////// -JoystickState JoystickImpl::JoystickImpl::Update() +JoystickState JoystickImpl::JoystickImpl::update() { // pop events from the joystick file js_event joyState; @@ -133,16 +133,16 @@ JoystickState JoystickImpl::JoystickImpl::Update() float value = joyState.value * 100.f / 32767.f; switch (m_mapping[joyState.number]) { - case ABS_X : m_state.Axes[Joystick::X] = value; break; - case ABS_Y : m_state.Axes[Joystick::Y] = value; break; + case ABS_X : m_state.axes[Joystick::X] = value; break; + case ABS_Y : m_state.axes[Joystick::Y] = value; break; case ABS_Z : - case ABS_THROTTLE : m_state.Axes[Joystick::Z] = value; break; + case ABS_THROTTLE : m_state.axes[Joystick::Z] = value; break; case ABS_RZ: - case ABS_RUDDER: m_state.Axes[Joystick::R] = value; break; - case ABS_RX : m_state.Axes[Joystick::U] = value; break; - case ABS_RY : m_state.Axes[Joystick::V] = value; break; - case ABS_HAT0X : m_state.Axes[Joystick::PovX] = value; break; - case ABS_HAT0Y : m_state.Axes[Joystick::PovY] = value; break; + case ABS_RUDDER: m_state.axes[Joystick::R] = value; break; + case ABS_RX : m_state.axes[Joystick::U] = value; break; + case ABS_RY : m_state.axes[Joystick::V] = value; break; + case ABS_HAT0X : m_state.axes[Joystick::PovX] = value; break; + case ABS_HAT0Y : m_state.axes[Joystick::PovY] = value; break; default : break; } break; @@ -152,14 +152,14 @@ JoystickState JoystickImpl::JoystickImpl::Update() case JS_EVENT_BUTTON : { if (joyState.number < Joystick::ButtonCount) - m_state.Buttons[joyState.number] = (joyState.value != 0); + m_state.buttons[joyState.number] = (joyState.value != 0); break; } } } // Check the connection state of the joystick (read() fails with an error != EGAIN if it's no longer connected) - m_state.Connected = (errno == EAGAIN); + m_state.connected = (errno == EAGAIN); return m_state; } diff --git a/src/SFML/Window/Linux/JoystickImpl.hpp b/src/SFML/Window/Linux/JoystickImpl.hpp index 34b3af17..7ffc1af6 100644 --- a/src/SFML/Window/Linux/JoystickImpl.hpp +++ b/src/SFML/Window/Linux/JoystickImpl.hpp @@ -57,7 +57,7 @@ public : /// \return True if the joystick is connected, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsConnected(unsigned int index); + static bool isConnected(unsigned int index); //////////////////////////////////////////////////////////// /// \brief Open the joystick @@ -67,13 +67,13 @@ public : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - bool Open(unsigned int index); + bool open(unsigned int index); //////////////////////////////////////////////////////////// /// \brief Close the joystick /// //////////////////////////////////////////////////////////// - void Close(); + void close(); //////////////////////////////////////////////////////////// /// \brief Get the joystick capabilities @@ -81,7 +81,7 @@ public : /// \return Joystick capabilities /// //////////////////////////////////////////////////////////// - JoystickCaps GetCapabilities() const; + JoystickCaps getCapabilities() const; //////////////////////////////////////////////////////////// /// \brief Update the joystick and get its new state @@ -89,7 +89,7 @@ public : /// \return Joystick state /// //////////////////////////////////////////////////////////// - JoystickState Update(); + JoystickState update(); private : diff --git a/src/SFML/Window/Linux/VideoModeImpl.cpp b/src/SFML/Window/Linux/VideoModeImpl.cpp index a5f4fff2..cdceed54 100644 --- a/src/SFML/Window/Linux/VideoModeImpl.cpp +++ b/src/SFML/Window/Linux/VideoModeImpl.cpp @@ -37,7 +37,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -std::vector VideoModeImpl::GetFullscreenModes() +std::vector VideoModeImpl::getFullscreenModes() { std::vector modes; @@ -91,13 +91,13 @@ std::vector VideoModeImpl::GetFullscreenModes() else { // Failed to get the screen configuration - Err() << "Failed to retrieve the screen configuration while trying to get the supported video modes" << std::endl; + err() << "Failed to retrieve the screen configuration while trying to get the supported video modes" << std::endl; } } else { // XRandr extension is not supported : we cannot get the video modes - Err() << "Failed to use the XRandR extension while trying to get the supported video modes" << std::endl; + err() << "Failed to use the XRandR extension while trying to get the supported video modes" << std::endl; } // Close the connection with the X server @@ -106,7 +106,7 @@ std::vector VideoModeImpl::GetFullscreenModes() else { // We couldn't connect to the X server - Err() << "Failed to connect to the X server while trying to get the supported video modes" << std::endl; + err() << "Failed to connect to the X server while trying to get the supported video modes" << std::endl; } return modes; @@ -114,7 +114,7 @@ std::vector VideoModeImpl::GetFullscreenModes() //////////////////////////////////////////////////////////// -VideoMode VideoModeImpl::GetDesktopMode() +VideoMode VideoModeImpl::getDesktopMode() { VideoMode desktopMode; @@ -149,13 +149,13 @@ VideoMode VideoModeImpl::GetDesktopMode() else { // Failed to get the screen configuration - Err() << "Failed to retrieve the screen configuration while trying to get the desktop video modes" << std::endl; + err() << "Failed to retrieve the screen configuration while trying to get the desktop video modes" << std::endl; } } else { // XRandr extension is not supported : we cannot get the video modes - Err() << "Failed to use the XRandR extension while trying to get the desktop video modes" << std::endl; + err() << "Failed to use the XRandR extension while trying to get the desktop video modes" << std::endl; } // Close the connection with the X server @@ -164,7 +164,7 @@ VideoMode VideoModeImpl::GetDesktopMode() else { // We couldn't connect to the X server - Err() << "Failed to connect to the X server while trying to get the desktop video modes" << std::endl; + err() << "Failed to connect to the X server while trying to get the desktop video modes" << std::endl; } return desktopMode; diff --git a/src/SFML/Window/Linux/WindowImplX11.cpp b/src/SFML/Window/Linux/WindowImplX11.cpp index 52f278df..20f4bd10 100644 --- a/src/SFML/Window/Linux/WindowImplX11.cpp +++ b/src/SFML/Window/Linux/WindowImplX11.cpp @@ -48,7 +48,7 @@ namespace /// Filter the events received by windows /// (only allow those matching a specific window) - Bool CheckEvent(::Display*, XEvent* event, XPointer userData) + Bool checkEvent(::Display*, XEvent* event, XPointer userData) { // Just check if the event matches the window return event->xany.window == reinterpret_cast< ::Window >(userData); @@ -84,7 +84,7 @@ m_keyRepeat (true) XSelectInput(m_display, m_window, eventMask & ~ButtonPressMask); // Do some common initializations - Initialize(); + initialize(); } } @@ -109,20 +109,20 @@ m_keyRepeat (true) bool fullscreen = (style & Style::Fullscreen) != 0; if (!fullscreen) { - left = (DisplayWidth(m_display, m_screen) - mode.Width) / 2; - top = (DisplayHeight(m_display, m_screen) - mode.Height) / 2; + left = (DisplayWidth(m_display, m_screen) - mode.width) / 2; + top = (DisplayHeight(m_display, m_screen) - mode.height) / 2; } else { left = 0; top = 0; } - int width = mode.Width; - int height = mode.Height; + int width = mode.width; + int height = mode.height; // Switch to fullscreen if necessary if (fullscreen) - SwitchToFullscreen(mode); + switchToFullscreen(mode); // Define the window attributes XSetWindowAttributes attributes; @@ -141,12 +141,12 @@ m_keyRepeat (true) CWEventMask | CWOverrideRedirect, &attributes); if (!m_window) { - Err() << "Failed to create window" << std::endl; + err() << "Failed to create window" << std::endl; return; } // Set the window's name - SetTitle(title); + setTitle(title); // Set the window's style (tell the windows manager to change our window's decorations and functions according to the requested style) if (!fullscreen) @@ -218,7 +218,7 @@ m_keyRepeat (true) } // Do some common initializations - Initialize(); + initialize(); // In fullscreen mode, we must grab keyboard and mouse inputs if (fullscreen) @@ -233,7 +233,7 @@ m_keyRepeat (true) WindowImplX11::~WindowImplX11() { // Cleanup graphical resources - Cleanup(); + cleanup(); // Destroy the cursor if (m_hiddenCursor) @@ -260,32 +260,32 @@ WindowImplX11::~WindowImplX11() //////////////////////////////////////////////////////////// -::Display* WindowImplX11::GetDisplay() const +::Display* WindowImplX11::getDisplay() const { return m_display; } //////////////////////////////////////////////////////////// -WindowHandle WindowImplX11::GetSystemHandle() const +WindowHandle WindowImplX11::getSystemHandle() const { return m_window; } //////////////////////////////////////////////////////////// -void WindowImplX11::ProcessEvents() +void WindowImplX11::processEvents() { XEvent event; - while (XCheckIfEvent(m_display, &event, &CheckEvent, reinterpret_cast(m_window))) + while (XCheckIfEvent(m_display, &event, &checkEvent, reinterpret_cast(m_window))) { - ProcessEvent(event); + processEvent(event); } } //////////////////////////////////////////////////////////// -Vector2i WindowImplX11::GetPosition() const +Vector2i WindowImplX11::getPosition() const { XWindowAttributes attributes; XGetWindowAttributes(m_display, m_window, &attributes); @@ -294,7 +294,7 @@ Vector2i WindowImplX11::GetPosition() const //////////////////////////////////////////////////////////// -void WindowImplX11::SetPosition(const Vector2i& position) +void WindowImplX11::setPosition(const Vector2i& position) { XMoveWindow(m_display, m_window, position.x, position.y); XFlush(m_display); @@ -302,7 +302,7 @@ void WindowImplX11::SetPosition(const Vector2i& position) //////////////////////////////////////////////////////////// -Vector2u WindowImplX11::GetSize() const +Vector2u WindowImplX11::getSize() const { XWindowAttributes attributes; XGetWindowAttributes(m_display, m_window, &attributes); @@ -311,7 +311,7 @@ Vector2u WindowImplX11::GetSize() const //////////////////////////////////////////////////////////// -void WindowImplX11::SetSize(const Vector2u& size) +void WindowImplX11::setSize(const Vector2u& size) { XResizeWindow(m_display, m_window, size.x, size.y); XFlush(m_display); @@ -319,14 +319,14 @@ void WindowImplX11::SetSize(const Vector2u& size) //////////////////////////////////////////////////////////// -void WindowImplX11::SetTitle(const std::string& title) +void WindowImplX11::setTitle(const std::string& title) { XStoreName(m_display, m_window, title.c_str()); } //////////////////////////////////////////////////////////// -void WindowImplX11::SetIcon(unsigned int width, unsigned int height, const Uint8* pixels) +void WindowImplX11::setIcon(unsigned int width, unsigned int height, const Uint8* pixels) { // X11 wants BGRA pixels : swap red and blue channels // Note : this memory will never be freed, but it seems to cause a bug on exit if I do so @@ -345,7 +345,7 @@ void WindowImplX11::SetIcon(unsigned int width, unsigned int height, const Uint8 XImage* iconImage = XCreateImage(m_display, defVisual, defDepth, ZPixmap, 0, (char*)iconPixels, width, height, 32, 0); if (!iconImage) { - Err() << "Failed to set the window's icon" << std::endl; + err() << "Failed to set the window's icon" << std::endl; return; } Pixmap iconPixmap = XCreatePixmap(m_display, RootWindow(m_display, m_screen), width, height, defDepth); @@ -387,7 +387,7 @@ void WindowImplX11::SetIcon(unsigned int width, unsigned int height, const Uint8 //////////////////////////////////////////////////////////// -void WindowImplX11::SetVisible(bool visible) +void WindowImplX11::setVisible(bool visible) { if (visible) XMapWindow(m_display, m_window); @@ -399,7 +399,7 @@ void WindowImplX11::SetVisible(bool visible) //////////////////////////////////////////////////////////// -void WindowImplX11::SetMouseCursorVisible(bool visible) +void WindowImplX11::setMouseCursorVisible(bool visible) { XDefineCursor(m_display, m_window, visible ? None : m_hiddenCursor); XFlush(m_display); @@ -407,14 +407,14 @@ void WindowImplX11::SetMouseCursorVisible(bool visible) //////////////////////////////////////////////////////////// -void WindowImplX11::SetKeyRepeatEnabled(bool enabled) +void WindowImplX11::setKeyRepeatEnabled(bool enabled) { m_keyRepeat = enabled; } //////////////////////////////////////////////////////////// -void WindowImplX11::SwitchToFullscreen(const VideoMode& mode) +void WindowImplX11::switchToFullscreen(const VideoMode& mode) { // Check if the XRandR extension is present int version; @@ -436,7 +436,7 @@ void WindowImplX11::SwitchToFullscreen(const VideoMode& mode) // Search a matching size for (int i = 0; i < nbSizes; ++i) { - if ((sizes[i].width == static_cast(mode.Width)) && (sizes[i].height == static_cast(mode.Height))) + if ((sizes[i].width == static_cast(mode.width)) && (sizes[i].height == static_cast(mode.height))) { // Switch to fullscreen mode XRRSetScreenConfig(m_display, config, RootWindow(m_display, m_screen), i, currentRotation, CurrentTime); @@ -454,19 +454,19 @@ void WindowImplX11::SwitchToFullscreen(const VideoMode& mode) else { // Failed to get the screen configuration - Err() << "Failed to get the current screen configuration for fullscreen mode, switching to window mode" << std::endl; + err() << "Failed to get the current screen configuration for fullscreen mode, switching to window mode" << std::endl; } } else { // XRandr extension is not supported : we cannot use fullscreen mode - Err() << "Fullscreen is not supported, switching to window mode" << std::endl; + err() << "Fullscreen is not supported, switching to window mode" << std::endl; } } //////////////////////////////////////////////////////////// -void WindowImplX11::Initialize() +void WindowImplX11::initialize() { // Make sure the "last key release" is initialized with invalid values m_lastKeyReleaseEvent.type = -1; @@ -490,14 +490,14 @@ void WindowImplX11::Initialize() m_inputContext = NULL; } if (!m_inputContext) - Err() << "Failed to create input context for window -- TextEntered event won't be able to return unicode" << std::endl; + err() << "Failed to create input context for window -- TextEntered event won't be able to return unicode" << std::endl; // Show the window XMapWindow(m_display, m_window); XFlush(m_display); // Create the hiden cursor - CreateHiddenCursor(); + createHiddenCursor(); // Flush the commands queue XFlush(m_display); @@ -505,7 +505,7 @@ void WindowImplX11::Initialize() //////////////////////////////////////////////////////////// -void WindowImplX11::CreateHiddenCursor() +void WindowImplX11::createHiddenCursor() { // Create the cursor's pixmap (1x1 pixels) Pixmap cursorPixmap = XCreatePixmap(m_display, m_window, 1, 1, 1); @@ -525,7 +525,7 @@ void WindowImplX11::CreateHiddenCursor() //////////////////////////////////////////////////////////// -void WindowImplX11::Cleanup() +void WindowImplX11::cleanup() { // Restore the previous video mode (in case we were running in fullscreen) if (fullscreenWindow == this) @@ -550,12 +550,12 @@ void WindowImplX11::Cleanup() } // Unhide the mouse cursor (in case it was hidden) - SetMouseCursorVisible(true); + setMouseCursorVisible(true); } //////////////////////////////////////////////////////////// -bool WindowImplX11::ProcessEvent(XEvent windowEvent) +bool WindowImplX11::processEvent(XEvent windowEvent) { // This function implements a workaround to properly discard // repeated key events when necessary. The problem is that the @@ -603,7 +603,7 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) case DestroyNotify : { // The window is about to be destroyed : we must cleanup resources - Cleanup(); + cleanup(); break; } @@ -615,8 +615,8 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) XSetICFocus(m_inputContext); Event event; - event.Type = Event::GainedFocus; - PushEvent(event); + event.type = Event::GainedFocus; + pushEvent(event); break; } @@ -628,8 +628,8 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) XUnsetICFocus(m_inputContext); Event event; - event.Type = Event::LostFocus; - PushEvent(event); + event.type = Event::LostFocus; + pushEvent(event); break; } @@ -637,10 +637,10 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) case ConfigureNotify : { Event event; - event.Type = Event::Resized; - event.Size.Width = windowEvent.xconfigure.width; - event.Size.Height = windowEvent.xconfigure.height; - PushEvent(event); + event.type = Event::Resized; + event.size.width = windowEvent.xconfigure.width; + event.size.height = windowEvent.xconfigure.height; + pushEvent(event); break; } @@ -650,8 +650,8 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) if ((windowEvent.xclient.format == 32) && (windowEvent.xclient.data.l[0]) == static_cast(m_atomClose)) { Event event; - event.Type = Event::Closed; - PushEvent(event); + event.type = Event::Closed; + pushEvent(event); } break; } @@ -668,13 +668,13 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) // Fill the event parameters // TODO: if modifiers are wrong, use XGetModifierMapping to retrieve the actual modifiers mapping Event event; - event.Type = Event::KeyPressed; - event.Key.Code = KeysymToSF(symbol); - event.Key.Alt = windowEvent.xkey.state & Mod1Mask; - event.Key.Control = windowEvent.xkey.state & ControlMask; - event.Key.Shift = windowEvent.xkey.state & ShiftMask; - event.Key.System = windowEvent.xkey.state & Mod4Mask; - PushEvent(event); + event.type = Event::KeyPressed; + event.key.code = keysymToSF(symbol); + event.key.alt = windowEvent.xkey.state & Mod1Mask; + event.key.control = windowEvent.xkey.state & ControlMask; + event.key.shift = windowEvent.xkey.state & ShiftMask; + event.key.system = windowEvent.xkey.state & Mod4Mask; + pushEvent(event); // Generate a TextEntered event if (!XFilterEvent(&windowEvent, None)) @@ -688,13 +688,13 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) if (length > 0) { Uint32 unicode = 0; - Utf8::Decode(keyBuffer, keyBuffer + length, unicode, 0); + Utf8::decode(keyBuffer, keyBuffer + length, unicode, 0); if (unicode != 0) { Event textEvent; - textEvent.Type = Event::TextEntered; - textEvent.Text.Unicode = unicode; - PushEvent(textEvent); + textEvent.type = Event::TextEntered; + textEvent.text.unicode = unicode; + pushEvent(textEvent); } } } @@ -706,9 +706,9 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) if (XLookupString(&windowEvent.xkey, keyBuffer, sizeof(keyBuffer), NULL, &status)) { Event textEvent; - textEvent.Type = Event::TextEntered; - textEvent.Text.Unicode = static_cast(keyBuffer[0]); - PushEvent(textEvent); + textEvent.type = Event::TextEntered; + textEvent.text.unicode = static_cast(keyBuffer[0]); + pushEvent(textEvent); } } } @@ -726,13 +726,13 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) // Fill the event parameters Event event; - event.Type = Event::KeyReleased; - event.Key.Code = KeysymToSF(symbol); - event.Key.Alt = windowEvent.xkey.state & Mod1Mask; - event.Key.Control = windowEvent.xkey.state & ControlMask; - event.Key.Shift = windowEvent.xkey.state & ShiftMask; - event.Key.System = windowEvent.xkey.state & Mod4Mask; - PushEvent(event); + event.type = Event::KeyReleased; + event.key.code = keysymToSF(symbol); + event.key.alt = windowEvent.xkey.state & Mod1Mask; + event.key.control = windowEvent.xkey.state & ControlMask; + event.key.shift = windowEvent.xkey.state & ShiftMask; + event.key.system = windowEvent.xkey.state & Mod4Mask; + pushEvent(event); break; } @@ -744,18 +744,18 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) if ((button == Button1) || (button == Button2) || (button == Button3) || (button == 8) || (button == 9)) { Event event; - event.Type = Event::MouseButtonPressed; - event.MouseButton.X = windowEvent.xbutton.x; - event.MouseButton.Y = windowEvent.xbutton.y; + event.type = Event::MouseButtonPressed; + event.mouseButton.x = windowEvent.xbutton.x; + event.mouseButton.y = windowEvent.xbutton.y; switch (button) { - case Button1 : event.MouseButton.Button = Mouse::Left; break; - case Button2 : event.MouseButton.Button = Mouse::Middle; break; - case Button3 : event.MouseButton.Button = Mouse::Right; break; - case 8 : event.MouseButton.Button = Mouse::XButton1; break; - case 9 : event.MouseButton.Button = Mouse::XButton2; break; + case Button1 : event.mouseButton.button = Mouse::Left; break; + case Button2 : event.mouseButton.button = Mouse::Middle; break; + case Button3 : event.mouseButton.button = Mouse::Right; break; + case 8 : event.mouseButton.button = Mouse::XButton1; break; + case 9 : event.mouseButton.button = Mouse::XButton2; break; } - PushEvent(event); + pushEvent(event); } break; } @@ -767,27 +767,27 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) if ((button == Button1) || (button == Button2) || (button == Button3) || (button == 8) || (button == 9)) { Event event; - event.Type = Event::MouseButtonReleased; - event.MouseButton.X = windowEvent.xbutton.x; - event.MouseButton.Y = windowEvent.xbutton.y; + event.type = Event::MouseButtonReleased; + event.mouseButton.x = windowEvent.xbutton.x; + event.mouseButton.y = windowEvent.xbutton.y; switch (button) { - case Button1 : event.MouseButton.Button = Mouse::Left; break; - case Button2 : event.MouseButton.Button = Mouse::Middle; break; - case Button3 : event.MouseButton.Button = Mouse::Right; break; - case 8 : event.MouseButton.Button = Mouse::XButton1; break; - case 9 : event.MouseButton.Button = Mouse::XButton2; break; + case Button1 : event.mouseButton.button = Mouse::Left; break; + case Button2 : event.mouseButton.button = Mouse::Middle; break; + case Button3 : event.mouseButton.button = Mouse::Right; break; + case 8 : event.mouseButton.button = Mouse::XButton1; break; + case 9 : event.mouseButton.button = Mouse::XButton2; break; } - PushEvent(event); + pushEvent(event); } else if ((button == Button4) || (button == Button5)) { Event event; - event.Type = Event::MouseWheelMoved; - event.MouseWheel.Delta = windowEvent.xbutton.button == Button4 ? 1 : -1; - event.MouseWheel.X = windowEvent.xbutton.x; - event.MouseWheel.Y = windowEvent.xbutton.y; - PushEvent(event); + event.type = Event::MouseWheelMoved; + event.mouseWheel.delta = windowEvent.xbutton.button == Button4 ? 1 : -1; + event.mouseWheel.x = windowEvent.xbutton.x; + event.mouseWheel.y = windowEvent.xbutton.y; + pushEvent(event); } break; } @@ -796,10 +796,10 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) case MotionNotify : { Event event; - event.Type = Event::MouseMoved; - event.MouseMove.X = windowEvent.xmotion.x; - event.MouseMove.Y = windowEvent.xmotion.y; - PushEvent(event); + event.type = Event::MouseMoved; + event.mouseMove.x = windowEvent.xmotion.x; + event.mouseMove.y = windowEvent.xmotion.y; + pushEvent(event); break; } @@ -807,8 +807,8 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) case EnterNotify : { Event event; - event.Type = Event::MouseEntered; - PushEvent(event); + event.type = Event::MouseEntered; + pushEvent(event); break; } @@ -816,8 +816,8 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) case LeaveNotify : { Event event; - event.Type = Event::MouseLeft; - PushEvent(event); + event.type = Event::MouseLeft; + pushEvent(event); break; } } @@ -827,7 +827,7 @@ bool WindowImplX11::ProcessEvent(XEvent windowEvent) //////////////////////////////////////////////////////////// -Keyboard::Key WindowImplX11::KeysymToSF(KeySym symbol) +Keyboard::Key WindowImplX11::keysymToSF(KeySym symbol) { // First convert to uppercase (to avoid dealing with two different keysyms for the same key) KeySym lower, key; diff --git a/src/SFML/Window/Linux/WindowImplX11.hpp b/src/SFML/Window/Linux/WindowImplX11.hpp index 6bd61c0a..894a3e0a 100644 --- a/src/SFML/Window/Linux/WindowImplX11.hpp +++ b/src/SFML/Window/Linux/WindowImplX11.hpp @@ -79,7 +79,7 @@ public : /// \return Pointer to the X display of the window /// //////////////////////////////////////////////////////////// - ::Display* GetDisplay() const; + ::Display* getDisplay() const; private : @@ -89,13 +89,13 @@ private : /// \return Handle of the window /// //////////////////////////////////////////////////////////// - virtual WindowHandle GetSystemHandle() const; + virtual WindowHandle getSystemHandle() const; //////////////////////////////////////////////////////////// /// \brief Process incoming events from the operating system /// //////////////////////////////////////////////////////////// - virtual void ProcessEvents(); + virtual void processEvents(); //////////////////////////////////////////////////////////// /// \brief Get the position of the window @@ -103,7 +103,7 @@ private : /// \return Position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2i GetPosition() const; + virtual Vector2i getPosition() const; //////////////////////////////////////////////////////////// /// \brief Change the position of the window on screen @@ -111,7 +111,7 @@ private : /// \param position New position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetPosition(const Vector2i& position); + virtual void setPosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Get the client size of the window @@ -119,7 +119,7 @@ private : /// \return Size of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const; + virtual Vector2u getSize() const; //////////////////////////////////////////////////////////// /// \brief Change the size of the rendering region of the window @@ -127,7 +127,7 @@ private : /// \param size New size, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetSize(const Vector2u& size); + virtual void setSize(const Vector2u& size); //////////////////////////////////////////////////////////// /// \brief Change the title of the window @@ -135,7 +135,7 @@ private : /// \param title New title /// //////////////////////////////////////////////////////////// - virtual void SetTitle(const std::string& title); + virtual void setTitle(const std::string& title); //////////////////////////////////////////////////////////// /// \brief Change the window's icon @@ -145,7 +145,7 @@ private : /// \param pixels Pointer to the pixels in memory, format must be RGBA 32 bits /// //////////////////////////////////////////////////////////// - virtual void SetIcon(unsigned int width, unsigned int height, const Uint8* pixels); + virtual void setIcon(unsigned int width, unsigned int height, const Uint8* pixels); //////////////////////////////////////////////////////////// /// \brief Show or hide the window @@ -153,7 +153,7 @@ private : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetVisible(bool visible); + virtual void setVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Show or hide the mouse cursor @@ -161,7 +161,7 @@ private : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetMouseCursorVisible(bool visible); + virtual void setMouseCursorVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Enable or disable automatic key-repeat @@ -169,7 +169,7 @@ private : /// \param enabled True to enable, false to disable /// //////////////////////////////////////////////////////////// - virtual void SetKeyRepeatEnabled(bool enabled); + virtual void setKeyRepeatEnabled(bool enabled); private : @@ -179,25 +179,25 @@ private : /// \param Mode video mode to switch to /// //////////////////////////////////////////////////////////// - void SwitchToFullscreen(const VideoMode& mode); + void switchToFullscreen(const VideoMode& mode); //////////////////////////////////////////////////////////// /// \brief Do some common initializations after the window has been created /// //////////////////////////////////////////////////////////// - void Initialize(); + void initialize(); //////////////////////////////////////////////////////////// /// \brief Create a transparent mouse cursor /// //////////////////////////////////////////////////////////// - void CreateHiddenCursor(); + void createHiddenCursor(); //////////////////////////////////////////////////////////// /// \brief Cleanup graphical resources attached to the window /// //////////////////////////////////////////////////////////// - void Cleanup(); + void cleanup(); //////////////////////////////////////////////////////////// /// \brief Process an incoming event from the window @@ -207,7 +207,7 @@ private : /// \return True if the event was processed, false if it was discarded /// //////////////////////////////////////////////////////////// - bool ProcessEvent(XEvent windowEvent); + bool processEvent(XEvent windowEvent); //////////////////////////////////////////////////////////// /// \brief Convert a X11 keysym to SFML key code @@ -217,7 +217,7 @@ private : /// \return Corrsponding SFML key code /// //////////////////////////////////////////////////////////// - static Keyboard::Key KeysymToSF(KeySym symbol); + static Keyboard::Key keysymToSF(KeySym symbol); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Window/Mouse.cpp b/src/SFML/Window/Mouse.cpp index b1d35cae..04712803 100644 --- a/src/SFML/Window/Mouse.cpp +++ b/src/SFML/Window/Mouse.cpp @@ -33,37 +33,37 @@ namespace sf { //////////////////////////////////////////////////////////// -bool Mouse::IsButtonPressed(Button button) +bool Mouse::isButtonPressed(Button button) { - return priv::InputImpl::IsMouseButtonPressed(button); + return priv::InputImpl::isMouseButtonPressed(button); } //////////////////////////////////////////////////////////// -Vector2i Mouse::GetPosition() +Vector2i Mouse::getPosition() { - return priv::InputImpl::GetMousePosition(); + return priv::InputImpl::getMousePosition(); } //////////////////////////////////////////////////////////// -Vector2i Mouse::GetPosition(const Window& relativeTo) +Vector2i Mouse::getPosition(const Window& relativeTo) { - return priv::InputImpl::GetMousePosition(relativeTo); + return priv::InputImpl::getMousePosition(relativeTo); } //////////////////////////////////////////////////////////// -void Mouse::SetPosition(const Vector2i& position) +void Mouse::setPosition(const Vector2i& position) { - priv::InputImpl::SetMousePosition(position); + priv::InputImpl::setMousePosition(position); } //////////////////////////////////////////////////////////// -void Mouse::SetPosition(const Vector2i& position, const Window& relativeTo) +void Mouse::setPosition(const Vector2i& position, const Window& relativeTo) { - priv::InputImpl::SetMousePosition(position, relativeTo); + priv::InputImpl::setMousePosition(position, relativeTo); } } // namespace sf diff --git a/src/SFML/Window/VideoMode.cpp b/src/SFML/Window/VideoMode.cpp index 71e6205c..886ad5ed 100644 --- a/src/SFML/Window/VideoMode.cpp +++ b/src/SFML/Window/VideoMode.cpp @@ -35,9 +35,9 @@ namespace sf { //////////////////////////////////////////////////////////// VideoMode::VideoMode() : -Width (0), -Height (0), -BitsPerPixel(0) +width (0), +height (0), +bitsPerPixel(0) { } @@ -45,31 +45,31 @@ BitsPerPixel(0) //////////////////////////////////////////////////////////// VideoMode::VideoMode(unsigned int width, unsigned int height, unsigned int bitsPerPixel) : -Width (width), -Height (height), -BitsPerPixel(bitsPerPixel) +width (width), +height (height), +bitsPerPixel(bitsPerPixel) { } //////////////////////////////////////////////////////////// -VideoMode VideoMode::GetDesktopMode() +VideoMode VideoMode::getDesktopMode() { // Directly forward to the OS-specific implementation - return priv::VideoModeImpl::GetDesktopMode(); + return priv::VideoModeImpl::getDesktopMode(); } //////////////////////////////////////////////////////////// -const std::vector& VideoMode::GetFullscreenModes() +const std::vector& VideoMode::getFullscreenModes() { static std::vector modes; // Populate the array on first call if (modes.empty()) { - modes = priv::VideoModeImpl::GetFullscreenModes(); + modes = priv::VideoModeImpl::getFullscreenModes(); std::sort(modes.begin(), modes.end(), std::greater()); } @@ -78,9 +78,9 @@ const std::vector& VideoMode::GetFullscreenModes() //////////////////////////////////////////////////////////// -bool VideoMode::IsValid() const +bool VideoMode::isValid() const { - const std::vector& modes = GetFullscreenModes(); + const std::vector& modes = getFullscreenModes(); return std::find(modes.begin(), modes.end(), *this) != modes.end(); } @@ -89,9 +89,9 @@ bool VideoMode::IsValid() const //////////////////////////////////////////////////////////// bool operator ==(const VideoMode& left, const VideoMode& right) { - return (left.Width == right.Width) && - (left.Height == right.Height) && - (left.BitsPerPixel == right.BitsPerPixel); + return (left.width == right.width) && + (left.height == right.height) && + (left.bitsPerPixel == right.bitsPerPixel); } @@ -105,20 +105,20 @@ bool operator !=(const VideoMode& left, const VideoMode& right) //////////////////////////////////////////////////////////// bool operator <(const VideoMode& left, const VideoMode& right) { - if (left.BitsPerPixel == right.BitsPerPixel) + if (left.bitsPerPixel == right.bitsPerPixel) { - if (left.Width == right.Width) + if (left.width == right.width) { - return left.Height < right.Height; + return left.height < right.height; } else { - return left.Width < right.Width; + return left.width < right.width; } } else { - return left.BitsPerPixel < right.BitsPerPixel; + return left.bitsPerPixel < right.bitsPerPixel; } } diff --git a/src/SFML/Window/VideoModeImpl.hpp b/src/SFML/Window/VideoModeImpl.hpp index 8075b5f0..765ae523 100644 --- a/src/SFML/Window/VideoModeImpl.hpp +++ b/src/SFML/Window/VideoModeImpl.hpp @@ -49,7 +49,7 @@ public : /// \return Array filled with the fullscreen video modes /// //////////////////////////////////////////////////////////// - static std::vector GetFullscreenModes(); + static std::vector getFullscreenModes(); //////////////////////////////////////////////////////////// /// \brief Get the current desktop video mode @@ -57,7 +57,7 @@ public : /// \return Current desktop video mode /// //////////////////////////////////////////////////////////// - static VideoMode GetDesktopMode(); + static VideoMode getDesktopMode(); }; } // namespace priv diff --git a/src/SFML/Window/Win32/InputImpl.cpp b/src/SFML/Window/Win32/InputImpl.cpp index c3cf5c65..afb9b5c6 100644 --- a/src/SFML/Window/Win32/InputImpl.cpp +++ b/src/SFML/Window/Win32/InputImpl.cpp @@ -37,7 +37,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -bool InputImpl::IsKeyPressed(Keyboard::Key key) +bool InputImpl::isKeyPressed(Keyboard::Key key) { int vkey = 0; switch (key) @@ -150,7 +150,7 @@ bool InputImpl::IsKeyPressed(Keyboard::Key key) //////////////////////////////////////////////////////////// -bool InputImpl::IsMouseButtonPressed(Mouse::Button button) +bool InputImpl::isMouseButtonPressed(Mouse::Button button) { int vkey = 0; switch (button) @@ -167,7 +167,7 @@ bool InputImpl::IsMouseButtonPressed(Mouse::Button button) //////////////////////////////////////////////////////////// -Vector2i InputImpl::GetMousePosition() +Vector2i InputImpl::getMousePosition() { POINT point; GetCursorPos(&point); @@ -176,9 +176,9 @@ Vector2i InputImpl::GetMousePosition() //////////////////////////////////////////////////////////// -Vector2i InputImpl::GetMousePosition(const Window& relativeTo) +Vector2i InputImpl::getMousePosition(const Window& relativeTo) { - WindowHandle handle = relativeTo.GetSystemHandle(); + WindowHandle handle = relativeTo.getSystemHandle(); if (handle) { POINT point; @@ -194,16 +194,16 @@ Vector2i InputImpl::GetMousePosition(const Window& relativeTo) //////////////////////////////////////////////////////////// -void InputImpl::SetMousePosition(const Vector2i& position) +void InputImpl::setMousePosition(const Vector2i& position) { SetCursorPos(position.x, position.y); } //////////////////////////////////////////////////////////// -void InputImpl::SetMousePosition(const Vector2i& position, const Window& relativeTo) +void InputImpl::setMousePosition(const Vector2i& position, const Window& relativeTo) { - WindowHandle handle = relativeTo.GetSystemHandle(); + WindowHandle handle = relativeTo.getSystemHandle(); if (handle) { POINT point = {position.x, position.y}; diff --git a/src/SFML/Window/Win32/InputImpl.hpp b/src/SFML/Window/Win32/InputImpl.hpp index 23c71b10..7b058135 100644 --- a/src/SFML/Window/Win32/InputImpl.hpp +++ b/src/SFML/Window/Win32/InputImpl.hpp @@ -52,7 +52,7 @@ public : /// \return True if the key is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsKeyPressed(Keyboard::Key key); + static bool isKeyPressed(Keyboard::Key key); //////////////////////////////////////////////////////////// /// \brief Check if a mouse button is pressed @@ -62,7 +62,7 @@ public : /// \return True if the button is pressed, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsMouseButtonPressed(Mouse::Button button); + static bool isMouseButtonPressed(Mouse::Button button); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in desktop coordinates @@ -73,7 +73,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetMousePosition(); + static Vector2i getMousePosition(); //////////////////////////////////////////////////////////// /// \brief Get the current position of the mouse in window coordinates @@ -87,7 +87,7 @@ public : /// \return Current position of the mouse /// //////////////////////////////////////////////////////////// - static Vector2i GetMousePosition(const Window& relativeTo); + static Vector2i getMousePosition(const Window& relativeTo); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in desktop coordinates @@ -99,7 +99,7 @@ public : /// \param position New position of the mouse /// //////////////////////////////////////////////////////////// - static void SetMousePosition(const Vector2i& position); + static void setMousePosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Set the current position of the mouse in window coordinates @@ -112,7 +112,7 @@ public : /// \param relativeTo Reference window /// //////////////////////////////////////////////////////////// - static void SetMousePosition(const Vector2i& position, const Window& relativeTo); + static void setMousePosition(const Vector2i& position, const Window& relativeTo); }; } // namespace priv diff --git a/src/SFML/Window/Win32/JoystickImpl.cpp b/src/SFML/Window/Win32/JoystickImpl.cpp index 5c8d1c3c..3a392c1c 100644 --- a/src/SFML/Window/Win32/JoystickImpl.cpp +++ b/src/SFML/Window/Win32/JoystickImpl.cpp @@ -35,7 +35,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -bool JoystickImpl::IsConnected(unsigned int index) +bool JoystickImpl::isConnected(unsigned int index) { JOYINFOEX joyInfo; joyInfo.dwSize = sizeof(joyInfo); @@ -46,7 +46,7 @@ bool JoystickImpl::IsConnected(unsigned int index) //////////////////////////////////////////////////////////// -bool JoystickImpl::Open(unsigned int index) +bool JoystickImpl::open(unsigned int index) { // No explicit "open" action is required m_index = JOYSTICKID1 + index; @@ -57,36 +57,36 @@ bool JoystickImpl::Open(unsigned int index) //////////////////////////////////////////////////////////// -void JoystickImpl::Close() +void JoystickImpl::close() { // Nothing to do } //////////////////////////////////////////////////////////// -JoystickCaps JoystickImpl::GetCapabilities() const +JoystickCaps JoystickImpl::getCapabilities() const { JoystickCaps caps; - caps.ButtonCount = m_caps.wNumButtons; - if (caps.ButtonCount > Joystick::ButtonCount) - caps.ButtonCount = Joystick::ButtonCount; + caps.buttonCount = m_caps.wNumButtons; + if (caps.buttonCount > Joystick::ButtonCount) + caps.buttonCount = Joystick::ButtonCount; - caps.Axes[Joystick::X] = true; - caps.Axes[Joystick::Y] = true; - caps.Axes[Joystick::Z] = (m_caps.wCaps & JOYCAPS_HASZ) != 0; - caps.Axes[Joystick::R] = (m_caps.wCaps & JOYCAPS_HASR) != 0; - caps.Axes[Joystick::U] = (m_caps.wCaps & JOYCAPS_HASU) != 0; - caps.Axes[Joystick::V] = (m_caps.wCaps & JOYCAPS_HASV) != 0; - caps.Axes[Joystick::PovX] = (m_caps.wCaps & JOYCAPS_HASPOV) != 0; - caps.Axes[Joystick::PovY] = (m_caps.wCaps & JOYCAPS_HASPOV) != 0; + caps.axes[Joystick::X] = true; + caps.axes[Joystick::Y] = true; + caps.axes[Joystick::Z] = (m_caps.wCaps & JOYCAPS_HASZ) != 0; + caps.axes[Joystick::R] = (m_caps.wCaps & JOYCAPS_HASR) != 0; + caps.axes[Joystick::U] = (m_caps.wCaps & JOYCAPS_HASU) != 0; + caps.axes[Joystick::V] = (m_caps.wCaps & JOYCAPS_HASV) != 0; + caps.axes[Joystick::PovX] = (m_caps.wCaps & JOYCAPS_HASPOV) != 0; + caps.axes[Joystick::PovY] = (m_caps.wCaps & JOYCAPS_HASPOV) != 0; return caps; } //////////////////////////////////////////////////////////// -JoystickState JoystickImpl::Update() +JoystickState JoystickImpl::update() { JoystickState state; @@ -98,32 +98,32 @@ JoystickState JoystickImpl::Update() if (joyGetPosEx(m_index, &pos) == JOYERR_NOERROR) { // The joystick is connected - state.Connected = true; + state.connected = true; // Axes - state.Axes[Joystick::X] = (pos.dwXpos - (m_caps.wXmax + m_caps.wXmin) / 2.f) * 200.f / (m_caps.wXmax - m_caps.wXmin); - state.Axes[Joystick::Y] = (pos.dwYpos - (m_caps.wYmax + m_caps.wYmin) / 2.f) * 200.f / (m_caps.wYmax - m_caps.wYmin); - state.Axes[Joystick::Z] = (pos.dwZpos - (m_caps.wZmax + m_caps.wZmin) / 2.f) * 200.f / (m_caps.wZmax - m_caps.wZmin); - state.Axes[Joystick::R] = (pos.dwRpos - (m_caps.wRmax + m_caps.wRmin) / 2.f) * 200.f / (m_caps.wRmax - m_caps.wRmin); - state.Axes[Joystick::U] = (pos.dwUpos - (m_caps.wUmax + m_caps.wUmin) / 2.f) * 200.f / (m_caps.wUmax - m_caps.wUmin); - state.Axes[Joystick::V] = (pos.dwVpos - (m_caps.wVmax + m_caps.wVmin) / 2.f) * 200.f / (m_caps.wVmax - m_caps.wVmin); + state.axes[Joystick::X] = (pos.dwXpos - (m_caps.wXmax + m_caps.wXmin) / 2.f) * 200.f / (m_caps.wXmax - m_caps.wXmin); + state.axes[Joystick::Y] = (pos.dwYpos - (m_caps.wYmax + m_caps.wYmin) / 2.f) * 200.f / (m_caps.wYmax - m_caps.wYmin); + state.axes[Joystick::Z] = (pos.dwZpos - (m_caps.wZmax + m_caps.wZmin) / 2.f) * 200.f / (m_caps.wZmax - m_caps.wZmin); + state.axes[Joystick::R] = (pos.dwRpos - (m_caps.wRmax + m_caps.wRmin) / 2.f) * 200.f / (m_caps.wRmax - m_caps.wRmin); + state.axes[Joystick::U] = (pos.dwUpos - (m_caps.wUmax + m_caps.wUmin) / 2.f) * 200.f / (m_caps.wUmax - m_caps.wUmin); + state.axes[Joystick::V] = (pos.dwVpos - (m_caps.wVmax + m_caps.wVmin) / 2.f) * 200.f / (m_caps.wVmax - m_caps.wVmin); // Special case for POV, it is given as an angle if (pos.dwPOV != 0xFFFF) { float angle = pos.dwPOV / 36000.f * 3.141592654f; - state.Axes[Joystick::PovX] = std::cos(angle) * 100; - state.Axes[Joystick::PovY] = std::sin(angle) * 100; + state.axes[Joystick::PovX] = std::cos(angle) * 100; + state.axes[Joystick::PovY] = std::sin(angle) * 100; } else { - state.Axes[Joystick::PovX] = 0; - state.Axes[Joystick::PovY] = 0; + state.axes[Joystick::PovX] = 0; + state.axes[Joystick::PovY] = 0; } // Buttons for (unsigned int i = 0; i < Joystick::ButtonCount; ++i) - state.Buttons[i] = (pos.dwButtons & (1 << i)) != 0; + state.buttons[i] = (pos.dwButtons & (1 << i)) != 0; } return state; diff --git a/src/SFML/Window/Win32/JoystickImpl.hpp b/src/SFML/Window/Win32/JoystickImpl.hpp index 9b6c0673..923b4842 100644 --- a/src/SFML/Window/Win32/JoystickImpl.hpp +++ b/src/SFML/Window/Win32/JoystickImpl.hpp @@ -56,7 +56,7 @@ public : /// \return True if the joystick is connected, false otherwise /// //////////////////////////////////////////////////////////// - static bool IsConnected(unsigned int index); + static bool isConnected(unsigned int index); //////////////////////////////////////////////////////////// /// \brief Open the joystick @@ -66,13 +66,13 @@ public : /// \return True on success, false on failure /// //////////////////////////////////////////////////////////// - bool Open(unsigned int index); + bool open(unsigned int index); //////////////////////////////////////////////////////////// /// \brief Close the joystick /// //////////////////////////////////////////////////////////// - void Close(); + void close(); //////////////////////////////////////////////////////////// /// \brief Get the joystick capabilities @@ -80,7 +80,7 @@ public : /// \return Joystick capabilities /// //////////////////////////////////////////////////////////// - JoystickCaps GetCapabilities() const; + JoystickCaps getCapabilities() const; //////////////////////////////////////////////////////////// /// \brief Update the joystick and get its new state @@ -88,7 +88,7 @@ public : /// \return Joystick state /// //////////////////////////////////////////////////////////// - JoystickState Update(); + JoystickState update(); private : diff --git a/src/SFML/Window/Win32/VideoModeImpl.cpp b/src/SFML/Window/Win32/VideoModeImpl.cpp index 1acc4340..1a9b97ca 100644 --- a/src/SFML/Window/Win32/VideoModeImpl.cpp +++ b/src/SFML/Window/Win32/VideoModeImpl.cpp @@ -35,7 +35,7 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -std::vector VideoModeImpl::GetFullscreenModes() +std::vector VideoModeImpl::getFullscreenModes() { std::vector modes; @@ -57,7 +57,7 @@ std::vector VideoModeImpl::GetFullscreenModes() //////////////////////////////////////////////////////////// -VideoMode VideoModeImpl::GetDesktopMode() +VideoMode VideoModeImpl::getDesktopMode() { DEVMODE win32Mode; win32Mode.dmSize = sizeof(win32Mode); diff --git a/src/SFML/Window/Win32/WglContext.cpp b/src/SFML/Window/Win32/WglContext.cpp index aab1eeb2..1f213d44 100644 --- a/src/SFML/Window/Win32/WglContext.cpp +++ b/src/SFML/Window/Win32/WglContext.cpp @@ -55,7 +55,7 @@ m_ownsWindow (true) // Create the context if (m_deviceContext) - CreateContext(shared, VideoMode::GetDesktopMode().BitsPerPixel, ContextSettings()); + createContext(shared, VideoMode::getDesktopMode().bitsPerPixel, ContextSettings()); } @@ -67,12 +67,12 @@ m_context (NULL), m_ownsWindow (false) { // Get the owner window and its device context - m_window = owner->GetSystemHandle(); + m_window = owner->getSystemHandle(); m_deviceContext = GetDC(m_window); // Create the context if (m_deviceContext) - CreateContext(shared, bitsPerPixel, settings); + createContext(shared, bitsPerPixel, settings); } @@ -95,7 +95,7 @@ m_ownsWindow (true) // Create the context if (m_deviceContext) - CreateContext(shared, VideoMode::GetDesktopMode().BitsPerPixel, settings); + createContext(shared, VideoMode::getDesktopMode().bitsPerPixel, settings); } @@ -121,14 +121,14 @@ WglContext::~WglContext() //////////////////////////////////////////////////////////// -bool WglContext::MakeCurrent() +bool WglContext::makeCurrent() { return m_deviceContext && m_context && wglMakeCurrent(m_deviceContext, m_context); } //////////////////////////////////////////////////////////// -void WglContext::Display() +void WglContext::display() { if (m_deviceContext && m_context) SwapBuffers(m_deviceContext); @@ -136,7 +136,7 @@ void WglContext::Display() //////////////////////////////////////////////////////////// -void WglContext::SetVerticalSyncEnabled(bool enabled) +void WglContext::setVerticalSyncEnabled(bool enabled) { PFNWGLSWAPINTERVALEXTPROC wglSwapIntervalEXT = reinterpret_cast(wglGetProcAddress("wglSwapIntervalEXT")); if (wglSwapIntervalEXT) @@ -145,14 +145,14 @@ void WglContext::SetVerticalSyncEnabled(bool enabled) //////////////////////////////////////////////////////////// -void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings) +void WglContext::createContext(WglContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings) { // Save the creation settings m_settings = settings; // Let's find a suitable pixel format -- first try with antialiasing int bestFormat = 0; - if (m_settings.AntialiasingLevel > 0) + if (m_settings.antialiasingLevel > 0) { // Get the wglChoosePixelFormatARB function (it is an extension) PFNWGLCHOOSEPIXELFORMATARBPROC wglChoosePixelFormatARB = reinterpret_cast(wglGetProcAddress("wglChoosePixelFormatARB")); @@ -165,8 +165,8 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co WGL_SUPPORT_OPENGL_ARB, GL_TRUE, WGL_ACCELERATION_ARB, WGL_FULL_ACCELERATION_ARB, WGL_DOUBLE_BUFFER_ARB, GL_TRUE, - WGL_SAMPLE_BUFFERS_ARB, (m_settings.AntialiasingLevel ? GL_TRUE : GL_FALSE), - WGL_SAMPLES_ARB, m_settings.AntialiasingLevel, + WGL_SAMPLE_BUFFERS_ARB, (m_settings.antialiasingLevel ? GL_TRUE : GL_FALSE), + WGL_SAMPLES_ARB, m_settings.antialiasingLevel, 0, 0 }; @@ -175,11 +175,11 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co UINT nbFormats; float floatAttributes[] = {0, 0}; bool isValid = wglChoosePixelFormatARB(m_deviceContext, intAttributes, floatAttributes, sizeof(formats) / sizeof(*formats), formats, &nbFormats) != 0; - while ((!isValid || (nbFormats == 0)) && m_settings.AntialiasingLevel > 0) + while ((!isValid || (nbFormats == 0)) && m_settings.antialiasingLevel > 0) { // Decrease the antialiasing level until we find a valid one - m_settings.AntialiasingLevel--; - intAttributes[11] = m_settings.AntialiasingLevel; + m_settings.antialiasingLevel--; + intAttributes[11] = m_settings.antialiasingLevel; isValid = wglChoosePixelFormatARB(m_deviceContext, intAttributes, floatAttributes, sizeof(formats) / sizeof(*formats), formats, &nbFormats) != 0; } @@ -197,7 +197,7 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co // Evaluate the current configuration int color = attributes.cRedBits + attributes.cGreenBits + attributes.cBlueBits + attributes.cAlphaBits; - int score = EvaluateFormat(bitsPerPixel, m_settings, color, attributes.cDepthBits, attributes.cStencilBits, m_settings.AntialiasingLevel); + int score = evaluateFormat(bitsPerPixel, m_settings, color, attributes.cDepthBits, attributes.cStencilBits, m_settings.antialiasingLevel); // Keep it if it's better than the current best if (score < bestScore) @@ -211,8 +211,8 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co else { // wglChoosePixelFormatARB not supported ; disabling antialiasing - Err() << "Antialiasing is not supported ; it will be disabled" << std::endl; - m_settings.AntialiasingLevel = 0; + err() << "Antialiasing is not supported ; it will be disabled" << std::endl; + m_settings.antialiasingLevel = 0; } } @@ -228,15 +228,15 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co descriptor.dwFlags = PFD_DRAW_TO_WINDOW | PFD_SUPPORT_OPENGL | PFD_DOUBLEBUFFER; descriptor.iPixelType = PFD_TYPE_RGBA; descriptor.cColorBits = static_cast(bitsPerPixel); - descriptor.cDepthBits = static_cast(m_settings.DepthBits); - descriptor.cStencilBits = static_cast(m_settings.StencilBits); + descriptor.cDepthBits = static_cast(m_settings.depthBits); + descriptor.cStencilBits = static_cast(m_settings.stencilBits); descriptor.cAlphaBits = bitsPerPixel == 32 ? 8 : 0; // Get the pixel format that best matches our requirements bestFormat = ChoosePixelFormat(m_deviceContext, &descriptor); if (bestFormat == 0) { - Err() << "Failed to find a suitable pixel format for device context -- cannot create OpenGL context" << std::endl; + err() << "Failed to find a suitable pixel format for device context -- cannot create OpenGL context" << std::endl; return; } } @@ -246,13 +246,13 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co actualFormat.nSize = sizeof(actualFormat); actualFormat.nVersion = 1; DescribePixelFormat(m_deviceContext, bestFormat, sizeof(actualFormat), &actualFormat); - m_settings.DepthBits = actualFormat.cDepthBits; - m_settings.StencilBits = actualFormat.cStencilBits; + m_settings.depthBits = actualFormat.cDepthBits; + m_settings.stencilBits = actualFormat.cStencilBits; // Set the chosen pixel format if (!SetPixelFormat(m_deviceContext, bestFormat, &actualFormat)) { - Err() << "Failed to set pixel format for device context -- cannot create OpenGL context" << std::endl; + err() << "Failed to set pixel format for device context -- cannot create OpenGL context" << std::endl; return; } @@ -260,15 +260,15 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co HGLRC sharedContext = shared ? shared->m_context : NULL; // Create the OpenGL context -- first try context versions >= 3.0 if it is requested (they require special code) - while (!m_context && (m_settings.MajorVersion >= 3)) + while (!m_context && (m_settings.majorVersion >= 3)) { PFNWGLCREATECONTEXTATTRIBSARBPROC wglCreateContextAttribsARB = reinterpret_cast(wglGetProcAddress("wglCreateContextAttribsARB")); if (wglCreateContextAttribsARB) { int attributes[] = { - WGL_CONTEXT_MAJOR_VERSION_ARB, m_settings.MajorVersion, - WGL_CONTEXT_MINOR_VERSION_ARB, m_settings.MinorVersion, + WGL_CONTEXT_MAJOR_VERSION_ARB, m_settings.majorVersion, + WGL_CONTEXT_MINOR_VERSION_ARB, m_settings.minorVersion, WGL_CONTEXT_PROFILE_MASK_ARB, WGL_CONTEXT_COMPATIBILITY_PROFILE_BIT_ARB, 0, 0 }; @@ -279,16 +279,16 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co // Invalid version numbers will be generated by this algorithm (like 3.9), but we really don't care if (!m_context) { - if (m_settings.MinorVersion > 0) + if (m_settings.minorVersion > 0) { // If the minor version is not 0, we decrease it and try again - m_settings.MinorVersion--; + m_settings.minorVersion--; } else { // If the minor version is 0, we decrease the major version - m_settings.MajorVersion--; - m_settings.MinorVersion = 9; + m_settings.majorVersion--; + m_settings.minorVersion = 9; } } } @@ -297,13 +297,13 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co if (!m_context) { // set the context version to 2.0 (arbitrary) - m_settings.MajorVersion = 2; - m_settings.MinorVersion = 0; + m_settings.majorVersion = 2; + m_settings.minorVersion = 0; m_context = wglCreateContext(m_deviceContext); if (!m_context) { - Err() << "Failed to create an OpenGL context for this window" << std::endl; + err() << "Failed to create an OpenGL context for this window" << std::endl; return; } @@ -315,7 +315,7 @@ void WglContext::CreateContext(WglContext* shared, unsigned int bitsPerPixel, co Lock lock(mutex); if (!wglShareLists(sharedContext, m_context)) - Err() << "Failed to share the OpenGL context" << std::endl; + err() << "Failed to share the OpenGL context" << std::endl; } } } diff --git a/src/SFML/Window/Win32/WglContext.hpp b/src/SFML/Window/Win32/WglContext.hpp index ecb0473b..ee72ff81 100644 --- a/src/SFML/Window/Win32/WglContext.hpp +++ b/src/SFML/Window/Win32/WglContext.hpp @@ -82,19 +82,18 @@ public : ~WglContext(); //////////////////////////////////////////////////////////// - /// \brief Activate the context as the current target - /// for rendering + /// \brief Activate the context as the current target for rendering /// /// \return True on success, false if any error happened /// //////////////////////////////////////////////////////////// - virtual bool MakeCurrent(); + virtual bool makeCurrent(); //////////////////////////////////////////////////////////// /// \brief Display what has been rendered to the context so far /// //////////////////////////////////////////////////////////// - virtual void Display(); + virtual void display(); //////////////////////////////////////////////////////////// /// \brief Enable or disable vertical synchronization @@ -107,7 +106,7 @@ public : /// \param enabled : True to enable v-sync, false to deactivate /// //////////////////////////////////////////////////////////// - virtual void SetVerticalSyncEnabled(bool enabled); + virtual void setVerticalSyncEnabled(bool enabled); private : @@ -119,7 +118,7 @@ private : /// \param settings Creation parameters /// //////////////////////////////////////////////////////////// - void CreateContext(WglContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings); + void createContext(WglContext* shared, unsigned int bitsPerPixel, const ContextSettings& settings); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Window/Win32/WindowImplWin32.cpp b/src/SFML/Window/Win32/WindowImplWin32.cpp index 8d8d6a01..3ca13f89 100644 --- a/src/SFML/Window/Win32/WindowImplWin32.cpp +++ b/src/SFML/Window/Win32/WindowImplWin32.cpp @@ -49,10 +49,10 @@ namespace { - unsigned int WindowCount = 0; - const char* ClassNameA = "SFML_Window"; - const wchar_t* ClassNameW = L"SFML_Window"; - sf::priv::WindowImplWin32* FullscreenWindow = NULL; + unsigned int windowCount = 0; + const char* classNameA = "SFML_Window"; + const wchar_t* classNameW = L"SFML_Window"; + sf::priv::WindowImplWin32* fullscreenWindow = NULL; } namespace sf @@ -72,7 +72,7 @@ m_isCursorIn (false) { // We change the event procedure of the control (it is important to save the old one) SetWindowLongPtr(m_handle, GWLP_USERDATA, reinterpret_cast(this)); - m_callback = SetWindowLongPtr(m_handle, GWLP_WNDPROC, reinterpret_cast(&WindowImplWin32::GlobalOnEvent)); + m_callback = SetWindowLongPtr(m_handle, GWLP_WNDPROC, reinterpret_cast(&WindowImplWin32::globalOnEvent)); } } @@ -87,15 +87,15 @@ m_keyRepeatEnabled(true), m_isCursorIn (false) { // Register the window class at first call - if (WindowCount == 0) - RegisterWindowClass(); + if (windowCount == 0) + registerWindowClass(); // Compute position and size HDC screenDC = GetDC(NULL); - int left = (GetDeviceCaps(screenDC, HORZRES) - mode.Width) / 2; - int top = (GetDeviceCaps(screenDC, VERTRES) - mode.Height) / 2; - int width = mode.Width; - int height = mode.Height; + int left = (GetDeviceCaps(screenDC, HORZRES) - mode.width) / 2; + int top = (GetDeviceCaps(screenDC, VERTRES) - mode.height) / 2; + int width = mode.width; + int height = mode.height; ReleaseDC(NULL, screenDC); // Choose the window style according to the Style parameter @@ -122,24 +122,24 @@ m_isCursorIn (false) } // Create the window - if (HasUnicodeSupport()) + if (hasUnicodeSupport()) { wchar_t wTitle[256]; int count = MultiByteToWideChar(CP_ACP, MB_PRECOMPOSED, title.c_str(), static_cast(title.size()), wTitle, sizeof(wTitle) / sizeof(*wTitle)); wTitle[count] = L'\0'; - m_handle = CreateWindowW(ClassNameW, wTitle, win32Style, left, top, width, height, NULL, NULL, GetModuleHandle(NULL), this); + m_handle = CreateWindowW(classNameW, wTitle, win32Style, left, top, width, height, NULL, NULL, GetModuleHandle(NULL), this); } else { - m_handle = CreateWindowA(ClassNameA, title.c_str(), win32Style, left, top, width, height, NULL, NULL, GetModuleHandle(NULL), this); + m_handle = CreateWindowA(classNameA, title.c_str(), win32Style, left, top, width, height, NULL, NULL, GetModuleHandle(NULL), this); } // Switch to fullscreen if requested if (fullscreen) - SwitchToFullscreen(mode); + switchToFullscreen(mode); // Increment window count - WindowCount++; + windowCount++; } @@ -157,18 +157,18 @@ WindowImplWin32::~WindowImplWin32() DestroyWindow(m_handle); // Decrement the window count - WindowCount--; + windowCount--; // Unregister window class if we were the last window - if (WindowCount == 0) + if (windowCount == 0) { - if (HasUnicodeSupport()) + if (hasUnicodeSupport()) { - UnregisterClassW(ClassNameW, GetModuleHandle(NULL)); + UnregisterClassW(classNameW, GetModuleHandle(NULL)); } else { - UnregisterClassA(ClassNameA, GetModuleHandle(NULL)); + UnregisterClassA(classNameA, GetModuleHandle(NULL)); } } } @@ -181,14 +181,14 @@ WindowImplWin32::~WindowImplWin32() //////////////////////////////////////////////////////////// -WindowHandle WindowImplWin32::GetSystemHandle() const +WindowHandle WindowImplWin32::getSystemHandle() const { return m_handle; } //////////////////////////////////////////////////////////// -void WindowImplWin32::ProcessEvents() +void WindowImplWin32::processEvents() { // We process the window events only if we own it if (!m_callback) @@ -204,7 +204,7 @@ void WindowImplWin32::ProcessEvents() //////////////////////////////////////////////////////////// -Vector2i WindowImplWin32::GetPosition() const +Vector2i WindowImplWin32::getPosition() const { RECT rect; GetWindowRect(m_handle, &rect); @@ -214,14 +214,14 @@ Vector2i WindowImplWin32::GetPosition() const //////////////////////////////////////////////////////////// -void WindowImplWin32::SetPosition(const Vector2i& position) +void WindowImplWin32::setPosition(const Vector2i& position) { SetWindowPos(m_handle, NULL, position.x, position.y, 0, 0, SWP_NOSIZE | SWP_NOZORDER); } //////////////////////////////////////////////////////////// -Vector2u WindowImplWin32::GetSize() const +Vector2u WindowImplWin32::getSize() const { RECT rect; GetClientRect(m_handle, &rect); @@ -231,7 +231,7 @@ Vector2u WindowImplWin32::GetSize() const //////////////////////////////////////////////////////////// -void WindowImplWin32::SetSize(const Vector2u& size) +void WindowImplWin32::setSize(const Vector2u& size) { // SetWindowPos wants the total size of the window (including title bar and borders), // so we have to compute it @@ -245,14 +245,14 @@ void WindowImplWin32::SetSize(const Vector2u& size) //////////////////////////////////////////////////////////// -void WindowImplWin32::SetTitle(const std::string& title) +void WindowImplWin32::setTitle(const std::string& title) { SetWindowText(m_handle, title.c_str()); } //////////////////////////////////////////////////////////// -void WindowImplWin32::SetIcon(unsigned int width, unsigned int height, const Uint8* pixels) +void WindowImplWin32::setIcon(unsigned int width, unsigned int height, const Uint8* pixels) { // First destroy the previous one if (m_icon) @@ -279,20 +279,20 @@ void WindowImplWin32::SetIcon(unsigned int width, unsigned int height, const Uin } else { - Err() << "Failed to set the window's icon" << std::endl; + err() << "Failed to set the window's icon" << std::endl; } } //////////////////////////////////////////////////////////// -void WindowImplWin32::SetVisible(bool visible) +void WindowImplWin32::setVisible(bool visible) { ShowWindow(m_handle, visible ? SW_SHOW : SW_HIDE); } //////////////////////////////////////////////////////////// -void WindowImplWin32::SetMouseCursorVisible(bool visible) +void WindowImplWin32::setMouseCursorVisible(bool visible) { if (visible) m_cursor = LoadCursor(NULL, IDC_ARROW); @@ -304,62 +304,62 @@ void WindowImplWin32::SetMouseCursorVisible(bool visible) //////////////////////////////////////////////////////////// -void WindowImplWin32::SetKeyRepeatEnabled(bool enabled) +void WindowImplWin32::setKeyRepeatEnabled(bool enabled) { m_keyRepeatEnabled = enabled; } //////////////////////////////////////////////////////////// -void WindowImplWin32::RegisterWindowClass() +void WindowImplWin32::registerWindowClass() { - if (HasUnicodeSupport()) + if (hasUnicodeSupport()) { - WNDCLASSW WindowClass; - WindowClass.style = 0; - WindowClass.lpfnWndProc = &WindowImplWin32::GlobalOnEvent; - WindowClass.cbClsExtra = 0; - WindowClass.cbWndExtra = 0; - WindowClass.hInstance = GetModuleHandle(NULL); - WindowClass.hIcon = NULL; - WindowClass.hCursor = 0; - WindowClass.hbrBackground = 0; - WindowClass.lpszMenuName = NULL; - WindowClass.lpszClassName = ClassNameW; - RegisterClassW(&WindowClass); + WNDCLASSW windowClass; + windowClass.style = 0; + windowClass.lpfnWndProc = &WindowImplWin32::globalOnEvent; + windowClass.cbClsExtra = 0; + windowClass.cbWndExtra = 0; + windowClass.hInstance = GetModuleHandle(NULL); + windowClass.hIcon = NULL; + windowClass.hCursor = 0; + windowClass.hbrBackground = 0; + windowClass.lpszMenuName = NULL; + windowClass.lpszClassName = classNameW; + RegisterClassW(&windowClass); } else { - WNDCLASSA WindowClass; - WindowClass.style = 0; - WindowClass.lpfnWndProc = &WindowImplWin32::GlobalOnEvent; - WindowClass.cbClsExtra = 0; - WindowClass.cbWndExtra = 0; - WindowClass.hInstance = GetModuleHandle(NULL); - WindowClass.hIcon = NULL; - WindowClass.hCursor = 0; - WindowClass.hbrBackground = 0; - WindowClass.lpszMenuName = NULL; - WindowClass.lpszClassName = ClassNameA; - RegisterClassA(&WindowClass); + WNDCLASSA windowClass; + windowClass.style = 0; + windowClass.lpfnWndProc = &WindowImplWin32::globalOnEvent; + windowClass.cbClsExtra = 0; + windowClass.cbWndExtra = 0; + windowClass.hInstance = GetModuleHandle(NULL); + windowClass.hIcon = NULL; + windowClass.hCursor = 0; + windowClass.hbrBackground = 0; + windowClass.lpszMenuName = NULL; + windowClass.lpszClassName = classNameA; + RegisterClassA(&windowClass); } } //////////////////////////////////////////////////////////// -void WindowImplWin32::SwitchToFullscreen(const VideoMode& mode) +void WindowImplWin32::switchToFullscreen(const VideoMode& mode) { DEVMODE devMode; devMode.dmSize = sizeof(devMode); - devMode.dmPelsWidth = mode.Width; - devMode.dmPelsHeight = mode.Height; - devMode.dmBitsPerPel = mode.BitsPerPixel; + devMode.dmPelsWidth = mode.width; + devMode.dmPelsHeight = mode.height; + devMode.dmBitsPerPel = mode.bitsPerPixel; devMode.dmFields = DM_PELSWIDTH | DM_PELSHEIGHT | DM_BITSPERPEL; // Apply fullscreen mode if (ChangeDisplaySettings(&devMode, CDS_FULLSCREEN) != DISP_CHANGE_SUCCESSFUL) { - Err() << "Failed to change display mode for fullscreen" << std::endl; + err() << "Failed to change display mode for fullscreen" << std::endl; return; } @@ -368,31 +368,31 @@ void WindowImplWin32::SwitchToFullscreen(const VideoMode& mode) SetWindowLong(m_handle, GWL_EXSTYLE, WS_EX_APPWINDOW); // Resize the window so that it fits the entire screen - SetWindowPos(m_handle, HWND_TOP, 0, 0, mode.Width, mode.Height, SWP_FRAMECHANGED); + SetWindowPos(m_handle, HWND_TOP, 0, 0, mode.width, mode.height, SWP_FRAMECHANGED); ShowWindow(m_handle, SW_SHOW); // Set "this" as the current fullscreen window - FullscreenWindow = this; + fullscreenWindow = this; } //////////////////////////////////////////////////////////// -void WindowImplWin32::Cleanup() +void WindowImplWin32::cleanup() { // Restore the previous video mode (in case we were running in fullscreen) - if (FullscreenWindow == this) + if (fullscreenWindow == this) { ChangeDisplaySettings(NULL, 0); - FullscreenWindow = NULL; + fullscreenWindow = NULL; } // Unhide the mouse cursor (in case it was hidden) - SetMouseCursorVisible(true); + setMouseCursorVisible(true); } //////////////////////////////////////////////////////////// -void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) +void WindowImplWin32::processEvent(UINT message, WPARAM wParam, LPARAM lParam) { // Don't process any message until window is created if (m_handle == NULL) @@ -404,7 +404,7 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_DESTROY : { // Here we must cleanup resources ! - Cleanup(); + cleanup(); break; } @@ -422,8 +422,8 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_CLOSE : { Event event; - event.Type = Event::Closed; - PushEvent(event); + event.type = Event::Closed; + pushEvent(event); break; } @@ -438,10 +438,10 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) GetClientRect(m_handle, &rectangle); Event event; - event.Type = Event::Resized; - event.Size.Width = rectangle.right - rectangle.left; - event.Size.Height = rectangle.bottom - rectangle.top; - PushEvent(event); + event.type = Event::Resized; + event.size.width = rectangle.right - rectangle.left; + event.size.height = rectangle.bottom - rectangle.top; + pushEvent(event); break; } } @@ -450,8 +450,8 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_SETFOCUS : { Event event; - event.Type = Event::GainedFocus; - PushEvent(event); + event.type = Event::GainedFocus; + pushEvent(event); break; } @@ -459,8 +459,8 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_KILLFOCUS : { Event event; - event.Type = Event::LostFocus; - PushEvent(event); + event.type = Event::LostFocus; + pushEvent(event); break; } @@ -470,9 +470,9 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) if (m_keyRepeatEnabled || ((lParam & (1 << 30)) == 0)) { Event event; - event.Type = Event::TextEntered; - event.Text.Unicode = static_cast(wParam); - PushEvent(event); + event.type = Event::TextEntered; + event.text.unicode = static_cast(wParam); + pushEvent(event); } break; } @@ -484,13 +484,13 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) if (m_keyRepeatEnabled || ((HIWORD(lParam) & KF_REPEAT) == 0)) { Event event; - event.Type = Event::KeyPressed; - event.Key.Alt = HIWORD(GetAsyncKeyState(VK_MENU)) != 0; - event.Key.Control = HIWORD(GetAsyncKeyState(VK_CONTROL)) != 0; - event.Key.Shift = HIWORD(GetAsyncKeyState(VK_SHIFT)) != 0; - event.Key.System = HIWORD(GetAsyncKeyState(VK_LWIN)) || HIWORD(GetAsyncKeyState(VK_RWIN)); - event.Key.Code = VirtualKeyCodeToSF(wParam, lParam); - PushEvent(event); + event.type = Event::KeyPressed; + event.key.alt = HIWORD(GetAsyncKeyState(VK_MENU)) != 0; + event.key.control = HIWORD(GetAsyncKeyState(VK_CONTROL)) != 0; + event.key.shift = HIWORD(GetAsyncKeyState(VK_SHIFT)) != 0; + event.key.system = HIWORD(GetAsyncKeyState(VK_LWIN)) || HIWORD(GetAsyncKeyState(VK_RWIN)); + event.key.code = virtualKeyCodeToSF(wParam, lParam); + pushEvent(event); } break; } @@ -500,13 +500,13 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_SYSKEYUP : { Event event; - event.Type = Event::KeyReleased; - event.Key.Alt = HIWORD(GetAsyncKeyState(VK_MENU)) != 0; - event.Key.Control = HIWORD(GetAsyncKeyState(VK_CONTROL)) != 0; - event.Key.Shift = HIWORD(GetAsyncKeyState(VK_SHIFT)) != 0; - event.Key.Code = VirtualKeyCodeToSF(wParam, lParam); - event.Key.System = HIWORD(GetAsyncKeyState(VK_LWIN)) || HIWORD(GetAsyncKeyState(VK_RWIN)); - PushEvent(event); + event.type = Event::KeyReleased; + event.key.alt = HIWORD(GetAsyncKeyState(VK_MENU)) != 0; + event.key.control = HIWORD(GetAsyncKeyState(VK_CONTROL)) != 0; + event.key.shift = HIWORD(GetAsyncKeyState(VK_SHIFT)) != 0; + event.key.system = HIWORD(GetAsyncKeyState(VK_LWIN)) || HIWORD(GetAsyncKeyState(VK_RWIN)); + event.key.code = virtualKeyCodeToSF(wParam, lParam); + pushEvent(event); break; } @@ -520,11 +520,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) ScreenToClient(m_handle, &position); Event event; - event.Type = Event::MouseWheelMoved; - event.MouseWheel.Delta = static_cast(HIWORD(wParam)) / 120; - event.MouseButton.X = position.x; - event.MouseButton.Y = position.y; - PushEvent(event); + event.type = Event::MouseWheelMoved; + event.mouseWheel.delta = static_cast(HIWORD(wParam)) / 120; + event.mouseWheel.x = position.x; + event.mouseWheel.y = position.y; + pushEvent(event); break; } @@ -532,11 +532,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_LBUTTONDOWN : { Event event; - event.Type = Event::MouseButtonPressed; - event.MouseButton.Button = Mouse::Left; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonPressed; + event.mouseButton.button = Mouse::Left; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -544,11 +544,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_LBUTTONUP : { Event event; - event.Type = Event::MouseButtonReleased; - event.MouseButton.Button = Mouse::Left; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonReleased; + event.mouseButton.button = Mouse::Left; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -556,11 +556,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_RBUTTONDOWN : { Event event; - event.Type = Event::MouseButtonPressed; - event.MouseButton.Button = Mouse::Right; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonPressed; + event.mouseButton.button = Mouse::Right; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -568,11 +568,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_RBUTTONUP : { Event event; - event.Type = Event::MouseButtonReleased; - event.MouseButton.Button = Mouse::Right; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonReleased; + event.mouseButton.button = Mouse::Right; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -580,11 +580,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_MBUTTONDOWN : { Event event; - event.Type = Event::MouseButtonPressed; - event.MouseButton.Button = Mouse::Middle; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonPressed; + event.mouseButton.button = Mouse::Middle; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -592,11 +592,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_MBUTTONUP : { Event event; - event.Type = Event::MouseButtonReleased; - event.MouseButton.Button = Mouse::Middle; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonReleased; + event.mouseButton.button = Mouse::Middle; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -604,11 +604,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_XBUTTONDOWN : { Event event; - event.Type = Event::MouseButtonPressed; - event.MouseButton.Button = HIWORD(wParam) == XBUTTON1 ? Mouse::XButton1 : Mouse::XButton2; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonPressed; + event.mouseButton.button = HIWORD(wParam) == XBUTTON1 ? Mouse::XButton1 : Mouse::XButton2; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -616,11 +616,11 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) case WM_XBUTTONUP : { Event event; - event.Type = Event::MouseButtonReleased; - event.MouseButton.Button = HIWORD(wParam) == XBUTTON1 ? Mouse::XButton1 : Mouse::XButton2; - event.MouseButton.X = static_cast(LOWORD(lParam)); - event.MouseButton.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseButtonReleased; + event.mouseButton.button = HIWORD(wParam) == XBUTTON1 ? Mouse::XButton1 : Mouse::XButton2; + event.mouseButton.x = static_cast(LOWORD(lParam)); + event.mouseButton.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -639,15 +639,15 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) m_isCursorIn = true; Event event; - event.Type = Event::MouseEntered; - PushEvent(event); + event.type = Event::MouseEntered; + pushEvent(event); } Event event; - event.Type = Event::MouseMoved; - event.MouseMove.X = static_cast(LOWORD(lParam)); - event.MouseMove.Y = static_cast(HIWORD(lParam)); - PushEvent(event); + event.type = Event::MouseMoved; + event.mouseMove.x = static_cast(LOWORD(lParam)); + event.mouseMove.y = static_cast(HIWORD(lParam)); + pushEvent(event); break; } @@ -657,8 +657,8 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) m_isCursorIn = false; Event event; - event.Type = Event::MouseLeft; - PushEvent(event); + event.type = Event::MouseLeft; + pushEvent(event); break; } } @@ -666,7 +666,7 @@ void WindowImplWin32::ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam) //////////////////////////////////////////////////////////// -Keyboard::Key WindowImplWin32::VirtualKeyCodeToSF(WPARAM key, LPARAM flags) +Keyboard::Key WindowImplWin32::virtualKeyCodeToSF(WPARAM key, LPARAM flags) { switch (key) { @@ -787,7 +787,7 @@ Keyboard::Key WindowImplWin32::VirtualKeyCodeToSF(WPARAM key, LPARAM flags) //////////////////////////////////////////////////////////// -bool WindowImplWin32::HasUnicodeSupport() +bool WindowImplWin32::hasUnicodeSupport() { OSVERSIONINFO version; ZeroMemory(&version, sizeof(version)); @@ -805,7 +805,7 @@ bool WindowImplWin32::HasUnicodeSupport() //////////////////////////////////////////////////////////// -LRESULT CALLBACK WindowImplWin32::GlobalOnEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam) +LRESULT CALLBACK WindowImplWin32::globalOnEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam) { // Associate handle and Window instance when the creation message is received if (message == WM_CREATE) @@ -823,7 +823,7 @@ LRESULT CALLBACK WindowImplWin32::GlobalOnEvent(HWND handle, UINT message, WPARA // Forward the event to the appropriate function if (window) { - window->ProcessEvent(message, wParam, lParam); + window->processEvent(message, wParam, lParam); if (window->m_callback) return CallWindowProc(reinterpret_cast(window->m_callback), handle, message, wParam, lParam); @@ -833,7 +833,7 @@ LRESULT CALLBACK WindowImplWin32::GlobalOnEvent(HWND handle, UINT message, WPARA if (message == WM_CLOSE) return 0; - static const bool hasUnicode = HasUnicodeSupport(); + static const bool hasUnicode = hasUnicodeSupport(); return hasUnicode ? DefWindowProcW(handle, message, wParam, lParam) : DefWindowProcA(handle, message, wParam, lParam); } diff --git a/src/SFML/Window/Win32/WindowImplWin32.hpp b/src/SFML/Window/Win32/WindowImplWin32.hpp index d6a1a40b..863a4e37 100644 --- a/src/SFML/Window/Win32/WindowImplWin32.hpp +++ b/src/SFML/Window/Win32/WindowImplWin32.hpp @@ -78,13 +78,13 @@ private : /// \return Handle of the window /// //////////////////////////////////////////////////////////// - virtual WindowHandle GetSystemHandle() const; + virtual WindowHandle getSystemHandle() const; //////////////////////////////////////////////////////////// /// \brief Process incoming events from the operating system /// //////////////////////////////////////////////////////////// - virtual void ProcessEvents(); + virtual void processEvents(); //////////////////////////////////////////////////////////// /// \brief Get the position of the window @@ -92,7 +92,7 @@ private : /// \return Position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2i GetPosition() const; + virtual Vector2i getPosition() const; //////////////////////////////////////////////////////////// /// \brief Change the position of the window on screen @@ -100,7 +100,7 @@ private : /// \param position New position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetPosition(const Vector2i& position); + virtual void setPosition(const Vector2i& position); //////////////////////////////////////////////////////////// /// \brief Get the client size of the window @@ -108,7 +108,7 @@ private : /// \return Size of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const; + virtual Vector2u getSize() const; //////////////////////////////////////////////////////////// /// \brief Change the size of the rendering region of the window @@ -116,7 +116,7 @@ private : /// \param size New size, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetSize(const Vector2u& size); + virtual void setSize(const Vector2u& size); //////////////////////////////////////////////////////////// /// \brief Change the title of the window @@ -124,7 +124,7 @@ private : /// \param title New title /// //////////////////////////////////////////////////////////// - virtual void SetTitle(const std::string& title); + virtual void setTitle(const std::string& title); //////////////////////////////////////////////////////////// /// \brief Change the window's icon @@ -134,7 +134,7 @@ private : /// \param pixels Pointer to the pixels in memory, format must be RGBA 32 bits /// //////////////////////////////////////////////////////////// - virtual void SetIcon(unsigned int width, unsigned int height, const Uint8* pixels); + virtual void setIcon(unsigned int width, unsigned int height, const Uint8* pixels); //////////////////////////////////////////////////////////// /// \brief Show or hide the window @@ -142,7 +142,7 @@ private : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetVisible(bool visible); + virtual void setVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Show or hide the mouse cursor @@ -150,7 +150,7 @@ private : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetMouseCursorVisible(bool visible); + virtual void setMouseCursorVisible(bool visible); //////////////////////////////////////////////////////////// /// \brief Enable or disable automatic key-repeat @@ -158,7 +158,7 @@ private : /// \param enabled True to enable, false to disable /// //////////////////////////////////////////////////////////// - virtual void SetKeyRepeatEnabled(bool enabled); + virtual void setKeyRepeatEnabled(bool enabled); private : @@ -166,7 +166,7 @@ private : /// Register the window class /// //////////////////////////////////////////////////////////// - void RegisterWindowClass(); + void registerWindowClass(); //////////////////////////////////////////////////////////// /// \brief Switch to fullscreen mode @@ -174,13 +174,13 @@ private : /// \param mode Video mode to switch to /// //////////////////////////////////////////////////////////// - void SwitchToFullscreen(const VideoMode& mode); + void switchToFullscreen(const VideoMode& mode); //////////////////////////////////////////////////////////// /// \brief Free all the graphical resources attached to the window /// //////////////////////////////////////////////////////////// - void Cleanup(); + void cleanup(); //////////////////////////////////////////////////////////// /// \brief Process a Win32 event @@ -190,7 +190,7 @@ private : /// \param lParam Second parameter of the event /// //////////////////////////////////////////////////////////// - void ProcessEvent(UINT message, WPARAM wParam, LPARAM lParam); + void processEvent(UINT message, WPARAM wParam, LPARAM lParam); //////////////////////////////////////////////////////////// /// \brief Convert a Win32 virtual key code to a SFML key code @@ -201,7 +201,7 @@ private : /// \return SFML key code corresponding to the key /// //////////////////////////////////////////////////////////// - static Keyboard::Key VirtualKeyCodeToSF(WPARAM key, LPARAM flags); + static Keyboard::Key virtualKeyCodeToSF(WPARAM key, LPARAM flags); //////////////////////////////////////////////////////////// /// \brief Check if the current version of the OS supports @@ -212,7 +212,7 @@ private : /// \return True if the OS supports unicode /// //////////////////////////////////////////////////////////// - static bool HasUnicodeSupport(); + static bool hasUnicodeSupport(); //////////////////////////////////////////////////////////// /// \brief Function called whenever one of our windows receives a message @@ -225,7 +225,7 @@ private : /// \return True to discard the event after it has been processed /// //////////////////////////////////////////////////////////// - static LRESULT CALLBACK GlobalOnEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam); + static LRESULT CALLBACK globalOnEvent(HWND handle, UINT message, WPARAM wParam, LPARAM lParam); //////////////////////////////////////////////////////////// // Member data diff --git a/src/SFML/Window/Window.cpp b/src/SFML/Window/Window.cpp index a063a5b8..5c4884dc 100644 --- a/src/SFML/Window/Window.cpp +++ b/src/SFML/Window/Window.cpp @@ -56,7 +56,7 @@ m_impl (NULL), m_context (NULL), m_frameTimeLimit(Time::Zero) { - Create(mode, title, style, settings); + create(mode, title, style, settings); } @@ -66,22 +66,22 @@ m_impl (NULL), m_context (NULL), m_frameTimeLimit(Time::Zero) { - Create(handle, settings); + create(handle, settings); } //////////////////////////////////////////////////////////// Window::~Window() { - Close(); + close(); } //////////////////////////////////////////////////////////// -void Window::Create(VideoMode mode, const std::string& title, Uint32 style, const ContextSettings& settings) +void Window::create(VideoMode mode, const std::string& title, Uint32 style, const ContextSettings& settings) { // Destroy the previous window implementation - Close(); + close(); // Fullscreen style requires some tests if (style & Style::Fullscreen) @@ -89,16 +89,16 @@ void Window::Create(VideoMode mode, const std::string& title, Uint32 style, cons // Make sure there's not already a fullscreen window (only one is allowed) if (fullscreenWindow) { - Err() << "Creating two fullscreen windows is not allowed, switching to windowed mode" << std::endl; + err() << "Creating two fullscreen windows is not allowed, switching to windowed mode" << std::endl; style &= ~Style::Fullscreen; } else { // Make sure that the chosen video mode is compatible - if (!mode.IsValid()) + if (!mode.isValid()) { - Err() << "The requested video mode is not available, switching to a valid mode" << std::endl; - mode = VideoMode::GetFullscreenModes()[0]; + err() << "The requested video mode is not available, switching to a valid mode" << std::endl; + mode = VideoMode::getFullscreenModes()[0]; } // Update the fullscreen window @@ -111,35 +111,35 @@ void Window::Create(VideoMode mode, const std::string& title, Uint32 style, cons style |= Style::Titlebar; // Recreate the window implementation - m_impl = priv::WindowImpl::Create(mode, title, style); + m_impl = priv::WindowImpl::create(mode, title, style); // Recreate the context - m_context = priv::GlContext::Create(settings, m_impl, mode.BitsPerPixel); + m_context = priv::GlContext::create(settings, m_impl, mode.bitsPerPixel); // Perform common initializations - Initialize(); + initialize(); } //////////////////////////////////////////////////////////// -void Window::Create(WindowHandle handle, const ContextSettings& settings) +void Window::create(WindowHandle handle, const ContextSettings& settings) { // Destroy the previous window implementation - Close(); + close(); // Recreate the window implementation - m_impl = priv::WindowImpl::Create(handle); + m_impl = priv::WindowImpl::create(handle); // Recreate the context - m_context = priv::GlContext::Create(settings, m_impl, VideoMode::GetDesktopMode().BitsPerPixel); + m_context = priv::GlContext::create(settings, m_impl, VideoMode::getDesktopMode().bitsPerPixel); // Perform common initializations - Initialize(); + initialize(); } //////////////////////////////////////////////////////////// -void Window::Close() +void Window::close() { if (m_context) { @@ -162,27 +162,27 @@ void Window::Close() //////////////////////////////////////////////////////////// -bool Window::IsOpen() const +bool Window::isOpen() const { return m_impl != NULL; } //////////////////////////////////////////////////////////// -const ContextSettings& Window::GetSettings() const +const ContextSettings& Window::getSettings() const { static const ContextSettings empty(0, 0, 0); - return m_context ? m_context->GetSettings() : empty; + return m_context ? m_context->getSettings() : empty; } //////////////////////////////////////////////////////////// -bool Window::PollEvent(Event& event) +bool Window::pollEvent(Event& event) { - if (m_impl && m_impl->PopEvent(event, false)) + if (m_impl && m_impl->popEvent(event, false)) { - return FilterEvent(event); + return filterEvent(event); } else { @@ -192,11 +192,11 @@ bool Window::PollEvent(Event& event) //////////////////////////////////////////////////////////// -bool Window::WaitEvent(Event& event) +bool Window::waitEvent(Event& event) { - if (m_impl && m_impl->PopEvent(event, true)) + if (m_impl && m_impl->popEvent(event, true)) { - return FilterEvent(event); + return filterEvent(event); } else { @@ -206,113 +206,113 @@ bool Window::WaitEvent(Event& event) //////////////////////////////////////////////////////////// -Vector2i Window::GetPosition() const +Vector2i Window::getPosition() const { - return m_impl ? m_impl->GetPosition() : Vector2i(); + return m_impl ? m_impl->getPosition() : Vector2i(); } //////////////////////////////////////////////////////////// -void Window::SetPosition(const Vector2i& position) +void Window::setPosition(const Vector2i& position) { if (m_impl) - m_impl->SetPosition(position); + m_impl->setPosition(position); } //////////////////////////////////////////////////////////// -Vector2u Window::GetSize() const +Vector2u Window::getSize() const { - return m_impl ? m_impl->GetSize() : Vector2u(); + return m_impl ? m_impl->getSize() : Vector2u(); } //////////////////////////////////////////////////////////// -void Window::SetSize(const Vector2u size) +void Window::setSize(const Vector2u size) { if (m_impl) - m_impl->SetSize(size); + m_impl->setSize(size); } //////////////////////////////////////////////////////////// -void Window::SetTitle(const std::string& title) +void Window::setTitle(const std::string& title) { if (m_impl) - m_impl->SetTitle(title); + m_impl->setTitle(title); } //////////////////////////////////////////////////////////// -void Window::SetIcon(unsigned int width, unsigned int height, const Uint8* pixels) +void Window::setIcon(unsigned int width, unsigned int height, const Uint8* pixels) { if (m_impl) - m_impl->SetIcon(width, height, pixels); + m_impl->setIcon(width, height, pixels); } //////////////////////////////////////////////////////////// -void Window::SetVisible(bool visible) +void Window::setVisible(bool visible) { if (m_impl) - m_impl->SetVisible(visible); + m_impl->setVisible(visible); } //////////////////////////////////////////////////////////// -void Window::SetVerticalSyncEnabled(bool enabled) +void Window::setVerticalSyncEnabled(bool enabled) { - if (SetActive()) - m_context->SetVerticalSyncEnabled(enabled); + if (setActive()) + m_context->setVerticalSyncEnabled(enabled); } //////////////////////////////////////////////////////////// -void Window::SetMouseCursorVisible(bool visible) +void Window::setMouseCursorVisible(bool visible) { if (m_impl) - m_impl->SetMouseCursorVisible(visible); + m_impl->setMouseCursorVisible(visible); } //////////////////////////////////////////////////////////// -void Window::SetKeyRepeatEnabled(bool enabled) +void Window::setKeyRepeatEnabled(bool enabled) { if (m_impl) - m_impl->SetKeyRepeatEnabled(enabled); + m_impl->setKeyRepeatEnabled(enabled); } //////////////////////////////////////////////////////////// -void Window::SetFramerateLimit(unsigned int limit) +void Window::setFramerateLimit(unsigned int limit) { if (limit > 0) - m_frameTimeLimit = Seconds(1.f / limit); + m_frameTimeLimit = seconds(1.f / limit); else m_frameTimeLimit = Time::Zero; } //////////////////////////////////////////////////////////// -void Window::SetJoystickThreshold(float threshold) +void Window::setJoystickThreshold(float threshold) { if (m_impl) - m_impl->SetJoystickThreshold(threshold); + m_impl->setJoystickThreshold(threshold); } //////////////////////////////////////////////////////////// -bool Window::SetActive(bool active) const +bool Window::setActive(bool active) const { if (m_context) { - if (m_context->SetActive(active)) + if (m_context->setActive(active)) { return true; } else { - Err() << "Failed to activate the window's context" << std::endl; + err() << "Failed to activate the window's context" << std::endl; return false; } } @@ -324,70 +324,70 @@ bool Window::SetActive(bool active) const //////////////////////////////////////////////////////////// -void Window::Display() +void Window::display() { // Display the backbuffer on screen - if (SetActive()) - m_context->Display(); + if (setActive()) + m_context->display(); // Limit the framerate if needed if (m_frameTimeLimit != Time::Zero) { - Sleep(m_frameTimeLimit - m_clock.GetElapsedTime()); - m_clock.Restart(); + sleep(m_frameTimeLimit - m_clock.getElapsedTime()); + m_clock.restart(); } } //////////////////////////////////////////////////////////// -WindowHandle Window::GetSystemHandle() const +WindowHandle Window::getSystemHandle() const { - return m_impl ? m_impl->GetSystemHandle() : 0; + return m_impl ? m_impl->getSystemHandle() : 0; } //////////////////////////////////////////////////////////// -void Window::OnCreate() +void Window::onCreate() { // Nothing by default } //////////////////////////////////////////////////////////// -void Window::OnResize() +void Window::onResize() { // Nothing by default } //////////////////////////////////////////////////////////// -bool Window::FilterEvent(const Event& event) +bool Window::filterEvent(const Event& event) { // Notify resize events to the derived class - if (event.Type == Event::Resized) - OnResize(); + if (event.type == Event::Resized) + onResize(); return true; } //////////////////////////////////////////////////////////// -void Window::Initialize() +void Window::initialize() { // Setup default behaviours (to get a consistent behaviour across different implementations) - SetVisible(true); - SetMouseCursorVisible(true); - SetVerticalSyncEnabled(false); - SetKeyRepeatEnabled(true); + setVisible(true); + setMouseCursorVisible(true); + setVerticalSyncEnabled(false); + setKeyRepeatEnabled(true); // Reset frame time - m_clock.Restart(); + m_clock.restart(); // Activate the window - SetActive(); + setActive(); // Notify the derived class - OnCreate(); + onCreate(); } } // namespace sf diff --git a/src/SFML/Window/WindowImpl.cpp b/src/SFML/Window/WindowImpl.cpp index f61656d7..e4201269 100644 --- a/src/SFML/Window/WindowImpl.cpp +++ b/src/SFML/Window/WindowImpl.cpp @@ -55,14 +55,14 @@ namespace sf namespace priv { //////////////////////////////////////////////////////////// -WindowImpl* WindowImpl::Create(VideoMode mode, const std::string& title, Uint32 style) +WindowImpl* WindowImpl::create(VideoMode mode, const std::string& title, Uint32 style) { return new WindowImplType(mode, title, style); } //////////////////////////////////////////////////////////// -WindowImpl* WindowImpl::Create(WindowHandle handle) +WindowImpl* WindowImpl::create(WindowHandle handle) { return new WindowImplType(handle); } @@ -73,9 +73,9 @@ WindowImpl::WindowImpl() : m_joyThreshold(0.1f) { // Get the initial joystick states - JoystickManager::GetInstance().Update(); + JoystickManager::getInstance().update(); for (unsigned int i = 0; i < Joystick::Count; ++i) - m_joyStates[i] = JoystickManager::GetInstance().GetState(i); + m_joyStates[i] = JoystickManager::getInstance().getState(i); } @@ -87,14 +87,14 @@ WindowImpl::~WindowImpl() //////////////////////////////////////////////////////////// -void WindowImpl::SetJoystickThreshold(float threshold) +void WindowImpl::setJoystickThreshold(float threshold) { m_joyThreshold = threshold; } //////////////////////////////////////////////////////////// -bool WindowImpl::PopEvent(Event& event, bool block) +bool WindowImpl::popEvent(Event& event, bool block) { // If the event queue is empty, let's first check if new events are available from the OS if (m_events.empty()) @@ -102,8 +102,8 @@ bool WindowImpl::PopEvent(Event& event, bool block) if (!block) { // Non-blocking mode: process events and continue - ProcessJoystickEvents(); - ProcessEvents(); + processJoystickEvents(); + processEvents(); } else { @@ -114,9 +114,9 @@ bool WindowImpl::PopEvent(Event& event, bool block) // events (which require polling) while (m_events.empty()) { - ProcessJoystickEvents(); - ProcessEvents(); - Sleep(Milliseconds(10)); + processJoystickEvents(); + processEvents(); + sleep(milliseconds(10)); } } } @@ -135,33 +135,33 @@ bool WindowImpl::PopEvent(Event& event, bool block) //////////////////////////////////////////////////////////// -void WindowImpl::PushEvent(const Event& event) +void WindowImpl::pushEvent(const Event& event) { m_events.push(event); } //////////////////////////////////////////////////////////// -void WindowImpl::ProcessJoystickEvents() +void WindowImpl::processJoystickEvents() { // First update the global joystick states - JoystickManager::GetInstance().Update(); + JoystickManager::getInstance().update(); for (unsigned int i = 0; i < Joystick::Count; ++i) { // Copy the previous state of the joystick and get the new one JoystickState previousState = m_joyStates[i]; - m_joyStates[i] = JoystickManager::GetInstance().GetState(i); - JoystickCaps caps = JoystickManager::GetInstance().GetCapabilities(i); + m_joyStates[i] = JoystickManager::getInstance().getState(i); + JoystickCaps caps = JoystickManager::getInstance().getCapabilities(i); // Connection state - bool connected = m_joyStates[i].Connected; - if (previousState.Connected ^ connected) + bool connected = m_joyStates[i].connected; + if (previousState.connected ^ connected) { Event event; - event.Type = connected ? Event::JoystickConnected : Event::JoystickDisconnected; - event.JoystickButton.JoystickId = i; - PushEvent(event); + event.type = connected ? Event::JoystickConnected : Event::JoystickDisconnected; + event.joystickButton.joystickId = i; + pushEvent(event); } if (connected) @@ -169,36 +169,36 @@ void WindowImpl::ProcessJoystickEvents() // Axes for (unsigned int j = 0; j < Joystick::AxisCount; ++j) { - if (caps.Axes[j]) + if (caps.axes[j]) { Joystick::Axis axis = static_cast(j); - float prevPos = previousState.Axes[axis]; - float currPos = m_joyStates[i].Axes[axis]; + float prevPos = previousState.axes[axis]; + float currPos = m_joyStates[i].axes[axis]; if (fabs(currPos - prevPos) >= m_joyThreshold) { Event event; - event.Type = Event::JoystickMoved; - event.JoystickMove.JoystickId = i; - event.JoystickMove.Axis = axis; - event.JoystickMove.Position = currPos; - PushEvent(event); + event.type = Event::JoystickMoved; + event.joystickMove.joystickId = i; + event.joystickMove.axis = axis; + event.joystickMove.position = currPos; + pushEvent(event); } } } // Buttons - for (unsigned int j = 0; j < caps.ButtonCount; ++j) + for (unsigned int j = 0; j < caps.buttonCount; ++j) { - bool prevPressed = previousState.Buttons[j]; - bool currPressed = m_joyStates[i].Buttons[j]; + bool prevPressed = previousState.buttons[j]; + bool currPressed = m_joyStates[i].buttons[j]; if (prevPressed ^ currPressed) { Event event; - event.Type = currPressed ? Event::JoystickButtonPressed : Event::JoystickButtonReleased; - event.JoystickButton.JoystickId = i; - event.JoystickButton.Button = j; - PushEvent(event); + event.type = currPressed ? Event::JoystickButtonPressed : Event::JoystickButtonReleased; + event.joystickButton.joystickId = i; + event.joystickButton.button = j; + pushEvent(event); } } } diff --git a/src/SFML/Window/WindowImpl.hpp b/src/SFML/Window/WindowImpl.hpp index 6a0e28ba..92fc15a0 100644 --- a/src/SFML/Window/WindowImpl.hpp +++ b/src/SFML/Window/WindowImpl.hpp @@ -64,7 +64,7 @@ public : /// \return Pointer to the created window (don't forget to delete it) /// //////////////////////////////////////////////////////////// - static WindowImpl* Create(VideoMode mode, const std::string& title, Uint32 style); + static WindowImpl* create(VideoMode mode, const std::string& title, Uint32 style); //////////////////////////////////////////////////////////// /// \brief Create a new window depending on to the current OS @@ -74,7 +74,7 @@ public : /// \return Pointer to the created window (don't forget to delete it) /// //////////////////////////////////////////////////////////// - static WindowImpl* Create(WindowHandle handle); + static WindowImpl* create(WindowHandle handle); public : @@ -91,7 +91,7 @@ public : /// \param threshold : New threshold, in range [0, 100] /// //////////////////////////////////////////////////////////// - void SetJoystickThreshold(float threshold); + void setJoystickThreshold(float threshold); //////////////////////////////////////////////////////////// /// \brief Return the next window event available @@ -107,7 +107,7 @@ public : /// \param block Use true to block the thread until an event arrives /// //////////////////////////////////////////////////////////// - bool PopEvent(Event& event, bool block); + bool popEvent(Event& event, bool block); //////////////////////////////////////////////////////////// /// \brief Get the OS-specific handle of the window @@ -115,7 +115,7 @@ public : /// \return Handle of the window /// //////////////////////////////////////////////////////////// - virtual WindowHandle GetSystemHandle() const = 0; + virtual WindowHandle getSystemHandle() const = 0; //////////////////////////////////////////////////////////// /// \brief Get the position of the window @@ -123,7 +123,7 @@ public : /// \return Position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2i GetPosition() const = 0; + virtual Vector2i getPosition() const = 0; //////////////////////////////////////////////////////////// /// \brief Change the position of the window on screen @@ -131,7 +131,7 @@ public : /// \param position New position of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetPosition(const Vector2i& position) = 0; + virtual void setPosition(const Vector2i& position) = 0; //////////////////////////////////////////////////////////// /// \brief Get the client size of the window @@ -139,7 +139,7 @@ public : /// \return Size of the window, in pixels /// //////////////////////////////////////////////////////////// - virtual Vector2u GetSize() const = 0; + virtual Vector2u getSize() const = 0; //////////////////////////////////////////////////////////// /// \brief Change the size of the rendering region of the window @@ -147,7 +147,7 @@ public : /// \param size New size, in pixels /// //////////////////////////////////////////////////////////// - virtual void SetSize(const Vector2u& size) = 0; + virtual void setSize(const Vector2u& size) = 0; //////////////////////////////////////////////////////////// /// \brief Change the title of the window @@ -155,7 +155,7 @@ public : /// \param title New title /// //////////////////////////////////////////////////////////// - virtual void SetTitle(const std::string& title) = 0; + virtual void setTitle(const std::string& title) = 0; //////////////////////////////////////////////////////////// /// \brief Change the window's icon @@ -165,7 +165,7 @@ public : /// \param pixels Pointer to the pixels in memory, format must be RGBA 32 bits /// //////////////////////////////////////////////////////////// - virtual void SetIcon(unsigned int width, unsigned int height, const Uint8* pixels) = 0; + virtual void setIcon(unsigned int width, unsigned int height, const Uint8* pixels) = 0; //////////////////////////////////////////////////////////// /// \brief Show or hide the window @@ -173,7 +173,7 @@ public : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetVisible(bool visible) = 0; + virtual void setVisible(bool visible) = 0; //////////////////////////////////////////////////////////// /// \brief Show or hide the mouse cursor @@ -181,7 +181,7 @@ public : /// \param visible True to show, false to hide /// //////////////////////////////////////////////////////////// - virtual void SetMouseCursorVisible(bool visible) = 0; + virtual void setMouseCursorVisible(bool visible) = 0; //////////////////////////////////////////////////////////// /// \brief Enable or disable automatic key-repeat @@ -189,7 +189,7 @@ public : /// \param enabled True to enable, false to disable /// //////////////////////////////////////////////////////////// - virtual void SetKeyRepeatEnabled(bool enabled) = 0; + virtual void setKeyRepeatEnabled(bool enabled) = 0; protected : @@ -209,7 +209,7 @@ protected : /// \param event Event to push /// //////////////////////////////////////////////////////////// - void PushEvent(const Event& event); + void pushEvent(const Event& event); private : @@ -217,13 +217,13 @@ private : /// \brief Read the joysticks state and generate the appropriate events /// //////////////////////////////////////////////////////////// - void ProcessJoystickEvents(); + void processJoystickEvents(); //////////////////////////////////////////////////////////// /// \brief Process incoming events from the operating system /// //////////////////////////////////////////////////////////// - virtual void ProcessEvents() = 0; + virtual void processEvents() = 0; //////////////////////////////////////////////////////////// // Member data