Viadeo Twitter Google Bookmarks ! Facebook Digg del.icio.us MySpace Yahoo MyWeb Blinklist Netvouz Reddit Simpy StumbleUpon Bookmarks Windows Live Favorites 
Logo Documentation Qt ·  Page d'accueil  ·  Toutes les classes  ·  Toutes les fonctions  ·  Vues d'ensemble  · 

Image Viewer Tutorial: Part 2

UI Specification

Adding Content

Creating the list screen

Before content can be added to the list screen, the first thing to do is to create it in iviewer.

For every screen added, a function has to be created in the iviewer class for lazy creation.

File: iviewer.cpp

    IViewer::IViewer(QWidget *parent, Qt::WFlags /*f*/)
    : QStackedWidget(parent)
    {
        _listScreen  = 0;
        _imageScreen = 0;
        setWindowTitle("Image Viewer");
    }

Don't forget that the _listScreen member must be initialized with 0 in the constructor and added as private to the header file. Now calling the following function in the constructor will set the list screen as the current widget

File: iviewer.cpp

    IViewer::IViewer(QWidget *parent, Qt::WFlags /*f*/)
    : QStackedWidget(parent)
    {
        ...
        setCurrentWidget(listScreen());
        ...
    }

Setup the model

For the content, the Qt Extended document system, which provides a very handy way to retrieve our content, should be used.

File: listscreen.cpp

    void ListScreen::setupContent()
    {
        _cs  = new QContentSet(QContentFilter::MimeType, "image/png", this);
        _csm = new QContentSetModel(_cs, this);
    }

The QContentSet represents a set of QContent defined over the mime type "image/png". The content model is a QAbstractListModel which could be set directly to the QListWidget, if the setModel(...) method were not private in QListWidget. This is done, because the QListWidget shall only be used with the QListWidgetItem class. The corresponding view class has to be used in order to use a model. See model-view programming.

Testing the View class To test, the QListWidget must be replaced with a QListView class everywhere and setModel(_csm) must be added to the ListScreen::setupContent() method. As long as some png files are present in the $HOME/Documents folder, it should show the list of files and their mime type icons. In an imageviewer, thumbnails should be shown rather than mimetype icons. The model will be tweaked later. For now, it is fine to just use the model as a list of Content objects, from which necessary information can be retrieved.

Populating the list

To populate the list, the list is first cleared and then filled with data from the content set items. For each content, a QListWidgetItem is created. The icon for the list item is set based on the content file information. The text of the item is taken from the content name. It provides the image name, without the extension.

    void ListScreen::populate()
    {
        clear();
        foreach (QContent c, _cs->items()) {
            QListWidgetItem *i = new QListWidgetItem(this);
            QIcon icon(c.file());
            i->setText(c.name());
            i->setIcon(icon);
        }
        if (count() > 0) {
            QListWidgetItem *i = item(0);
            setCurrentItem(i);
        }
    }

If at least one item populates the list, the first item is set as the current item. The list has a concept of current item and selected items. To ensure that the current item is also the selected item, the selection mode setSelectionMode(QAbstractItemView::SingleSelection) is set in a separate setupUi() method, which is called from the constructor. (See QAbstractItemView).

    void ListScreen::setupUi()
    {
        setSelectionMode(QAbstractItemView::SingleSelection);
        setIconSize(QSize(32,32));
        connect(this, SIGNAL(activated(QModelIndex)),
                this, SLOT(onImageActivated(QModelIndex)));
        createActions();
        createMenu();
    }

Now it is time for another try. The application should be rebuilt and launched. All png files in the $HOME/Documents folder should appear in the list with a small icon in front. To make the icons larger, setIconSize(QSize(32,32));, in the setupUi() method, can be changed to provide icons with a different size.

The next part will handle some actions...

Providing Actions to the list screen

From the specification, the list screen shall contain several actions (see QAction). To add the actions, they first have to be created and then added to the menu (see QMenu). The first action will be "Open". This action needs to be connected to a slot, called "onOpenImage()", then the slot has to be added to the header file. It is necessary to add Q_OBJECT to the class for meta object creation.

