KEMBAR78
Free PDF Ebook - Com QT Tutorial | PDF | Widget (Gui) | Command Line Interface
100% found this document useful (1 vote)
2K views54 pages

Free PDF Ebook - Com QT Tutorial

This document provides an introduction to GUI programming using the Qt toolkit through a tutorial comprised of 14 chapters. It begins with a simple "Hello world" program and gradually introduces new concepts to build a 650-line game by the final chapter. The tutorial source code and build instructions are included. Each chapter presents new Qt features and concepts through small programming examples.

Uploaded by

Bruno Ribeiro
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
100% found this document useful (1 vote)
2K views54 pages

Free PDF Ebook - Com QT Tutorial

This document provides an introduction to GUI programming using the Qt toolkit through a tutorial comprised of 14 chapters. It begins with a simple "Hello world" program and gradually introduces new concepts to build a 650-line game by the final chapter. The tutorial source code and build instructions are included. Each chapter presents new Qt features and concepts through small programming examples.

Uploaded by

Bruno Ribeiro
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 54

Qt Tutorial

This tutorial gives an introduction to GUI programming using the Qt toolkit. It doesn't cover everything; the emphasis is on teaching the programming philosophy of GUI programming, and Qt's features are introduced as needed. Some commonly used features are never used in this tutorial. Chapter one starts with a minimal "Hello world" program and the following chapters introduce new concepts. By Chapter 14, the "Hello world" program from Chapter 1 will have turned into a 650-line game. If you are completely new to Qt, please read How to Learn Qt if you haven't already done so. The tutorial's source code is located in Qt's examples/tutorials/tutorial directory. Tutorial chapters:
1. Hello World! 2. Calling it Quits 3. Family Values 4. Let There Be Widgets 5. Building Blocks 6. Building Blocks Galore! 7. One Thing Leads to Another 8. Preparing for Battle 9. With Cannon You Can 10. Smooth as Silk 11. Giving It a Shot 12. Hanging in the Air the Way Bricks Don't 13. Game Over 14. Facing the Wall

This little game doesn't look much like a modern GUI application. It uses a some GUI techniques, but after you've worked through it, we recommend checking out the Application example, which presents a small GUI application, with menus, tool bars, a status bar, and so on.

Qt Tutorial 1 - Hello World!


Files:
tutorials/tutorial/t1/main.cpp tutorials/tutorial/t1/t1.pro

This first program is a simple "Hello world" example. It contains only the bare minimum you need to get a Qt application up and running. The picture below is a screenshot of this program.

Here's the complete source code for the application:


#include <QApplication> #include <QPushButton>

int main(int argc, char *argv[]) { QApplication app(argc, argv);

QPushButton hello("Hello world!");

hello.show(); return app.exec(); }

Line by Line Walkthrough


#include <QApplication>

This line includes the QApplication class definition. There has to be exactly one QApplication object in every GUI application that uses Qt. QApplication manages various application-wide resources, such as the default font and cursor.
#include <QPushButton>

This line includes the QPushButton class definition. For each class that's part of the public Qt API, there exists a header file of the same name that contains its definition. QPushButton is a GUI push button that the user can press and release. It manages its own look and feel, like every other QWidget. A widget is a user interface object that can process user input and draw graphics. The programmer can change both the overall look and feel and many minor properties of it (such as color), as well as the widget's content. A QPushButton can show either a text or a QIcon.
int main(int argc, char *argv[]) {

The main() function is the entry point to the program. Almost always when using Qt, main() only needs to perform some kind of initialization before passing the control to the Qt library, which then tells the program about the user's actions via events. The argc parameter is the number of command-line arguments and argv is the array of command-line arguments. This is a standard C++ feature.
QApplication app(argc, argv);

The app object is this program's QApplication instance. Here it is created. We pass argc and argv to the QApplication constructor so that it can process certain standard command-line arguments (such as -display under X11). All command-line arguments recognized by Qt are removed from argv, and argc is decremented accordingly. See the QApplication::arguments() documentation for details. The QApplication object must be created before any GUI-related features of Qt are used.
QPushButton hello("Hello world!");

Here, after the QApplication, comes the first GUI-related code: A push button is created. The button is set up to display the text "Hello world!". Because we don't specify a parent window (as second argument to the QPushButton constructor), the button will be a window of its own, with its own window frame and title bar.

The button's size is determined by its default size hint. We could call QWidget::move() to assign a specific screen position to the widget, but instead we let the windowing system choose a position.
hello.show();

A widget is never visible when you create it. You must call QWidget::show() to make it visible.
return app.exec(); }

This is where main() passes control to Qt. QCoreApplication::exec() will return when the application exits. (QCoreApplication is QApplication's base class. It implements QApplication's core, non-GUI functionality and can be used when developing non-GUI applications.) In QCoreApplication::exec(), Qt receives and processes user and system events and passes these on to the appropriate widgets. You should now compile and run this program.

Environment Variables
If you are developing Qt applications at the command line, you need to ensure that the Qt libraries and executables are accessible to your environment by prepending the path to Qt's bin directory to your PATH variable; this is described in the Installation instructions for your platform. On Windows, this is automatically done for you if you get your command line prompt from the Start>All Programs>Qt menu. If you get your command line prompt with Start>Run>Command, you have to set the PATH variable there yourself.

Building an application
The tutorial examples are located in the Qt examples/tutorials/tutorial directory. If you installed a binary Qt package, pre-built examples were installed as well. If you built Qt yourself, the examples were built at the same time. In either case, there is a lot to be learned about using Qt by modifying and building the examples yourself. Assuming you have copied an example's .cpp and .h files to an otherwise empty directory, and you have made your changes there, the next step is to create a Qt makefile in that directory. To create a Qt makefile, use qmake, the build tool supplied with Qt. Run the following two commands in the directory containing your modified sources to create the makefile.
qmake -project qmake

The first command tells qmake to create a project (.pro) file. The second command tells qmake to use the .pro file to create a platform-specific makefile. Now you can just run make (nmake if you are using Visual Studio) to compile the program, and then you can run your first Qt application!

Running this example


When you run the example, you will see a small window showing a single button. On the button you can read the famous words: "Hello world!"

Exercises
Try to resize the window. Click the button. If you are running X11, try running the program with the -geometry option (e.g., -geometry 100x200+10+20).

Qt Tutorial 2 - Calling it Quits

Files:
tutorials/tutorial/t2/main.cpp tutorials/tutorial/t2/t2.pro

This example is an extension to the window created in Chapter 1. We now go on to make the application quit properly when the user tells it to.

We will also use a font that is more exciting than the default one.
#include <QApplication> #include <QFont> #include <QPushButton>

int main(int argc, char *argv[]) { QApplication app(argc, argv);

QPushButton quit("Quit"); quit.resize(75, 30); quit.setFont(QFont("Times", 18, QFont::Bold));

QObject::connect(&quit, SIGNAL(clicked()), &app, SLOT(quit()));

quit.show(); return app.exec(); }

Line by Line Walkthrough


#include <QFont>

Since this program uses QFont, it needs to include <QFont>.


QPushButton quit("Quit");

This time, the button says Quit and that's exactly what the program will do when the user clicks the button.
quit.resize(75, 30);

We've chosen another size for the button since the text is a bit shorter than "Hello world!". We could also have used QFontMetrics to set right size, or let QPushButton choose a reasonable default.
quit.setFont(QFont("Times", 18, QFont::Bold));

Here we choose a new font for the button, an 18-point bold font from the Times family. It is also possible to change the default font for the entire application, using QApplication::setFont().
QObject::connect(&quit, SIGNAL(clicked()), &app, SLOT(quit()));

QObject::connect() is perhaps the most central feature of Qt. Note that connect() is a static function in QObject. Do not confuse it with the connect() function in the Berkeley socket library. This connect() call establishes a one-way connection between two Qt objects (objects that inherit QObject, directly or indirectly). Every Qt object can have both signals (to send messages) and slots (to receive messages). All widgets are Qt objects, since they inherit QWidget, which in turn inherits QObject. Here, the clicked() signal of quit is connected to the quit() slot of app, so that when the button is clicked, the application quits. The Signals and Slots documentation describes this topic in detail.

Running the Application


When you run this program, you will see an even smaller window than in Chapter 1, filled with an even smaller button. See Chapter 1 for how to create a makefile and build the application.

Exercises
Try to resize the window. Press the button to close the application. Are there any other signals in QPushButton you can connect to quit? [Hint: The QPushButton inherits most of its functionality from QAbstractButton.]

Qt Tutorial 3 - Family Values


Files:
tutorials/tutorial/t3/main.cpp tutorials/tutorial/t3/t3.pro

This example shows how to create parent and child widgets. We'll keep it simple and use just a single parent and a lone child.
#include <QApplication> #include <QFont> #include <QPushButton> #include <QWidget>

int main(int argc, char *argv[])

{ QApplication app(argc, argv);

QWidget window; window.resize(200, 120);

QPushButton quit("Quit", &window); quit.setFont(QFont("Times", 18, QFont::Bold)); quit.setGeometry(10, 40, 180, 40); QObject::connect(&quit, SIGNAL(clicked()), &app, SLOT(quit()));

window.show(); return app.exec(); }

