0

我的代码不会编译。我究竟做错了什么?我还希望sf::Windowandsf::Input对象是静态字段。解决这个问题的最佳方法是什么?

#include <SFML/Window.hpp>
#include <SFML/Window/Event.hpp>
#ifndef WINDOW_INITIALIZER_H
#define WINDOW_INITIALIZER_H

class WindowInitializer
{
public:
    WindowInitializer();
    ~WindowInitializer();

private:
    void initialize_booleans(const sf::Window * const app);

    bool m_leftKeyPressed;
    bool m_rightKeyPressed;
    bool m_upKeyPressed;
    bool m_downKeyPressed;

    unsigned int m_mouseX;
    unsigned int m_mouseY;
};

#endif // WINDOWINITIALIZER_H

void WindowInitializer::initialize_booleans(const sf::Window* const app)
{

    sf::Input input = app->GetInput();

    this->m_downKeyPressed = input.IsKeyDown(sf::Key::Down);
    this->m_leftKeyPressed = input.IsKeyDown(sf::Key::Left);
    this->m_upKeyPressed = input.IsKeyDown(sf::Key::Up);
    this->m_rightKeyPressed = input.IsKeyDown(sf::Key::Right);

    this->m_mouseX = input.GetMouseX();
    this->m_mouseY = input.GetMouseY();
}

WindowInitializer::WindowInitializer()
{
    sf::Window app(sf::VideoMode(640, 480, 32), "SFML Tutorial");

    initialize_booleans(&app);

    sf::Event event;

    while(app.IsOpened())
    {
        while(app.GetEvent(event))
        {
            if (event.Type == sf::Event::Closed)
                app.Close();
            if ((event.Type == sf::Event::KeyPressed) && (event.Key.Code == sf::Key::Escape))
                app.Close();
            if (m_downKeyPressed)
                std::cout << "down key pressed!";
            else if(m_leftKeyPressed)
                std::cout << "left key pressed!";
            else if(m_upKeyPressed)
                std::cout << "up key pressed!";
            else if(m_rightKeyPressed)
                std::cout << "right key pressed!";
        }
    }

}

WindowInitializer::~WindowInitializer()
{
    delete m_app;
}

我的错误如下:

In file included from /usr/include/SFML/Window.hpp:35:0,
                 from ../SFML_tutorial/window_initializer.cpp:3:
/usr/include/SFML/System/NonCopyable.hpp: In copy constructor ‘sf::Input::Input(const sf::Input&)’:
/usr/include/SFML/System/NonCopyable.hpp:57:5: error: ‘sf::NonCopyable::NonCopyable(const sf::NonCopyable&)’ is private
/usr/include/SFML/Window/Input.hpp:45:1: error: within this context
../SFML_tutorial/window_initializer.cpp: In member function ‘void WindowInitializer::initialize_booleans(const sf::Window*)’:
../SFML_tutorial/window_initializer.cpp:9:37: note: synthesized method ‘sf::Input::Input(const sf::Input&)’ first required here 
../SFML_tutorial/window_initializer.cpp: In destructor ‘WindowInitializer::~WindowInitializer()’:
../SFML_tutorial/window_initializer.cpp:51:12: error: ‘m_app’ was not declared in this scope
4

1 回答 1

3

错误信息应该很清楚:

  1. 你不能复制sf::Input。您需要使用参考。

      sf::Input& input = app->GetInput();
    
  2. 您的析构函数正在删除一个不存在的对象。该变量从未被声明过。

于 2011-08-30T06:50:51.803 回答