File: listscreen.cpp

    void ListScreen::createActions()
    {
        _openAction = new QAction("Open", this);
        connect(_openAction, SIGNAL(triggered()), this, SLOT(onOpenImage()));
        _renameAction = new QAction("Rename", this);
        connect(_renameAction, SIGNAL(triggered()), this, SLOT(onRenameImage()));
        _deleteAction = new QAction("Delete", this);
        connect(_deleteAction, SIGNAL(triggered()), this, SLOT(onDeleteImage()));
        _showInfoAction = new QAction("Show Info", this);
        connect(_showInfoAction, SIGNAL(triggered()), this, SLOT(onShowInfo()));
    }

In the create menu method, the menu for this screen is retrieved and the created actions are added to this menu. The menu will be the options menu on the screen whenever this screen or any child of this screen has focus. (See QSoftMenuBar).

File: listscreen.cpp

    void ListScreen::createMenu()
    {
        QMenu* menu = QSoftMenuBar::menuFor(this);
        menu->addAction(_openAction);
        menu->addAction(_renameAction);
        menu->addAction(_deleteAction);
        menu->addAction(_showInfoAction);
        QSoftMenuBar::setLabel(this, Qt::Key_Back, "", "Exit", QSoftMenuBar::AnyFocus);
    }

In the openImage function, we want to open the image that is currently selected. Since there is a mapping between the content model and the list, the current row can be retrieved from the list and used to lookup the row from the model.

File: listscreen.cpp

    void ListScreen::onOpenImage()
    {
        openImage(currentIndex().row());
    }

Later, this will be the place where the image screen is opened and the image set.

The application already has a "Back" softkey, which will exit the application. The title of this soft key can be changed to "Exit" by adding the following line at the end of the createMenu() method.

        QSoftMenuBar::setLabel(this, Qt::Key_Back, "", "Exit", QSoftMenuBar::AnyFocus);

Adding Key Select default behaviour

In this list screen, it would be nice to open the image directly when the "Select" key (usually the center button on the direction pad) is pressed. There are two options here.

  • 1. connect to signal activated(const QModelIndex &) of the list widget
  • 2. override the keyPressed(QKeyEvent *event) method to intercept the Qt::Key_Select key.

Both will be described.

Opening image using signals and slots

In the setupUI method the following line is added:

        connect(this, SIGNAL(activated(QModelIndex)),
                this, SLOT(onImageActivated(QModelIndex)));

The signal is emitted, when the select button is pressed. It provides a model index. From the index, the row can be looked up again. So the onItemActivated(...) slot method is similar as the onOpenImage(...) method.

    void ListScreen::onImageActivated(const QModelIndex& index)
    {
        openImage(currentIndex().row());
    }

Opening image using key Events

As seen previously, the keyPressed(QKeyEvent) method has to be override to handle the Qt::Key_Select key. The keyPressed method is defined in the QWidget class. There is also the partner method keyReleased. Both take a QKeyEvent as parameter.

    void ListScreen::keyPressEvent(QKeyEvent* event)
    {
        switch (event->key()) {
        case Qt::Key_Select:
            onOpenImage();
            break;
        default:
            QListWidget::keyPressEvent(event);
            break;
        }
    }

It is important to forward the keyevent to the base class for the other keys, as the QListWidget needs them.

Summary

Now, the Image Viewer is a small application, which lists all png files from the content store. It shows the files in a list with their thumbnails. The image can also be identified when "open image" is selected from the menu or via the select key.

The next step will be the image screen creation. This Image Screen displays the selected image and comes back to the list screen.

Prev|Top|Start Page|Next

Publicité

Best Of

Actualités les plus lues

