Evgenii Legotckoi
Oct. 18, 2015, 6:54 p.m.

Qt/C++ - Lesson 028. How to use sprite picture with QPixmap?

Once we have drawn sprite last lesson on working with Adobe Illustrator , it's time to apply the resulting image when working with Qt and add it to the program using QPixmap . Moreover, we do Animated sprite, and see how the small explosion Animated graphics on the stage of our application on Qt.

The project structure to work with QPixmap and sprite

sprite_example project structure will be as follows:

  • sprite_example.pro - the profile of the project;
  • widget.h - header file of the main application window;
  • widget.cpp - file source code of the main application window;
  • widget.ui - interface file;
  • sprite.h - class header file that is used for our sprite, which will be applied QPixmap;
  • sprite.cpp - file source code to work with QPixmap;
  • sprite.qrc - resource file;
  • sprite_sheet.png - our sprite, which we will use for the animation.

widget.ui

Nothing special in this file is not present. Just stretch a box around the object QGraphicsView , which put QGraphicsScene .

widget.h

In this file, we will declare the object of graphic scenes, which put an object with a QPixmap , which will Animated sprite. Just do not forget to include the header file sprite.h.

  1. #ifndef WIDGET_H
  2. #define WIDGET_H
  3.  
  4. #include <QWidget>
  5. #include <QGraphicsScene>
  6. #include <QTimer>
  7. #include <QList>
  8. #include <QPixmap>
  9.  
  10. #include "sprite.h"
  11.  
  12. namespace Ui {
  13. class Widget;
  14. }
  15.  
  16. class Widget : public QWidget
  17. {
  18. Q_OBJECT
  19.  
  20. public:
  21. explicit Widget(QWidget *parent = 0);
  22. ~Widget();
  23.  
  24. private:
  25. Ui::Widget *ui;
  26. QGraphicsScene *scene;
  27. };
  28.  
  29. #endif // WIDGET_H

widget.cpp

In this file, we initialize the graphical scene and put it in graphicsView , as well as create a sprite object and place it on the stage.

  1. #include "widget.h"
  2. #include "ui_widget.h"
  3.  
  4. Widget::Widget(QWidget *parent) :
  5. QWidget(parent),
  6. ui(new Ui::Widget)
  7. {
  8. ui->setupUi(this);
  9.  
  10. scene = new QGraphicsScene(); // Init graphics scene
  11.  
  12. ui->graphicsView->setScene(scene); // Set grapihcs scene into graphicsView
  13.  
  14. scene->addItem(new Sprite()); // We put on the scene a new sprite object
  15.  
  16. }
  17.  
  18. Widget::~Widget()
  19. {
  20. delete ui;
  21. }

sprite.h

And now let's talk about how well implemented Animated sprite. For this we need a prepared sprite, or rather the sprite sheet, which consists of 15 frames, arranged in a single row.

Technically, this sprite sheet is set to QPixmap class object in which it scrolls from left to right with a certain periodicity. To this end, we are a new class inherit from QGraphicsItem and QObject , to use signals and slots . And in the method of drawing the paint Asking sprite_sheet image area, which is defined in the resource file. The timer controls the change of the frame using nextFrame() slot. At a signal from timer we change the coordinate of the drawing area of the sprite and redraw a graphic object with the new frame.

  1. #ifndef SPRITE_H
  2. #define SPRITE_H
  3.  
  4. #include <QObject>
  5. #include <QGraphicsItem>
  6. #include <QTimer>
  7. #include <QPixmap>
  8. #include <QPainter>
  9.  
  10. class Sprite : public QObject, public QGraphicsItem
  11. {
  12. Q_OBJECT
  13. public:
  14. explicit Sprite(QObject *parent = 0);
  15.  
  16. signals:
  17.  
  18. public slots:
  19.  
  20. private slots:
  21. void nextFrame(); // Slot for turning images into QPixmap
  22.  
  23. private:
  24. void paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget);
  25. QRectF boundingRect() const;
  26.  
  27. private:
  28. QTimer *timer; // Timer for turning images into QPixmap
  29. QPixmap *spriteImage; // In this QPixmap object will be placed sprite
  30. int currentFrame; // Coordinates X, which starts the next frame of the sprite
  31.  
  32. };
  33.  
  34. #endif // SPRITE_H

sprite.cpp

