30

QTimerQtでは、毎秒「update」という関数を呼び出すを設定しようとしています。これが私の.cppファイルです:

#include "mainwindow.h"
#include "ui_mainwindow.h"
#include <QTimer>
#include "QDebug"

MainWindow::MainWindow(QWidget *parent) :
    QMainWindow(parent),
    ui(new Ui::MainWindow)
{
    ui->setupUi(this);

    QTimer *timer = new QTimer(this);
    connect(timer, SIGNAL(timeout()), this, SLOT(update()));
    timer->start(1000);
}

MainWindow::~MainWindow()
{
    delete ui;
}

void MainWindow::update()
{
    qDebug() << "update";
}

とメイン:

#include <QtGui/QApplication>
#include "mainwindow.h"

int main(int argc, char *argv[])
{
    QApplication a(argc, argv);
    MainWindow w;
    w.show();

    return a.exec();
}

プロジェクトはビルド中ですが、「update」という行がどこにも表示されていないため、updateは実行されません...誰かが私が間違っていることを理解していますか?

4

3 に答える 3

20

もう1つの方法は、組み込みのメソッドstarttimerとeventTimerEventを使用することです。

ヘッダ:

#ifndef MAINWINDOW_H
#define MAINWINDOW_H

#include <QMainWindow>

namespace Ui {
class MainWindow;
}

class MainWindow : public QMainWindow
{
    Q_OBJECT

public:
    explicit MainWindow(QWidget *parent = 0);
    ~MainWindow();

private:
    Ui::MainWindow *ui;
    int timerId;

protected:
    void timerEvent(QTimerEvent *event);
};

#endif // MAINWINDOW_H

ソース:

#include "mainwindow.h"
#include "ui_mainwindow.h"
#include <QDebug>

MainWindow::MainWindow(QWidget *parent) :
    QMainWindow(parent),
    ui(new Ui::MainWindow)
{
    ui->setupUi(this);

    timerId = startTimer(1000);
}

MainWindow::~MainWindow()
{
    killTimer(timerId);
    delete ui;
}

void MainWindow::timerEvent(QTimerEvent *event)
{
    qDebug() << "Update...";
}
于 2013-12-26T00:54:00.377 に答える
14
  1. QTimerQtのメモリ管理システムを使用するためにあなたの親を与えることは良い習慣です。

  2. update()QWidget関数です-それはあなたが呼び出そうとしているものですか?http://qt-project.org/doc/qt-4.8/qwidget.html#update

  3. 番号2が当てはまらない場合は、トリガーしようとしている関数がヘッダーのスロットとして宣言されていることを確認してください。

  4. 最後に、これらのいずれも問題ではない場合は、実行時の接続エラーが発生しているかどうかを知ることが役立ちます。

于 2012-07-25T14:28:14.497 に答える
5

mytimer.h:

    #ifndef MYTIMER_H
    #define MYTIMER_H

    #include <QTimer>

    class MyTimer : public QObject
    {
        Q_OBJECT
    public:
        MyTimer();
        QTimer *timer;

    public slots:
        void MyTimerSlot();
    };

    #endif // MYTIME

mytimer.cpp:

#include "mytimer.h"
#include <QDebug>

MyTimer::MyTimer()
{
    // create a timer
    timer = new QTimer(this);

    // setup signal and slot
    connect(timer, SIGNAL(timeout()),
          this, SLOT(MyTimerSlot()));

    // msec
    timer->start(1000);
}

void MyTimer::MyTimerSlot()
{
    qDebug() << "Timer...";
}

main.cpp:

#include <QCoreApplication>
#include "mytimer.h"

int main(int argc, char *argv[])
{
    QCoreApplication a(argc, argv);

    // Create MyTimer instance
    // QTimer object will be created in the MyTimer constructor
    MyTimer timer;

    return a.exec();
}

コードを実行すると、次のようになります。

Timer...
Timer...
Timer...
Timer...
Timer...
...

資力

于 2019-05-20T07:54:13.960 に答える