Semaine
Mois
Année
  1. «Le projet de loi des droits du développeur» : quelles conditions doivent remplir les entreprises pour que le développeur puisse réussir ? 69
  2. Les développeurs détestent-ils les antivirus ? Un programmeur manifeste sa haine envers ces solutions de sécurité 27
  3. Une nouvelle ère d'IHM 3D pour les automobiles, un concept proposé par Digia et implémenté avec Qt 3
  4. Qt Creator 2.5 est sorti en beta, l'EDI supporte maintenant plus de fonctionnalités de C++11 2
  5. Vingt sociétés montrent leurs décodeurs basés sur Qt au IPTV World Forum, en en exploitant diverses facettes (déclaratif, Web, widgets) 0
  6. PySide devient un add-on Qt et rejoint le Qt Project et le modèle d'open gouvernance 1
  7. Thread travailleur avec Qt en utilisant les signaux et les slots, un article de Christophe Dumez traduit par Thibaut Cuvelier 1
  1. « Quelque chose ne va vraiment pas avec les développeurs "modernes" », un développeur à "l'ancienne" critique la multiplication des bibliothèques 101
  2. Pourquoi les programmeurs sont-ils moins payés que les gestionnaires de programmes ? Manquent-ils de pouvoir de négociation ? 51
  3. «Le projet de loi des droits du développeur» : quelles conditions doivent remplir les entreprises pour que le développeur puisse réussir ? 69
  4. Les développeurs détestent-ils les antivirus ? Un programmeur manifeste sa haine envers ces solutions de sécurité 27
  5. Qt Commercial : Digia organise un webinar gratuit le 27 mars sur la conception d'interfaces utilisateur et d'applications avec le framework 0
  6. Quelles nouveautés de C++11 Visual C++ doit-il rapidement intégrer ? Donnez-nous votre avis 10
  7. 2017 : un quinquennat pour une nouvelle version du C++ ? Possible, selon Herb Sutter 11
Page suivante
  1. Linus Torvalds : le "C++ est un langage horrible", en justifiant le choix du C pour le système de gestion de version Git 100
  2. Comment prendre en compte l'utilisateur dans vos applications ? Pour un développeur, « 90 % des utilisateurs sont des idiots » 229
  3. Quel est LE livre que tout développeur doit lire absolument ? Celui qui vous a le plus marqué et inspiré 96
  4. Apple cède et s'engage à payer des droits à Nokia, le conflit des brevets entre les deux firmes s'achève 158
  5. Nokia porte à nouveau plainte contre Apple pour violation de sept nouveaux brevets 158
  6. Quel est le code dont vous êtes le plus fier ? Pourquoi l'avez-vous écrit ? Et pourquoi vous a-t-il donné autant de satisfaction ? 83
  7. « Quelque chose ne va vraiment pas avec les développeurs "modernes" », un développeur à "l'ancienne" critique la multiplication des bibliothèques 101
Page suivante

Le Qt Developer Network au hasard

Logo

Installation de PySide : binaires et compilation

Le Qt Developer Network est un réseau de développeurs Qt anglophone, où ils peuvent partager leur expérience sur le framework. Lire l'article.

Communauté

Ressources

Liens utiles

Contact

  • Vous souhaitez rejoindre la rédaction ou proposer un tutoriel, une traduction, une question... ? Postez dans le forum Contribuez ou contactez-nous par MP ou par email (voir en bas de page).

Qt dans le magazine

Cette page est une traduction d'une page de la documentation de Qt, écrite par Nokia Corporation and/or its subsidiary(-ies). Les éventuels problèmes résultant d'une mauvaise traduction ne sont pas imputables à Nokia. Qt qtextended4.4
Copyright © 2012 Developpez LLC. Tous droits réservés Developpez LLC. Aucune reproduction, même partielle, ne peut être faite de ce site et de l'ensemble de son contenu : textes, documents et images sans l'autorisation expresse de Developpez LLC. Sinon, vous encourez selon la loi jusqu'à 3 ans de prison et jusqu'à 300 000 E de dommages et intérêts. Cette page est déposée à la SACD.
Vous avez déniché une erreur ? Un bug ? Une redirection cassée ? Ou tout autre problème, quel qu'il soit ? Ou bien vous désirez participer à ce projet de traduction ? N'hésitez pas à nous contacter ou par MP !
 
 
 
 
Partenaires

Hébergement Web