Line by Line Walkthrough


#include <QWidget>

We add an include of <QWidget> to get the base widget class we'll use.
QWidget window;

Here we simply create a plain widget object. The QWidget class is the base class of all user interface objects. The widget is the atom of the user interface: It receives mouse, keyboard and other events from the window system, and paints a representation of itself on the screen. A widget is clipped by its parent and by the widgets in front of it. A widget that isn't embedded in a parent widget, like this particular widget, is called a window. Usually, windows have their own window frame and taskbar entry, provided by the window system. A widget without a parent widget is always an independent window. Its initial position on the screen is controlled by the window system.
window.resize(200, 120);

We set the window's width to 200 pixels and its height to 120 pixels.
QPushButton quit("Quit", &window);

A child is born. This QPushButton is created with a parent widget (window). A child widget is always displayed within its parent's area. When displayed, it is clipped by its parent's bounds. By default, it is rooted at the topleft corner of its parent, at position (0, 0).
quit.setGeometry(10, 40, 180, 40);

The QWidget::setGeometry() function takes four arguments: The first two arguments are the x and y coordinates of the button's top-left corner. The coordinates are relative to the parent widget. The last two arguments are the button's width and height. The result is a button that extends from position (10, 40) to position (190, 80).
window.show();

When a parent widget is shown, it will call show for all its children (except those that were explicitly hidden using QWidget::hide()).
On being mindful of the order of things

Tutorial readers who have already studied QObject, will recall that when the destructor of a QObject is called, if the QObject has children, its destructor automatically calls the destructor of each child. Thus it might appear that the destructor of QPushButton quit will be called twice at the end of main(), once when its parent, window, goes out of scope and the destructor deletes quit because it is a child, and a second time when quit itself goes out of scope. But there is no need to worry in this case; the code is correct. However, there is a case where one must be mindful of the order of destruction of objects on the stack. For an explanation, see this note on the order of construction/destruction of QObjects.

Running the Application


The button no longer fills the entire window. Instead, it stays at position (10, 40) within the window and with a size of (180, 40), because of the QWidget::setGeometry() call.

Exercises
Try resizing the window. How does the button change? What happens to the button's height if you run the program with a bigger font? What happens if you try to make the window really small?

Qt Tutorial 4 - Let There Be Widgets


Files:
tutorials/tutorial/t4/main.cpp tutorials/tutorial/t4/t4.pro

This example shows how to create your own widget, and describes how to control the minimum and maximum sizes of a widget.
#include <QApplication> #include <QFont> #include <QPushButton> #include <QWidget>

class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0);

};

MyWidget::MyWidget(QWidget *parent) : QWidget(parent) { setFixedSize(200, 120);

QPushButton *quit = new QPushButton(tr("Quit"), this); quit->setGeometry(62, 40, 75, 30); quit->setFont(QFont("Times", 18, QFont::Bold));

connect(quit, SIGNAL(clicked()), qApp, SLOT(quit())); }

int main(int argc, char *argv[]) { QApplication app(argc, argv); MyWidget widget; widget.show(); return app.exec(); }

Line by Line Walkthrough


class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

Here we create a new class. Because this class inherits from QWidget, the new class is a widget and may be a top-level window or a child widget (like the QPushButton in the previous chapter). This class has only one member, a constructor (in addition to the members it inherits from QWidget). The constructor is a standard Qt widget constructor; you should always include a similar constructor when you create widgets. The argument is its parent widget. To create a top-level window you specify a null pointer as the parent. As you can see, this widget defaults to be a top-level window.
MyWidget::MyWidget(QWidget *parent)

The implementation of the constructor starts here. Like most widgets, it just passes on the parent to the QWidget constructor.
: QWidget(parent) { setFixedSize(200, 120);

Because this widget doesn't know how to handle resizing, we fix its size. In the next chapter, we will show how a widget can respond to resize event from the user.
QPushButton *quit = new QPushButton(tr("Quit"), this); quit->setGeometry(62, 40, 75, 30); quit->setFont(QFont("Times", 18, QFont::Bold));

Here we create and set up a child widget of this widget (the new widget's parent is this, i.e. the MyWidget instance). The tr() function call around the string literal "Quit" marks the string for translation, making it possible to change it at run-time based on the contents of a translation file. It is a good habit to use tr() around all uservisible strings, in case you decide later to translate your application to other languages. Note that quit is a local variable in the constructor. MyWidget does not keep track of it; Qt does, and will automatically delete it when the MyWidget object is deleted. This is why MyWidget doesn't need a destructor. (On the other hand, there is no harm in deleting a child when you choose to. The child will automatically tell Qt about its imminent death.) The QWidget::setGeometry() call sets both the widget's screen position and the size. It is equivalent to calling QWidget::move() followed by QWidget::resize().
connect(quit, SIGNAL(clicked()), qApp, SLOT(quit())); }

The qApp pointer is a global variable declared in the <QApplication> header file. It points to the application's unique QApplication instance.
int main(int argc, char *argv[]) { QApplication app(argc, argv); MyWidget widget; widget.show(); return app.exec(); }

Here we instantiate our new child, show it, and execute the application.

Running the Application


This program is very similar in behavior to the previous one. The difference lies in the way we have implemented it. It does behave slightly differently, however. Just try to resize it to see.

Exercises
Try to create another MyWidget object in main(). What happens? Try to add more buttons or put in widgets other than QPushButton.

Qt Tutorial 5 - Building Blocks


Files:
tutorials/tutorial/t5/main.cpp tutorials/tutorial/t5/t5.pro

This example shows how to create and connect together several widgets by using signals and slots, and how to handle resizes.
#include <QApplication> #include <QFont> #include <QLCDNumber> #include <QPushButton> #include <QSlider> #include <QVBoxLayout> #include <QWidget>

class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

MyWidget::MyWidget(QWidget *parent) : QWidget(parent) { QPushButton *quit = new QPushButton(tr("Quit")); quit->setFont(QFont("Times", 18, QFont::Bold));

QLCDNumber *lcd = new QLCDNumber(2); lcd->setSegmentStyle(QLCDNumber::Filled);

QSlider *slider = new QSlider(Qt::Horizontal); slider->setRange(0, 99); slider->setValue(0);

connect(quit, SIGNAL(clicked()), qApp, SLOT(quit())); connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int)));

QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(quit); layout->addWidget(lcd); layout->addWidget(slider); setLayout(layout); }

int main(int argc, char *argv[]) { QApplication app(argc, argv); MyWidget widget; widget.show(); return app.exec(); }

Line by Line Walkthrough


class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

MyWidget::MyWidget(QWidget *parent) : QWidget(parent) { QPushButton *quit = new QPushButton(tr("Quit"));

quit->setFont(QFont("Times", 18, QFont::Bold));

QLCDNumber *lcd = new QLCDNumber(2); lcd->setSegmentStyle(QLCDNumber::Filled);

is a QLCDNumber, a widget that displays numbers in an LCD-like fashion. This instance is set up to display two digits. We set the QLCDNumber::segmentStyle property to QLCDNumber::Filled to make the LCDs more readable.
lcd

Historical note: QLCDNumber was the first widget ever written for Qt, back in the days when QPainter supported only one drawing primitive: drawLine(). The original version of the Tetrix example, which uses QLCDNumber to display the score, was also written around that time.
QSlider *slider = new QSlider(Qt::Horizontal); slider->setRange(0, 99); slider->setValue(0);

The user can use the QSlider widget to adjust an integer value in a range. Here we create a horizontal one, set its minimum value to 0, its maximum value to 99, and its initial value to 0.
connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int)));

Here we use the signals and slots mechanism to connect the slider's valueChanged() signal to the LCD number's display() slot. Whenever the slider's value changes it broadcasts the new value by emitting the valueChanged() signal. Because that signal is connected to the LCD number's display() slot, the slot is called when the signal is broadcast. Neither of the objects knows about the other. This is essential in component programming. Slots are otherwise normal C++ member functions and follow the normal C++ access rules.
QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(quit); layout->addWidget(lcd); layout->addWidget(slider); setLayout(layout);

now uses a QVBoxLayout to manage the geometry of its child widgets. For that reason, we don't need to specify the screen coordinates for each widget like we did in Chapter 4. In addition, using a layout ensures that the child widgets are resized when the window is resized. Then we add the quit, lcd and slider widgets to the layout using QBoxLayout::addWidget().
MyWidget

The QWidget::setLayout() function installs the layout on MyWidget. This makes the layout a child of MyWidget so we don't have to worry about deleting it; the parent-child relationship ensures that it will be deleted together with MyWidget. Also, the call to QWidget::setLayout() automatically reparents the widgets in the layout so that they are children of MyWidget. Because of this, we didn't need to specify this as the parent for the quit, lcd and slider widgets. In Qt, widgets are either children of other widgets (e.g. this), or they have no parent. A widget can be added to a layout, in which case the layout becomes responsible for managing the geometry of that widget, but the layout can never act as a parent itself. Indeed, QWidget's constructor takes a QWidget pointer for the parent, and QLayout doesn't inherit from QWidget.