In the class constructor initializes the timer and the method of paint we draw the right frame of the sprite. Switching is performed using frames nextFrame() slot.

  1. #include "sprite.h"
  2.  
  3. Sprite::Sprite(QObject *parent) :
  4. QObject(parent), QGraphicsItem()
  5. {
  6. currentFrame = 0; // Sets the coordinates of the current frame of the sprite
  7. spriteImage = new QPixmap(":sprite_sheet.png"); // Load the sprite image QPixmap
  8.  
  9. timer = new QTimer(); // Create a timer for sprite animation
  10. connect(timer, &QTimer::timeout, this, &Sprite::nextFrame);
  11. timer->start(25); // Run the sprite on the signal generation with a frequency of 25 ms
  12. }
  13.  
  14. QRectF Sprite::boundingRect() const
  15. {
  16. return QRectF(-10,-10,20,20);
  17. }
  18.  
  19. void Sprite::paint(QPainter *painter, const QStyleOptionGraphicsItem *option, QWidget *widget)
  20. {
  21. /* In the graphic renderer we draw the sprite
  22. * The first two arguments - is the X and Y coordinates of where to put QPixmap
  23. * The third argument - a pointer to QPixmap
  24. * 4 and 5 of the arguments - The coordinates in the image QPixmap, where the image is displayed
  25. * By setting the X coordinate with the variable currentFrame we would like to move the camera on the sprite
  26. * and the last two arguments - the width and height of the displayed area, that is, the frame
  27. * */
  28. painter->drawPixmap(-10,-10, *spriteImage, currentFrame, 0, 20,20);
  29. Q_UNUSED(option);
  30. Q_UNUSED(widget);
  31. }
  32.  
  33. void Sprite::nextFrame()
  34. {
  35. /* At a signal from the timer 20 to move the point of rendering pixels
  36. * If currentFrame = 300 then zero out it as sprite sheet size of 300 pixels by 20
  37. * */
  38. currentFrame += 20;
  39. if (currentFrame >= 300 ) currentFrame = 0;
  40. this->update(-10,-10,20,20);
  41. }

Result

As a result, you get the app in the middle of the window which will be blinking an explosion the size of 20 by 20 pixels.

Video

V
  • Dec. 12, 2018, 1:25 a.m.

Подскажите пожалуйста ( я новичок совсем)
Можно ли организовать спрайт без этого окошка (как в fl studio fruity dance)?

Evgenii Legotckoi
  • Dec. 12, 2018, 3:01 a.m.

Не знаю, какой-там конкретно эффект и если честно не хочется fl studio ради того, чтобы посмотреть устанавливать, но из того, что увидел в интернете.

Предполагаю, что то, что вы хотите сделать, в данном случае нужно реализовывать точно также с окном, но с одним существенным отличием. Нужно полностью отключить обрамление окна, а в нём отрисовывать спрайт в виджете с прозрачным фоном.

Вот в этой статье было что-то похожее. Там я отключал обрамление окна и кастомизировал виджеты.

Обратите внимание вот на эти строчки

  1. this->setWindowFlags(Qt::FramelessWindowHint); // Отключаем оформление окна
  2. this->setAttribute(Qt::WA_TranslucentBackground); // Делаем фон главного виджета прозрачным
V
  • Dec. 15, 2018, 8:06 a.m.

Спасибо большое!
Очень помогли!

V
  • Dec. 22, 2018, 11:30 p.m.

А возможно всё кроме спрайта сделать прозрачным?

Evgenii Legotckoi
  • Dec. 23, 2018, 12:53 a.m.

"всё" - это что?

по факту я вам уже ответил и на этот вопрос.

V
  • Dec. 23, 2018, 1:58 a.m.

