SFML - 按下键时渲染字符?

时间:2013-06-22 22:43:04

标签: c++ rendering character sfml tdm-mingw

所以我有这个程序应该模仿一个控制台(来自this user的一些编码帮助):

#include <SFML/Graphics.hpp>
#include <SFML/System.hpp>
#include <SFML/Window.hpp>

sf::Color fontColor;
sf::Font mainFont;
sf::Clock myClock;

bool showCursor = true;

void LoadFont() {
    mainFont.loadFromFile("dos.ttf");
    fontColor.r = 0;
    fontColor.g = 203;
    fontColor.b = 0;
}

int main() {
    sf::RenderWindow wnd(sf::VideoMode(1366, 768), "SFML Console");
    wnd.setSize(sf::Vector2u(1366, 768));

    LoadFont();

    sf::Text myTxt;
    myTxt.setColor(fontColor);
    myTxt.setString("System Module:");
    myTxt.setFont(mainFont);
    myTxt.setCharacterSize(18);
    myTxt.setStyle(sf::Text::Regular);
    myTxt.setPosition(0, 0);

    while(wnd.isOpen()) {
        sf::Event myEvent;

        while (wnd.pollEvent(myEvent)) {
            if (myEvent.type == sf::Event::Closed) {
                wnd.close();
            }

            if (myEvent.type == sf::Event::KeyPressed) {
                if (myEvent.key.code == sf::Keyboard::Escape) {
                    wnd.close();
                }
            }
        }

            wnd.clear();

            if (myClock.getElapsedTime() >= sf::milliseconds(500)) {
                myClock.restart();
                showCursor = !showCursor;

                if(showCursor == true) {
                    myTxt.setString("System Module:_");
                } else {
                    myTxt.setString("System Module:");
                }
            }

            wnd.draw(myTxt);
            wnd.display();
    }
}

我需要让用户在键盘上键入一个键,然后在屏幕上呈现该键。我正在考虑使用std::vector sf::Keyboard::Key,并使用while循环检查密钥是什么(循环遍历std::vector<sf::Keyboard::Key>)而不使用一大堆if }语句,但我还不知道如何处理它,所以我想知道是否有更简单的方法来实现我的主要目标。建议?评论

感谢您的时间, 〜麦克

1 个答案:

答案 0 :(得分:2)

SFML有一个很好的功能,sf::Event::TextEnteredtutorial)。这通常是你想要的,它避免你做疯狂的事情来解释用户输入的文本。 通过将每个字符添加到sf::String(而不是std::string中来输入您输入的文本,它可以更好地处理sfml的unicode类型〜不确定,但这需要一点检查)这是完美的类型sf::Text::setString

不要犹豫查看docs,它在每个班级的页面中都有进一步的文档。

示例:

sf::String userInput;
// ...
while( wnd.pollEvent(event))
{
    if(event.type == sf::Event::TextEntered)
    {
        /* Choose one of the 2 following, and note that the insert method
           may be more efficient, as it avoids creating a new string by
           concatenating and then copying into userInput.
        */
        // userInput += event.text.unicode;
        userInput.insert(userInput.getSize(), event.text.unicode);
    }
    else if(event.type == sf::Event::KeyPressed)
    {
        if(event.key.code == sf::Keyboard::BackSpace) // delete the last character
        { 
            userInput.erase(userInput.getSize() - 1);
        }
    }
}