Running the Application


The LCD number reflects everything you do to the slider, and the widget handles resizing well. Notice that the LCD number widget changes in size when the window is resized (because it can), but the others stay about the same (because otherwise they would look strange).

Exercises
Try changing the LCD number to add more digits or to change mode (QLCDNumber::setMode()). You can even add four push buttons to set the number base. You can also change the slider's range. Perhaps it would have been better to use QSpinBox than a slider? Try to make the application quit when the LCD number overflows.

Qt Tutorial 6 - Building Blocks Galore!


Files:
tutorials/tutorial/t6/main.cpp tutorials/tutorial/t6/t6.pro

This example shows how to encapsulate two widgets into a new component and how easy it is to use many widgets. For the first time, we use a custom widget as a child widget.
#include <QApplication> #include <QFont> #include <QGridLayout> #include <QLCDNumber> #include <QPushButton> #include <QSlider> #include <QVBoxLayout> #include <QWidget>

class LCDRange : public QWidget { public: LCDRange(QWidget *parent = 0); };

LCDRange::LCDRange(QWidget *parent) : QWidget(parent) { QLCDNumber *lcd = new QLCDNumber(2); lcd->setSegmentStyle(QLCDNumber::Filled);

QSlider *slider = new QSlider(Qt::Horizontal); slider->setRange(0, 99); slider->setValue(0); connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int)));

QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(lcd); layout->addWidget(slider); setLayout(layout); }

class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

MyWidget::MyWidget(QWidget *parent) : QWidget(parent) { QPushButton *quit = new QPushButton(tr("Quit")); quit->setFont(QFont("Times", 18, QFont::Bold));

connect(quit, SIGNAL(clicked()), qApp, SLOT(quit()));

QGridLayout *grid = new QGridLayout; for (int row = 0; row < 3; ++row) { for (int column = 0; column < 3; ++column) { LCDRange *lcdRange = new LCDRange; grid->addWidget(lcdRange, row, column); } }

QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(quit); layout->addLayout(grid); setLayout(layout); }

int main(int argc, char *argv[]) { QApplication app(argc, argv); MyWidget widget; widget.show(); return app.exec(); }

Line by Line Walkthrough


class LCDRange : public QWidget { public: LCDRange(QWidget *parent = 0); };

The LCDRange widget is a widget without any API. It just has a constructor. This sort of widget is not very useful, so we'll add some API later.
LCDRange::LCDRange(QWidget *parent) : QWidget(parent) { QLCDNumber *lcd = new QLCDNumber(2);

lcd->setSegmentStyle(QLCDNumber::Filled);

QSlider *slider = new QSlider(Qt::Horizontal); slider->setRange(0, 99); slider->setValue(0); connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int)));

QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(lcd); layout->addWidget(slider); setLayout(layout); }

This is lifted straight from the MyWidget constructor in Chapter 5. The only differences are that the Quit button is left out and the class is renamed.
class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); }; MyWidget,

too, contains no API except a constructor.

MyWidget::MyWidget(QWidget *parent) : QWidget(parent) { QPushButton *quit = new QPushButton(tr("Quit")); quit->setFont(QFont("Times", 18, QFont::Bold)); connect(quit, SIGNAL(clicked()), qApp, SLOT(quit()));

The push button that used to be in what is now LCDRange has been separated so that we can have one Quit button and many LCDRange objects.
QGridLayout *grid = new QGridLayout;

We create a QWidget with a QGridLayout that will contain three columns. The QGridLayout automatically arranges its widgets in rows and columns; you can specify the row and column numbers when adding widgets to the layout, and QGridLayout will fit them into the grid.
for (int row = 0; row < 3; ++row) { for (int column = 0; column < 3; ++column) {

LCDRange *lcdRange = new LCDRange; grid->addWidget(lcdRange, row, column); } }

We create nine LCDRange widgets, all of which are children of the grid object, and we arrange them in three rows and three columns.
QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(quit); layout->addLayout(grid); setLayout(layout); }

Finally, we add the Quit button and the grid layout containing LCDRange widgets, to the main layout. The QWidget::addLayout() function is similar to the QWidget::addWidget() function, making the given layout a child of the main layout. That's all.

Running the Application


This program shows how easy it is to use many widgets at a time. Each one behaves like the slider and LCD number in the previous chapter. Again, the difference lies in the implementation.

Exercises
Initialize each slider with a different/random value on startup.

Qt Tutorial 7 - One Thing Leads to Another


Files:
tutorials/tutorial/t7/lcdrange.cpp tutorials/tutorial/t7/lcdrange.h tutorials/tutorial/t7/main.cpp tutorials/tutorial/t7/t7.pro

This example shows how to create custom widgets with signals and slots, and how to connect them together in more complex ways. For the first time, the source is split among several files which we've placed in the tutorials/tutorial/t7 directory.

Line by Line Walkthrough


t7/lcdrange.h

This file is mainly lifted from main.cpp in Chapter 6; only the non-trivial changes are noted here.
#ifndef LCDRANGE_H #define LCDRANGE_H

This, together with the #endif at the end of the file, is the standard C++ construction to avoid errors if a header file happens to be included more than once. If you don't use it already, it is a very good habit to develop.
#include <QWidget>

is included since our LCDRange class inherits QWidget. The header file of a parent class must always be included - we cheated a bit in the previous chapters, and we let <QWidget> be included indirectly via other header files.
<QWidget> class QSlider;

This is another classic trick, but one that's much less used often. Because we don't need QSlider in the interface of the class, only in the implementation, we use a forward declaration of the class in the header file and include the header file for QSlider in the .cpp file. This makes the compilation of big projects much faster, because the compiler usually spends most of its time parsing header files, not the actual source code. This trick alone can often speed up compilations by a factor of two or more.
class LCDRange : public QWidget { Q_OBJECT

public: LCDRange(QWidget *parent = 0);

Note the Q_OBJECT. This macro must be included in all classes that contain signals and/or slots. If you are curious, it defines the functions that are implemented in the meta-object file.
int value() const;

public slots: void setValue(int value);

signals: void valueChanged(int newValue);

These three members make up an interface between this widget and other components in a program. Until now, LCDRange didn't really have an API at all.
value() is a public function for accessing the valueChanged() is our first custom signal.

value of the LCDRange, setValue() is our first custom slot, and

Slots must be implemented in the normal way (a slot is also a C++ member function). Signals are automatically implemented in the meta-object file. Signals follow the access rules of protected C++ functions (i.e., they can be emitted only by the class they are defined in or by classes inheriting from it). The valueChanged() signal is used when the LCDRange's value has changed.
t7/lcdrange.cpp

This file is mainly lifted from main.cpp in Chapter 6, and only the changes are noted here.
connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int))); connect(slider, SIGNAL(valueChanged(int)), this, SIGNAL(valueChanged(int)));

This code is from the LCDRange constructor. The first connect() call is the same that you have seen in the previous chapter. The second is new; it connects slider's valueChanged() signal to this object's valueChanged() signal. Yes, that's right. Signals can be connected to other signals. When the first is emitted, the second signal is also emitted. Let's look at what happens when the user operates the slider. The slider sees that its value has changed and emits the valueChanged() signal. That signal is connected both to the display() slot of the QLCDNumber and to the valueChanged() signal of the LCDRange. Thus, when the signal is emitted, LCDRange emits its own valueChanged() signal. In addition, QLCDNumber::display() is called and shows the new number. Note that you're not guaranteed any particular order of execution; LCDRange::valueChanged() may be emitted before or after QLCDNumber::display() is called.
int LCDRange::value() const { return slider->value(); }

The implementation of value() is straightforward. It simply returns the slider's value.

void LCDRange::setValue(int value) { slider->setValue(value); }

The implementation of setValue() is equally straightforward. Note that because the slider and LCD number are connected, setting the slider's value automatically updates the LCD number as well. In addition, the slider will automatically adjust the value if it is outside its legal range.
t7/main.cpp
LCDRange *previousRange = 0;

for (int row = 0; row < 3; ++row) { for (int column = 0; column < 3; ++column) { LCDRange *lcdRange = new LCDRange; grid->addWidget(lcdRange, row, column); if (previousRange) connect(lcdRange, SIGNAL(valueChanged(int)), previousRange, SLOT(setValue(int))); previousRange = lcdRange; } }

All of main.cpp is copied from the previous chapter except in the constructor for MyWidget. When we create the nine LCDRange objects, we connect them using the signals and slots mechanism. Each has its valueChanged() signal connected to the previous one's setValue() slot. Because LCDRange emits the valueChanged() signal when its value changes, we are here creating a chain of signals and slots.

Compiling the Application


Creating a makefile for a multi-file application is no different from creating one for a single-file application. If you've saved all the files in this example in their own directory, all you have to do is:
qmake -project qmake