Извините, но дилемма в том что - Спрайт должен быть сам по себе без заднего окна и виджета. ( вот то что я хочу сделать-

Прошу прощения за надоедливые и банальные вопросы

Evgenii Legotckoi
  • Dec. 24, 2018, 3:28 a.m.

Прошу прощения за надоедливые и банальные вопросы

Да не в этом дело.

По сути, там всё тоже самое, только отображайте спрайт в отдельном диалоговом окне, у которого будет полностью отключено обрамление и т.д. Просто используйте QDialog, чтобы спрайт отдельно крутился.

V
  • Jan. 14, 2019, 3:23 p.m.

С Новым годом!
Всё оказалось проще:
MAIN.cpp

  1. #include <QGuiApplication>
  2. #include <QQmlApplicationEngine>
  3.  
  4. #include <QtGui/QGuiApplication>
  5. #include <QScreen>
  6.  
  7.  
  8.  
  9. int main(int argc, char *argv[])
  10. {
  11.  
  12. QCoreApplication::setAttribute(Qt::AA_EnableHighDpiScaling);
  13.  
  14. QGuiApplication app(argc, argv);
  15.  
  16. QQmlApplicationEngine engine;
  17. engine.load(QUrl(QStringLiteral("qrc:/main.qml")));
  18. if (engine.rootObjects().isEmpty())
  19. return -1;
  20.  
  21.  
  22.  
  23. return app.exec();
  24. }
  25.  
  26.  
  27.  

QML

  1.  
  2. import QtQuick 2.0
  3. import QtQuick.Window 2.2
  4.  
  5. Window {
  6. flags: Qt.ToolTip | Qt.FramelessWindowHint | Qt.WA_TintedBackground |Qt.WindowStaysOnTopHint
  7.  
  8. color: "#00000000"
  9.  
  10.  
  11. visible: true
  12. width: 100
  13. height: 460
  14. x: (Screen.width - width)
  15. y: (Screen.height - height)
  16.  
  17.  
  18.  
  19.  
  20. Rectangle {
  21. anchors.fill: parent
  22. color: "transparent"
  23. }
  24. AnimatedSprite {
  25.  
  26. id: sprite;
  27. width: 100;
  28. height: 100;
  29. anchors.centerIn: parent;
  30. source: "Donald.png"
  31. frameX: 0
  32. frameY: 0
  33. frameRate: 18;
  34. frameWidth: 100
  35. frameHeight: 100
  36. frameCount: 24
  37. running: folse;

У меня всего 2 вопроса:
\\
Как В файле QML менять значение с помощью переменной из Main frameX: 0 не через класс? ( желательно считывание из txt файла)
\\\
Как сделать так чтобы курсор мышки не реагировал на прозрачное диалоговое окно и я мог спокойно нажимать на ярлыки позади него

Evgenii Legotckoi
  • Jan. 15, 2019, 9:09 p.m.

Ну вы здесь тоже самое сделали, что я вам и советовал... только ещё QML за уши притянули.

frameX - только через класс устанавливать. В QML все объекты наследованы от QObject и там работа с классами идёт. Максимум использовать JavaScript встроенный в QML, но опять же без C++ и классов ничего вы не сделаете.

Как сделать так чтобы курсор мышки не реагировал на прозрачное диалоговое окно и я мог спокойно нажимать на ярлыки позади него

Это было бы проще реализовать через классические виджеты, также нужно лезть в API операционной системы. Я такое не делал, небоходимости не было. Могу сказать только, что нужно искать информацию по эмулированию кликов, чтобы перекинуть клик за окно приложения. В общем в три строки эо не делается.

Планомерно изучайте Qt, с ростом опыта разберётесь, как это сделать, но я могу вам только общее направление по этой задаче подсказать и кое-какие примеры, но вопросы у вас должны быть более гранулированными, а не так, "как написать программу, которая сделает то, что вы хотите". Серьёзно, для того, что вам нужно, требуется изучить больше, чем вот эта одна строка из вашего кода

flags: Qt.ToolTip | Qt.FramelessWindowHint | Qt.WA_TintedBackground |Qt.WindowStaysOnTopHint

значительно больше

А как вы сделали папку ресурсы ?

Comments

Only authorized users can post comments.
Please, Log in or Sign up
  • Last comments
  • AK
    April 1, 2025, 11:41 a.m.
    Добрый день. В данный момент работаю над проектом, где необходимо выводить звук из программы в определенное аудиоустройство (колонки, наушники, виртуальный кабель и т.д). Пишу на Qt5.12.12 поско…
  • Evgenii Legotckoi
    March 9, 2025, 9:02 p.m.
    К сожалению, я этого подсказать не могу, поскольку у меня нет необходимости в обходе блокировок и т.д. Поэтому я и не задавался решением этой проблемы. Ну выглядит так, что вам действитель…
  • VP
    March 9, 2025, 4:14 p.m.
    Здравствуйте! Я устанавливал Qt6 из исходников а также Qt Creator по отдельности. Все компоненты, связанные с разработкой для Android, установлены. Кроме одного... Когда пытаюсь скомпилиров…
  • ИМ
    Nov. 22, 2024, 9:51 p.m.
    Добрый вечер Евгений! Я сделал себе авторизацию аналогичную вашей, все работает, кроме возврата к предидущей странице. Редеректит всегда на главную, хотя в логах сервера вижу запросы на правильн…
  • Evgenii Legotckoi
    Oct. 31, 2024, 11:37 p.m.
    Добрый день. Да, можно. Либо через такие же плагины, либо с постобработкой через python библиотеку Beautiful Soup