The first command tells qmake to create a .pro file. The second command tells it to create a (platform-specific) makefile based on the project file. You should now be able to type make (or nmake if you're using Visual Studio) to build your application.

Running the Application


On startup, the program's appearance is identical to the previous one. Try operating the slider to the bottomright.

Exercises
Use the bottom-right slider to set all LCDs to 50. Then set the top six to 30 by clicking on the slider on the row above. Now, use the one to the left of the last one operated to set the first five LCDs back to 50.

Click to the left of the handle on the bottom-right slider. What happens? Why is this the correct behavior?

Qt Tutorial 8 - Preparing for Battle


Files:
tutorials/tutorial/t8/cannonfield.cpp tutorials/tutorial/t8/cannonfield.h tutorials/tutorial/t8/lcdrange.cpp tutorials/tutorial/t8/lcdrange.h tutorials/tutorial/t8/main.cpp tutorials/tutorial/t8/t8.pro

In this example, we introduce the first custom widget that can paint itself. We also add a useful keyboard interface (with two lines of code).

Line by Line Walkthrough


t8/lcdrange.h

This file is very similar to the lcdrange.h in Chapter 7. We have added one slot: setRange().
void setRange(int minValue, int maxValue);

We now add the possibility of setting the range of the LCDRange. Until now, it has been fixed at 0 to 99.
t8/lcdrange.cpp

There is a change to the constructor (we'll discuss that later).


void LCDRange::setRange(int minValue, int maxValue) {

if (minValue < 0 || maxValue > 99 || minValue > maxValue) { qWarning("LCDRange::setRange(%d, %d)\n" "\tRange must be 0..99\n" "\tand minValue must not be greater than maxValue", minValue, maxValue); return; } slider->setRange(minValue, maxValue); }

The setRange() slot sets the range of the slider in the LCDRange. Because we have set up the QLCDNumber to always display two digits, we want to limit the possible range of minVal and maxVal to avoid overflow of the QLCDNumber. (We could have allowed values down to -9 but chose not to.) If the arguments are illegal, we use Qt's qWarning() function to issue a warning to the user and return immediately. qWarning() is a printf-like function that by default sends its output to stderr. If you want, you can install your own handler function using qInstallMsgHandler().
t8/cannonfield.h
CannonField

is a new custom widget that knows how to display itself.

class CannonField : public QWidget { Q_OBJECT

public: CannonField(QWidget *parent = 0); CannonField

inherits QWidget. We use the same idiom as for LCDRange.

int angle() const { return currentAngle; }

public slots: void setAngle(int angle);

signals: void angleChanged(int newAngle);

For the time being, CannonField only contains an angle value for which we provide an interface using the same idiom as for value in LCDRange.
protected: void paintEvent(QPaintEvent *event);

This is the second of the many event handlers in QWidget that we encounter. This virtual function is called by Qt whenever a widget needs to update itself (i.e., paint the widget's surface).

t8/cannonfield.cpp
CannonField::CannonField(QWidget *parent) : QWidget(parent) {

Again, we use the same idiom as for LCDRange in the previous chapter.
currentAngle = 45; setPalette(QPalette(QColor(250, 250, 200))); setAutoFillBackground(true); }

The constructor initializes the angle value to 45 degrees and sets a custom palette for this widget. This palette uses the indicated color as background and picks other colors suitably. (For this widget only the background and text colors will actually be used.) We then call setAutoFillBackground(true) to tell Qt fill the background automatically. The QColor is specified as a RGB (red-green-blue) triplet, where each value is between 0 (dark) and 255 (bright). We could also have used a predefined color such as Qt::yellow instead of specifying an RGB value.
void CannonField::setAngle(int angle) { if (angle < 5) angle = 5; if (angle > 70) angle = 70; if (currentAngle == angle) return; currentAngle = angle; update(); emit angleChanged(currentAngle); }

This function sets the angle value. We have chosen a legal range of 5 to 70 and adjust the given number of degrees accordingly. We have chosen not to issue a warning if the new angle is out of range. If the new angle equals the old one, we return immediately. It is important to only emit the angleChanged() signal when the angle really has changed. Then we set the new angle value and repaint our widget. The QWidget::update() function clears the widget (usually filling it with its background color) and sends a paint event to the widget. This results in a call to the paint event function of the widget. Finally, we emit the angleChanged() signal to tell the outside world that the angle has changed. The emit keyword is unique to Qt and not regular C++ syntax. In fact, it is a macro.
void CannonField::paintEvent(QPaintEvent * /* event */) {

QPainter painter(this); painter.drawText(200, 200, tr("Angle = ") + QString::number(currentAngle)); }

This is our first attempt to write a paint event handler. The event argument contains information about the paint event, for example information about the region in the widget that must be updated. For the time being, we will be lazy and just paint everything. Our code displays the angle value in the widget at a fixed position. To achieve this we create a QPainter operating on the CannonField widget and use it to paint a string representation of the currentAngle value. We'll come back to QPainter later; it can do a great many things.
t8/main.cpp
#include "cannonfield.h"

We include the definition of our new class.


class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

The MyWidget class will include a single LCDRange and a CannonField.


LCDRange *angle = new LCDRange;

In the constructor, we create and set up the LCDRange widget.


angle->setRange(5, 70);

We set the LCDRange to accept angles from 5 to 70 degrees.


CannonField *cannonField = new CannonField;

We create our CannonField widget.


connect(angle, SIGNAL(valueChanged(int)), cannonField, SLOT(setAngle(int))); connect(cannonField, SIGNAL(angleChanged(int)), angle, SLOT(setValue(int)));

Here we connect the valueChanged() signal of the LCDRange to the setAngle() slot of the CannonField. This will update CannonField's angle value whenever the user operates the LCDRange. We also make the reverse connection so that changing the angle in the CannonField will update the LCDRange value. In our example we never change the angle of the CannonField directly; but by doing the last connect() we ensure that no future changes will disrupt the synchronization between those two values. This illustrates the power of component programming and proper encapsulation. Notice how important it is to emit the angleChanged() signal only when the angle actually changes. If both the LCDRange and the CannonField had omitted this check, the program would have entered an infinite loop upon the first change of one of the values.

QGridLayout *gridLayout = new QGridLayout;

So far, we have used QVBoxLayout for geometry management. Now, however, we want to have a little more control over the layout, and we switch to the more powerful QGridLayout class. QGridLayout isn't a widget; it is a different class that can manage the children of any widget. We don't need to specify any dimensions to the QGridLayout constructor. The QGridLayout will determine the number of rows and columns based on the grid cells we populate.

The diagram above shows the layout we're trying to achieve. The left side shows a schematic view of the layout; the right side is an actual screenshot of the program.
gridLayout->addWidget(quit, 0, 0);

We add the Quit button in the top-left cell of the grid, i.e., the cell with coordinates (0, 0).
gridLayout->addWidget(angle, 1, 0);

We put the angle LCDRange cell (1, 0).


gridLayout->addWidget(cannonField, 1, 1, 2, 1);

We let the CannonField object occupy cells (1, 1) and (2, 1).
gridLayout->setColumnStretch(1, 10);

We tell QGridLayout that the right column (column 1) is stretchable, with a stretch factor of 10. Because the left column isn't (its stretch factor is 0, the default value), QGridLayout will try to let the left-hand widgets' sizes be unchanged and will resize just the CannonField when the MyWidget is resized. In this particular example, any stretch factor greater than 0 for column 1 would have the same effect. In more complex layouts, you can use the stretch factors to tell that a particular column or row should stretch twice as fast as another by assigning appropriate stretch factors.
angle->setValue(60);

We set an initial angle value. Note that this will trigger the connection from LCDRange to CannonField.
angle->setFocus();

Our last action is to set angle to have keyboard focus so that keyboard input will go to the LCDRange widget by default. does not contain any keyPressEvent(), so that would seem not to be terribly useful. However, its constructor just got a new line:
LCDRange setFocusProxy(slider);

The LCDRange sets the slider to be its focus proxy. That means that when someone (the program or the user) wants to give the LCDRange keyboard focus, the slider should take care of it. QSlider has a decent keyboard interface, so with just one line of code we've given LCDRange one.

Running the Application


The keyboard now does something: The arrow keys, Home, End, PageUp, and PageDown all do something sensible. When the slider is operated, the CannonField displays the new angle value. Upon resizing, CannonField is given as much space as possible.

Exercises
Try to resize the window. What happens if you make it really narrow or really squat? If you give the left-hand column a non-zero stretch factor, what happens when you resize the window? Leave out the QWidget::setFocus() call. Which behavior do you prefer? Try to change "Quit" to "&Quit". How does the button's look change? (Whether it does change or not depends on the platform.) What happens if you press Alt+Q while the program is running? Center the text in the CannonField.

Qt Tutorial 9 - With Cannon You Can


Files:
tutorials/tutorial/t9/cannonfield.cpp tutorials/tutorial/t9/cannonfield.h tutorials/tutorial/t9/lcdrange.cpp tutorials/tutorial/t9/lcdrange.h tutorials/tutorial/t9/main.cpp tutorials/tutorial/t9/t9.pro

In this example we become graphic by drawing a cute little blue cannon. Only cannonfield.cpp differs from the previous chapter.

Line by Line Walkthrough


t9/cannonfield.cpp
void CannonField::paintEvent(QPaintEvent * /* event */) { QPainter painter(this);

We'll now start to use QPainter in earnest. We create a painter that operates on this widget.
painter.setPen(Qt::NoPen);

The edges of what QPainter draws are drawn using the pen. Here we set it to Qt::NoPen, meaning that there will be no special edge when we draw something.
painter.setBrush(Qt::blue);

When QPainter fills a rectangle, a circle, or whatever, it fills the shape using its brush. Here we set it to use a solid blue brush. (We could also use a pattern.) The blue brush will go all the way to the edges of the things we draw.
painter.translate(0, rect().height());

The QPainter::translate() function translates the coordinate system of the QPainter (i.e., it moves it by an offset). Here we set the (0, 0) point to the bottom-left corner of the widget. The x and y directions remain unchanged, i.e., all the y coordinates inside the widget are now negative. (See The Coordinate System for more information about Qt's coordinate system.)
painter.drawPie(QRect(-35, -35, 70, 70), 0, 90 * 16);

The QPainter::drawPie() function draws a pie shape inside the specified rectangle using a start angle and an arc length. The angles are specified in sixteenths of a degree. Zero degrees is at the 3 o'clock position. The drawing direction is counter-clockwise. Here we draw a quarter of a circle in the bottom-left corner of the widget. The pie is filled with blue and has no outline.
painter.rotate(-currentAngle);

The QPainter::rotate() function rotates the coordinate system of the QPainter around the origin. The rotation argument is a float given in degrees (not given in sixteenths of a degree as above) and clockwise. Here we rotate the coordinate system currentAngle degrees counter-clockwise.
painter.drawRect(QRect(30, -5, 20, 10));

The QPainter::drawRect() function draws the specified rectangle. Here we draw the barrel of the cannon. It can often be difficult to envision the resulting drawing when the coordinate system has been transformed (translated, rotated, scaled, or sheared) as above. In this case the coordinate system is first translated and then rotated. If the rectangle QRect(30, -5, 20, 10) had been drawn in the translated coordinate system, it would have looked like this:

Note that the rectangle is clipped by the border of the CannonField widget. When we rotate the coordinate system, for instance 60 degrees, the rectangle will be rotated around (0, 0), which is the bottom-left corner because we have translated the coordinate system. The result looks like this:

Running the Application


When the slider is operated the angle of the drawn cannon changes accordingly. The 'Q' on the Quit button is now underlined, and Alt+Q presses the button.

Exercises
Set a different pen instead of Qt::NoPen. Set a patterned brush. Try "Q&uit" or "Qu&it" as button text instead of "&Quit". What happens?

Qt Tutorial 10 - Smooth as Silk


Files:
tutorials/tutorial/t10/cannonfield.cpp tutorials/tutorial/t10/cannonfield.h tutorials/tutorial/t10/lcdrange.cpp tutorials/tutorial/t10/lcdrange.h tutorials/tutorial/t10/main.cpp tutorials/tutorial/t10/t10.pro

In this example, we add a force control.

Line by Line Walkthrough


t10/cannonfield.h

The CannonField now has a force value in addition to the angle.


int angle() const { return currentAngle; } int force() const { return currentForce; }

public slots: void setAngle(int angle); void setForce(int force);

signals: void angleChanged(int newAngle); void forceChanged(int newForce);

The interface to the force follows the same practice as for the angle.
private: QRect cannonRect() const;

We have put the definition of the cannon's enclosing rectangle in a separate function.
int currentAngle; int currentForce; };

The force is stored in the currentForce variable.


t10/cannonfield.cpp
CannonField::CannonField(QWidget *parent) : QWidget(parent) { currentAngle = 45; currentForce = 0; setPalette(QPalette(QColor(250, 250, 200))); setAutoFillBackground(true); }

The force is initialized to zero.


void CannonField::setAngle(int angle) { if (angle < 5)

angle = 5; if (angle > 70) angle = 70; if (currentAngle == angle) return; currentAngle = angle; update(cannonRect()); emit angleChanged(currentAngle); }

We have made a slight change in the setAngle() function. It repaints only the portion of the widget that contains the cannon.
void CannonField::setForce(int force) { if (force < 0) force = 0; if (currentForce == force) return; currentForce = force; emit forceChanged(currentForce); }

The implementation of setForce() is quite similar to that of setAngle(). The only difference is that because we don't show the force value, we don't need to repaint the widget.
void CannonField::paintEvent(QPaintEvent * /* event */) { QPainter painter(this);

painter.setPen(Qt::NoPen); painter.setBrush(Qt::blue);

painter.translate(0, height()); painter.drawPie(QRect(-35, -35, 70, 70), 0, 90 * 16); painter.rotate(-currentAngle); painter.drawRect(QRect(30, -5, 20, 10)); }

We paint as in Chapter 9.

QRect CannonField::cannonRect() const { QRect result(0, 0, 50, 50); result.moveBottomLeft(rect().bottomLeft()); return result; }

The cannonRect() function returns the rectangle enclosing the cannon in widget coordinates. First we create a rectangle with the size 50 x 50 and then move it so its bottom-left corner is equal to the widget's own bottomleft corner. The QWidget::rect() function returns the widget's enclosing rectangle in the widget's own coordinates. The topleft corner of the rectangle is always (0, 0).
t10/main.cpp
MyWidget::MyWidget(QWidget *parent) : QWidget(parent) {

The constructor is mostly the same, but some new bits have been added.
LCDRange *force = new LCDRange; force->setRange(10, 50);

We add a second LCDRange, which will be used to set the force.


connect(force, SIGNAL(valueChanged(int)), cannonField, SLOT(setForce(int))); connect(cannonField, SIGNAL(forceChanged(int)), force, SLOT(setValue(int)));

We connect the force widget and the cannonField widget, just like we did for the angle widget.
QVBoxLayout *leftLayout = new QVBoxLayout; leftLayout->addWidget(angle); leftLayout->addWidget(force);

QGridLayout *gridLayout = new QGridLayout; gridLayout->addWidget(quit, 0, 0); gridLayout->addLayout(leftLayout, 1, 0); gridLayout->addWidget(cannonField, 1, 1, 2, 1); gridLayout->setColumnStretch(1, 10);

In Chapter 9, we put angle in the lower-left cell of the layout. Now we want to have two widgets in that cell, so we make a vertical box, put the vertical box in the grid cell, and put each of angle and range in the vertical box.

force->setValue(25);

We initialize the force value to 25.

Running the Application


We now have a force control.

Exercises
Make the size of the cannon barrel be dependent on the force. Put the cannon in the bottom-right corner. Try adding a better keyboard interface. For example, make + and - increase and decrease the force and enter shoot. If you're bothered by the way the Left and Right keys work, change that too. [Hint: Reimplement QWidget::keyPressEvent().]

Qt Tutorial 11 - Giving It a Shot


Files:
tutorials/tutorial/t11/cannonfield.cpp tutorials/tutorial/t11/cannonfield.h tutorials/tutorial/t11/lcdrange.cpp tutorials/tutorial/t11/lcdrange.h tutorials/tutorial/t11/main.cpp tutorials/tutorial/t11/t11.pro

In this example we introduce a timer to implement animated shooting.

Line by Line Walkthrough


t11/cannonfield.h

The CannonField now has shooting capabilities.


void shoot();

Calling this slot will make the cannon shoot if a shot is not in the air.
private slots: void moveShot();

This private slot is used to move the shot while it is in the air, using a QTimer.
private: void paintShot(QPainter &painter);

This private function paints the shot.


QRect shotRect() const;

This private function returns the shot's enclosing rectangle if one is in the air; otherwise the returned rectangle is undefined.
int timerCount; QTimer *autoShootTimer; float shootAngle; float shootForce; };

These private variables contain information that describes the shot. The timerCount keeps track of the time passed since the shot was fired. The shootAngle is the cannon angle and shootForce is the cannon force when the shot was fired.
t11/cannonfield.cpp
#include <math.h>

We include <math.h> because we need the sin() and cos() functions. (An alternative would be to include the more modern <cmath> header file. Unfortunately, some Unix platforms still don't support these properly.)
CannonField::CannonField(QWidget *parent) : QWidget(parent) { currentAngle = 45; currentForce = 0; timerCount = 0; autoShootTimer = new QTimer(this); connect(autoShootTimer, SIGNAL(timeout()), this, SLOT(moveShot())); shootAngle = 0; shootForce = 0;

setPalette(QPalette(QColor(250, 250, 200))); setAutoFillBackground(true); }

We initialize our new private variables and connect the QTimer::timeout() signal to our moveShot() slot. We'll move the shot every time the timer times out.
void CannonField::shoot() { if (autoShootTimer->isActive()) return; timerCount = 0; shootAngle = currentAngle; shootForce = currentForce; autoShootTimer->start(5); }

This function shoots a shot unless a shot is in the air. The timerCount is reset to zero. The shootAngle and shootForce variables are set to the current cannon angle and force. Finally, we start the timer.
void CannonField::moveShot() { QRegion region = shotRect(); ++timerCount;

QRect shotR = shotRect();

if (shotR.x() > width() || shotR.y() > height()) { autoShootTimer->stop(); } else { region = region.unite(shotR); } update(region); } moveShot()

is the slot that moves the shot, called every 5 milliseconds when the QTimer fires.

Its tasks are to compute the new position, update the screen with the shot in the new position, and if necessary, stop the timer. First we make a QRegion that holds the old shotRect(). A QRegion is capable of holding any sort of region, and we'll use it here to simplify the painting. shotRect() returns the rectangle where the shot is now. It is explained in detail later.

Then we increment the timerCount, which has the effect of moving the shot one step along its trajectory. Next we fetch the new shot rectangle. If the shot has moved beyond the right or bottom edge of the widget we stop the timer, or we add the new shotRect() to the QRegion. Finally, we repaint the QRegion. This will send a single paint event for just the one or two rectangles that need updating.
void CannonField::paintEvent(QPaintEvent * /* event */) { QPainter painter(this);

paintCannon(painter); if (autoShootTimer->isActive()) paintShot(painter); }

The paint event function has been simplified since the previous chapter. Most of the logic has been moved to the new paintShot() and paintCannon() functions.
void CannonField::paintShot(QPainter &painter) { painter.setPen(Qt::NoPen); painter.setBrush(Qt::black); painter.drawRect(shotRect()); }

This private function paints the shot by drawing a black filled rectangle. We leave out the implementation of paintCannon(); it is the same as the QWidget::paintEvent() reimplementation from the previous chapter.
QRect CannonField::shotRect() const { const double gravity = 4;

double time = timerCount / 20.0; double velocity = shootForce; double radians = shootAngle * 3.14159265 / 180;

double velx = velocity * cos(radians); double vely = velocity * sin(radians); double x0 = (barrelRect.right() + 5) * cos(radians);

double y0 = (barrelRect.right() + 5) * sin(radians); double x = x0 + velx * time; double y = y0 + vely * time - 0.5 * gravity * time * time;

QRect result(0, 0, 6, 6); result.moveCenter(QPoint(qRound(x), height() - 1 - qRound(y))); return result; }

This private function calculates the center point of the shot and returns the enclosing rectangle of the shot. It uses the initial cannon force and angle in addition to timerCount, which increases as time passes. The formula used is the standard Newtonian formula for frictionless movement in a gravity field. For simplicity, we've chosen to disregard any Einsteinian effects. We calculate the center point in a coordinate system where y coordinates increase upward. After we have calculated the center point, we construct a QRect with size 6 x 6 and move its center point to the point calculated above. In the same operation we convert the point into the widget's coordinate system (see The Coordinate System). The qRound() function is an inline function defined in <QtGlobal> (included by all other Qt header files). qRound() rounds a double to the closest integer.
t11/main.cpp
class MyWidget : public QWidget { public: MyWidget(QWidget *parent = 0); };

The only addition is the Shoot button.


QPushButton *shoot = new QPushButton(tr("&Shoot")); shoot->setFont(QFont("Times", 18, QFont::Bold));

In the constructor we create and set up the Shoot button exactly like we did with the Quit button.
connect(shoot, SIGNAL(clicked()), cannonField, SLOT(shoot()));

Connects the clicked() signal of the Shoot button to the shoot() slot of the CannonField.

Running the Application


The cannon can shoot, but there's nothing to shoot at.

Exercises
Make the shot a filled circle. [Hint: QPainter::drawEllipse() may help.] Change the color of the cannon when a shot is in the air.

Qt Tutorial 12 - Hanging in the Air the Way Bricks Don't


Files:
tutorials/tutorial/t12/cannonfield.cpp tutorials/tutorial/t12/cannonfield.h tutorials/tutorial/t12/lcdrange.cpp tutorials/tutorial/t12/lcdrange.h tutorials/tutorial/t12/main.cpp tutorials/tutorial/t12/t12.pro

In this example, we extend our LCDRange class to include a text label. We also provide something to shoot at.

Line by Line Walkthrough


t12/lcdrange.h

The LCDRange now has a text label.


class QLabel; class QSlider;

We forward declare QLabel and QSlider because we want to use pointers to them in the class definition. We could also use #include, but that would slow down compilation for nothing.
class LCDRange : public QWidget { Q_OBJECT

public: LCDRange(QWidget *parent = 0); LCDRange(const QString &text, QWidget *parent = 0);

We have added a new constructor that sets the label text in addition to the parent.
QString text() const;

This function returns the label text.


void setText(const QString &text);

This slot sets the label text.


private: void init();

Because we now have two constructors, we have chosen to put the common initialization in the private init() function.
QLabel *label;

We also have a new private variable: a QLabel. QLabel is one of Qt's standard widgets and can show a text or a QPixmap with or without a frame.
t12/lcdrange.cpp
LCDRange::LCDRange(QWidget *parent) : QWidget(parent) { init(); }

This constructor calls the init() function, which contains the common initialization code.
LCDRange::LCDRange(const QString &text, QWidget *parent) : QWidget(parent) { init(); setText(text); }

This constructor first calls init() and then sets the label text.
void LCDRange::init() { QLCDNumber *lcd = new QLCDNumber(2); lcd->setSegmentStyle(QLCDNumber::Filled);

slider = new QSlider(Qt::Horizontal);

slider->setRange(0, 99); slider->setValue(0); label = new QLabel; label->setAlignment(Qt::AlignHCenter | Qt::AlignTop);

connect(slider, SIGNAL(valueChanged(int)), lcd, SLOT(display(int))); connect(slider, SIGNAL(valueChanged(int)), this, SIGNAL(valueChanged(int)));

QVBoxLayout *layout = new QVBoxLayout; layout->addWidget(lcd); layout->addWidget(slider); layout->addWidget(label); setLayout(layout);

setFocusProxy(slider); }

The setup of lcd and slider is the same as in the previous chapter. Next we create a QLabel and tell it to align the contents centered horizontally and to the top vertically. The QObject::connect() calls have also been taken from the previous chapter.
QString LCDRange::text() const { return label->text(); }

This function returns the label text.


void LCDRange::setText(const QString &text) { label->setText(text); }

This function sets the label text.


t12/cannonfield.h

The CannonField now has two new signals: hit() and missed(). In addition, it contains a target.
void newTarget();

This slot creates a target at a new position.

signals: void hit(); void missed();

The hit() signal is emitted when a shot hits the target. The missed() signal is emitted when the shot moves beyond the right or bottom edge of the widget (i.e., it is certain that it has not and will not hit the target).
void paintTarget(QPainter &painter);

This private function paints the target.


QRect targetRect() const;

This private function returns the enclosing rectangle of the target.


QPoint target;

This private variable contains the center point of the target.


t12/cannonfield.cpp
#include <stdlib.h>

We include the <stdlib.h> header file because we need the qrand() function.
newTarget();

This line has been added to the constructor. It creates a "random" position for the target. In fact, the newTarget() function will try to paint the target. Because we are in a constructor, the CannonField widget is invisible. Qt guarantees that no harm is done when calling QWidget::update() on a hidden widget.
void CannonField::newTarget() { static bool firstTime = true;

if (firstTime) { firstTime = false; QTime midnight(0, 0, 0); qsrand(midnight.secsTo(QTime::currentTime())); } target = QPoint(200 + qrand() % 190, 10 + qrand() % 255); update(); }

This private function creates a target center point at a new random position. We use the qrand() function to fetch random integers. The qrand() function normally returns the same series of numbers each time you run a program. This would make the target appear at the same position every time. To avoid this, we must set a random seed the first time this function is called. The random seed must also be random in order to avoid equal random number series. The solution is to use the number of seconds that have passed since midnight as a pseudo-random value.

First we create a static bool local variable. A static variable like this one is guaranteed to keep its value between calls to the function. The if test will succeed only the first time this function is called because we set firstTime to false inside the if block. Then we create the QTime object midnight, which represents the time 00:00:00. Next we fetch the number of seconds from midnight until now and use it as a random seed. See the documentation for QDate, QTime, and QDateTime for more information. Finally we calculate the target's center point. We keep it within the rectangle (x = 200, y = 35, width = 190, height = 255), i.e., the possible x and y values are 200 to 389 and 35 to 289, respectively) in a coordinate system where we put y position 0 at the bottom edge of the widget and let y values increase upwards x is as normal, with 0 at the left edge and with x values increasing to the right. By experimentation we have found this to always be in reach of the shot.
void CannonField::moveShot() { QRegion region = shotRect(); ++timerCount;

QRect shotR = shotRect();

This part of the timer event has not changed from the previous chapter.
if (shotR.intersects(targetRect())) { autoShootTimer->stop(); emit hit();

This if statement checks whether the shot rectangle intersects the target rectangle. If it does, the shot has hit the target (ouch!). We stop the shoot timer and emit the hit() signal to tell the outside world that a target was destroyed, and return. Note that we could have created a new target on the spot, but because the CannonField is a component we leave such decisions to the user of the component.
} else if (shotR.x() > width() || shotR.y() > height()) { autoShootTimer->stop(); emit missed();

This if statement is the same as in the previous chapter, except that it now emits the missed() signal to tell the outside world about the failure.
} else { region = region.unite(shotR); } update(region); }

And the rest of the function is as before.


CannonField::paintEvent()

is as before, except that this has been added:

paintTarget(painter);

This line makes sure that the target is also painted when necessary.
void CannonField::paintTarget(QPainter &painter) { painter.setPen(Qt::black); painter.setBrush(Qt::red); painter.drawRect(targetRect()); }

This private function paints the target; a rectangle filled with red and with a black outline.
QRect CannonField::targetRect() const { QRect result(0, 0, 20, 10); result.moveCenter(QPoint(target.x(), height() - 1 - target.y())); return result; }

This private function returns the enclosing rectangle of the target. Remember from newTarget() that the target point uses y coordinate 0 at the bottom of the widget. We calculate the point in widget coordinates before we call QRect::moveCenter(). The reason we have chosen this coordinate mapping is to fix the distance between the target and the bottom of the widget. Remember that the widget can be resized by the user or the program at any time.
t12/main.cpp

There are no new members in the MyWidget class, but we have slightly changed the constructor to set the new LCDRange text labels.
LCDRange *angle = new LCDRange(tr("ANGLE"));

We set the angle text label to "ANGLE".


LCDRange *force = new LCDRange(tr("FORCE"));

We set the force text label to "FORCE".

Running the Application


The LCDRange widgets look a bit strange: When resizing MyWidget, the built-in layout management in QVBoxLayout gives the labels too much space and the rest not enough; making the space between the two LCDRange widgets change size. We'll fix that in the next chapter.

Exercises
Make a cheat button that, when pressed, makes the CannonField display the shot trajectory for five seconds. If you did the "round shot" exercise from the previous chapter, try changing the shotRect() to a shotRegion() that returns a QRegion so you can have really accurate collision detection. Make a moving target. Make sure that the target is always created entirely on-screen.

Make sure that the widget cannot be resized so that the target isn't visible. [Hint: QWidget::setMinimumSize() is your friend.] Not easy; make it possible to have several shots in the air at the same time. [Hint: Make a Shot class.]

Qt Tutorial 13 - Game Over


Files:
tutorials/tutorial/t13/cannonfield.cpp tutorials/tutorial/t13/cannonfield.h tutorials/tutorial/t13/gameboard.cpp tutorials/tutorial/t13/gameboard.h tutorials/tutorial/t13/lcdrange.cpp tutorials/tutorial/t13/lcdrange.h tutorials/tutorial/t13/main.cpp tutorials/tutorial/t13/t13.pro

In this example we start to approach a real playable game with a score. We give MyWidget a new name (GameBoard) and add some slots. We put the definition in gameboard.h and the implementation in gameboard.cpp. The CannonField now has a game over state. The layout problems in LCDRange are fixed.

Line by Line Walkthrough


t13/lcdrange.cpp
label->setSizePolicy(QSizePolicy::Preferred, QSizePolicy::Fixed);

We set the size policy of the QLabel to (Preferred, Fixed). The vertical component ensures that the label won't stretch or shrink vertically; it will stay at its optimal size (its sizeHint()). This solves the layout problems observed in Chapter 12.
t13/cannonfield.h

The CannonField now has a game over state and a few new functions.
bool gameOver() const { return gameEnded; }

This function returns true if the game is over, false if a game is going on.
void setGameOver(); void restartGame();

Here are two new slots: setGameOver() and restartGame().


void canShoot(bool can);

This new signal indicates that the CannonField is in a state where the shoot() slot makes sense. We'll use it below to enable or disable the Shoot button.
bool gameEnded;

This private variable contains the game state; true means that the game is over, and false means that a game is going on.
t13/cannonfield.cpp
gameEnded = false;

This line has been added to the constructor. Initially, the game is not over (luckily for the player :-).
void CannonField::shoot() { if (isShooting()) return; timerCount = 0; shootAngle = currentAngle; shootForce = currentForce; autoShootTimer->start(5); emit canShoot(false); }

We added a new isShooting() function, so shoot() uses it instead of testing directly. Also, shoot tells the world that the CannonField cannot shoot now.
void CannonField::setGameOver() { if (gameEnded) return; if (isShooting())

autoShootTimer->stop(); gameEnded = true; update(); }

This slot ends the game. It must be called from outside CannonField, because this widget does not know when to end the game. This is an important design principle in component programming. We choose to make the component as flexible as possible to make it usable with different rules (for example, a multi-player version of this in which the first player to hit ten times wins could use the CannonField unchanged). If the game has already been ended we return immediately. If a game is going on we stop the shot, set the game over flag, and repaint the entire widget.
void CannonField::restartGame() { if (isShooting()) autoShootTimer->stop(); gameEnded = false; update(); emit canShoot(true); }

This slot starts a new game. If a shot is in the air, we stop shooting. We then reset the gameEnded variable and repaint the widget.
moveShot()

too emits the new canShoot(true) signal at the same time as either hit() or miss().

Modifications in CannonField::paintEvent():
void CannonField::paintEvent(QPaintEvent * /* event */) { QPainter painter(this);

if (gameEnded) { painter.setPen(Qt::black); painter.setFont(QFont("Courier", 48, QFont::Bold)); painter.drawText(rect(), Qt::AlignCenter, tr("Game Over")); }

The paint event has been enhanced to display the text "Game Over" if the game is over, i.e., gameEnded is true. We don't bother to check the update rectangle here because speed is not critical when the game is over. To draw the text we first set a black pen; the pen color is used when drawing text. Next we choose a 48 point bold font from the Courier family. Finally we draw the text centered in the widget's rectangle. Unfortunately, on some systems (especially X servers with Unicode fonts) it can take a while to load such a large font. Because Qt caches fonts, you will notice this only the first time the font is used.
paintCannon(painter);

if (isShooting()) paintShot(painter); if (!gameEnded) paintTarget(painter); }

We draw the shot only when shooting and the target only when playing (that is, when the game is not ended).
t13/gameboard.h

This file is new. It contains the definition of the GameBoard class, which was last seen as MyWidget.
class CannonField;

class GameBoard : public QWidget { Q_OBJECT

public: GameBoard(QWidget *parent = 0);

protected slots: void fire(); void hit(); void missed(); void newGame();

private: QLCDNumber *hits; QLCDNumber *shotsLeft; CannonField *cannonField; };

We have now added four slots. These are protected and are used internally. We have also added two QLCDNumbers (hits and shotsLeft) that display the game status.
t13/gameboard.cpp

This file is new. It contains the implementation of the GameBoard class, which was last seen as MyWidget. We have made some changes in the GameBoard constructor.
cannonField = new CannonField; cannonField

is now a member variable, so we carefully change the constructor to use it.

connect(cannonField, SIGNAL(hit()), this, SLOT(hit())); connect(cannonField, SIGNAL(missed()), this, SLOT(missed()));

This time we want to do something when the shot has hit or missed the target. Thus we connect the hit() and missed() signals of the CannonField to two protected slots with the same names in this class.
connect(shoot, SIGNAL(clicked()), this, SLOT(fire()));

Previously we connected the Shoot button's clicked() signal directly to the CannonField's shoot() slot. This time we want to keep track of the number of shots fired, so we connect it to a protected slot in this class instead. Notice how easy it is to change the behavior of a program when you are working with self-contained components.
connect(cannonField, SIGNAL(canShoot(bool)), shoot, SLOT(setEnabled(bool)));

We also use the cannonField's canShoot() signal to enable or disable the Shoot button appropriately.
QPushButton *restart = new QPushButton(tr("&New Game")); restart->setFont(QFont("Times", 18, QFont::Bold));

connect(restart, SIGNAL(clicked()), this, SLOT(newGame()));

We create, set up, and connect the New Game button as we have done with the other buttons. Clicking this button will activate the newGame() slot in this widget.
hits = new QLCDNumber(2); hits->setSegmentStyle(QLCDNumber::Filled);

shotsLeft = new QLCDNumber(2); shotsLeft->setSegmentStyle(QLCDNumber::Filled);

QLabel *hitsLabel = new QLabel(tr("HITS")); QLabel *shotsLeftLabel = new QLabel(tr("SHOTS LEFT"));

We create four new widgets. Note that we don't bother to keep the pointers to the QLabel widgets in the GameBoard class because there's nothing much we want to do with them. Qt will delete them when the GameBoard widget is destroyed, and the layout classes will resize them appropriately.
QHBoxLayout *topLayout = new QHBoxLayout; topLayout->addWidget(shoot); topLayout->addWidget(hits); topLayout->addWidget(hitsLabel);

topLayout->addWidget(shotsLeft); topLayout->addWidget(shotsLeftLabel); topLayout->addStretch(1); topLayout->addWidget(restart);

The top-right cell of the QGridLayout is starting to get crowded. We put a stretch just to the left of the New Game button to ensure that this button will always appear on the right side of the window.
newGame();

We're all done constructing the GameBoard, so we start it all using newGame(). Although newGame() is a slot, it can also be used as an ordinary function.
void GameBoard::fire() { if (cannonField->gameOver() || cannonField->isShooting()) return; shotsLeft->display(shotsLeft->intValue() - 1); cannonField->shoot(); }

This function fires a shot. If the game is over or if there is a shot in the air, we return immediately. We decrement the number of shots left and tell the cannon to shoot.
void GameBoard::hit() { hits->display(hits->intValue() + 1); if (shotsLeft->intValue() == 0) cannonField->setGameOver(); else cannonField->newTarget(); }

This slot is activated when a shot has hit the target. We increment the number of hits. If there are no shots left, the game is over. Otherwise, we make the CannonField generate a new target.
void GameBoard::missed() { if (shotsLeft->intValue() == 0) cannonField->setGameOver(); }

This slot is activated when a shot has missed the target. If there are no shots left, the game is over.
void GameBoard::newGame() {

shotsLeft->display(15); hits->display(0); cannonField->restartGame(); cannonField->newTarget(); }

This slot is activated when the user clicks the New Game button. It is also called from the constructor. First it sets the number of shots to 15. Note that this is the only place in the program where we set the number of shots. Change it to whatever you like to change the game rules. Next we reset the number of hits, restart the game, and generate a new target.
t13/main.cpp

This file has just been on a diet. MyWidget is gone, and the only thing left is the main() function, unchanged except for the name change.

Running the Application


The cannon can shoot at a target; a new target is automatically created when one has been hit. Hits and shots left are displayed and the program keeps track of them. The game can end, and there's a button to start a new game.

Exercises
Add a random wind factor and show it to the user. Make some splatter effects when the shot hits the target. Implement multiple targets.

Qt Tutorial 14 - Facing the Wall


Files:
tutorials/tutorial/t14/cannonfield.cpp tutorials/tutorial/t14/cannonfield.h tutorials/tutorial/t14/gameboard.cpp tutorials/tutorial/t14/gameboard.h tutorials/tutorial/t14/lcdrange.cpp tutorials/tutorial/t14/lcdrange.h tutorials/tutorial/t14/main.cpp tutorials/tutorial/t14/t14.pro

This is the final example: a complete game. We add keyboard accelerators and introduce mouse events to CannonField. We put a frame around the CannonField and add a barrier (wall) to make the game more challenging.

Line by Line Walkthrough


t14/cannonfield.h

The CannonField can now receive mouse events to make the user aim the barrel by clicking on it and dragging. CannonField also has a barrier wall.
protected: void paintEvent(QPaintEvent *event); void mousePressEvent(QMouseEvent *event); void mouseMoveEvent(QMouseEvent *event); void mouseReleaseEvent(QMouseEvent *event);

In addition to the familiar event handlers, CannonField implements three mouse event handlers. The names say it all.
void paintBarrier(QPainter &painter);

This private function paints the barrier wall.


QRect barrierRect() const;

This private function returns the enclosing rectangle of the barrier.


bool barrelHit(const QPoint &pos) const;

This private function checks if a point is inside the barrel of the cannon.

bool barrelPressed;

This private variable is true if the user has pressed the mouse on the barrel and not released it.
t14/cannonfield.cpp
barrelPressed = false;

This line has been added to the constructor. Initially, the mouse is not pressed on the barrel.
} else if (shotR.x() > width() || shotR.y() > height() || shotR.intersects(barrierRect())) {

Now that we have a barrier, there are three ways to miss. We test for the third, too.
void CannonField::mousePressEvent(QMouseEvent *event) { if (event->button() != Qt::LeftButton) return; if (barrelHit(event->pos())) barrelPressed = true; }

This is a Qt event handler. It is called when the user presses a mouse button when the mouse cursor is over the widget. If the event was not generated by the left mouse button, we return immediately. Otherwise, we check if the position of the mouse cursor is within the cannon's barrel. If it is, we set barrelPressed to true. Notice that the QMouseEvent::pos() function returns a point in the widget's coordinate system.
void CannonField::mouseMoveEvent(QMouseEvent *event) { if (!barrelPressed) return; QPoint pos = event->pos(); if (pos.x() <= 0) pos.setX(1); if (pos.y() >= height()) pos.setY(height() - 1); double rad = atan(((double)rect().bottom() - pos.y()) / pos.x()); setAngle(qRound(rad * 180 / 3.14159265)); }

This is another Qt event handler. It is called when the user already has pressed the mouse button inside this widget and then moves/drags the mouse. (You can make Qt send mouse move events even when no buttons are pressed. See QWidget::setMouseTracking().) This handler repositions the cannon's barrel according to the position of the mouse cursor.

First, if the barrel is not pressed, we return. Next, we fetch the mouse cursor's position. If the mouse cursor is to the left or below the widget, we adjust the point to be inside the widget. Then we calculate the angle between the bottom edge of the widget and the imaginary line between the bottomleft corner of the widget and the cursor position. Finally we set the cannon's angle to the new value converted to degrees. Remember that setAngle() redraws the cannon.
void CannonField::mouseReleaseEvent(QMouseEvent *event) { if (event->button() == Qt::LeftButton) barrelPressed = false; }

This Qt event handler is called whenever the user releases a mouse button and it was pressed inside this widget. If the left button is released, we can be sure that the barrel is no longer pressed. The paint event has one extra line:
paintBarrier(painter); paintBarrier()

does the same sort of thing as paintShot(), paintTarget(), and paintCannon().

void CannonField::paintBarrier(QPainter &painter) { painter.setPen(Qt::black); painter.setBrush(Qt::yellow); painter.drawRect(barrierRect()); }

This private function paints the barrier as a rectangle filled with yellow and with a black outline.
QRect CannonField::barrierRect() const { return QRect(145, height() - 100, 15, 99); }

This private function returns the rectangle of the barrier. We fix the bottom edge of the barrier to the bottom edge of the widget.
bool CannonField::barrelHit(const QPoint &pos) const { QMatrix matrix; matrix.translate(0, height()); matrix.rotate(-currentAngle); matrix = matrix.inverted(); return barrelRect.contains(matrix.map(pos));

This function returns true if the point is in the barrel; otherwise it returns false. Here we use the class QMatrix. QMatrix defines a coordinate system mapping. It can perform the same transformations as the QPainter. Here we perform the same transformation steps as we do when drawing the barrel in the paintCannon() function. First we translate the coordinate system and then we rotate it. Now we need to check whether the point pos (in widget coordinates) lies inside the barrel. To do this, we invert the transformation matrix. The inverted matrix performs the inverse transformation that we used when drawing the barrel. We map the point pos using the inverted matrix and return true if it is inside the original barrel rectangle.
t14/gameboard.cpp
QFrame *cannonBox = new QFrame; cannonBox->setFrameStyle(QFrame::WinPanel | QFrame::Sunken);

We create and set up a QFrame, and set its frame style. This results in a 3D frame around the CannonField.
(void) new QShortcut(Qt::Key_Enter, this, SLOT(fire())); (void) new QShortcut(Qt::Key_Return, this, SLOT(fire())); (void) new QShortcut(Qt::CTRL + Qt::Key_Q, this, SLOT(close()));

Here we create and set up three QShortcut objects. These objects intercept keyboard events to a widget and call slots if certain keys are pressed. Note that a QShortcut object is a child of a widget and will be destroyed when that widget is destroyed. QShortcut itself is not a widget and has no visible effect on its parent. We define three shortcut keys. We want the fire() slot to be called when the user presses Enter or Return. We also want the application to quit when key Ctrl+Q is pressed. Instead of connecting to QCoreApplication::quit(), we connect to QWidget::close() this time. Since the GameBoard is the application's main widget, this has the same effect as quit(). Qt::CTRL, Qt::Key_Enter, Qt::Key_Return, and Qt::Key_Q are all constants declared in the Qt namespace.
QVBoxLayout *cannonLayout = new QVBoxLayout; cannonLayout->addWidget(cannonField); cannonBox->setLayout(cannonLayout);

QGridLayout *gridLayout = new QGridLayout; gridLayout->addWidget(quit, 0, 0); gridLayout->addLayout(topLayout, 0, 1); gridLayout->addLayout(leftLayout, 1, 0); gridLayout->addWidget(cannonBox, 1, 1, 2, 1); gridLayout->setColumnStretch(1, 10); setLayout(gridLayout);

We give cannonBox its own QVBoxLayout, and we add cannonField to that layout. This implicitly makes cannonField a child of cannonBox. Because nothing else is in the box, the effect is that the QVBoxLayout will put a frame around the CannonField. We put cannonBox, not cannonField, in the grid layout.

Running the Application


The cannon now shoots when you press Enter. You can also position the cannon's angle using the mouse. The barrier makes it a little more challenging to play the game. We also have a nice looking frame around the CannonField.

Exercises
Write a space invaders game. (This exercise was first done by Igor Rafienko. You can download his game.) The new exercise is: Write a Breakout game. Final exhortation: Go forth now and create masterpieces of the programming art!

You might also like