我最近写了一个秒表,注意到QDateTime::secsTo的某些奇怪行为。我不确定这是错误还是功能(或者也许我只是笨拙的实现;-)。

我的秒表代码可以简化为这个最小的示例,以产生可疑的结果(至少在使用Qt 5.7.1的Linux上):

StopWatch.h

#ifndef STOPWATCH_H
#define STOPWATCH_H

#include <QDialog>
#include <QDateTime>

class QTimer;

class StopWatch : public QDialog
{
    Q_OBJECT

public:
    explicit StopWatch(QWidget *parent);

private slots:
    void update();

private:
    QTimer *m_timer;
    QDateTime m_targetTime;
};

#endif // STOPWATCH_H

StopWatch.cpp
#include "StopWatch.h"
#include <QDebug>
#include <QTimer>

StopWatch::StopWatch(QWidget *parent) : QDialog(parent)
{
    m_timer = new QTimer(this);
    m_timer->setTimerType(Qt::PreciseTimer);
    connect(m_timer, &QTimer::timeout, this, &StopWatch::update);
    m_targetTime = QDateTime::currentDateTime().addSecs(10);
    m_timer->start(1000);
}

void StopWatch::update()
{
    QDateTime currentDateTime = QDateTime::currentDateTime();
    qint64 secondsLeft = currentDateTime.secsTo(m_targetTime);
    qDebug() << secondsLeft;
}

这是(一部分)输出:
4
3
2
1
0
0
-1
-2
-3
-4

因此,我们在这里:QDateTime::secsTo输出相同的0和一秒钟前的QDateTimeQDateTime

我通过做这个来解决
if (currentDateTime <= m_targetTime) {
    secondsLeft++;
}

但我不了解行为为什么会这样呢?

最佳答案

查看源代码http://code.qt.io/cgit/qt/qtbase.git/tree/src/corelib/tools/qdatetime.cpp

int QTime::secsTo(const QTime &t) const
{
    if (!isValid() || !t.isValid())
        return 0;

    // Truncate milliseconds as we do not want to consider them.
    int ourSeconds = ds() / 1000;
    int theirSeconds = t.ds() / 1000;
    return theirSeconds - ourSeconds;
}

看起来它需要两个小于1000的正整数,将它们除以1000,然后彼此相减。如果使用mSecsTo(),则不会出现此问题。

关于c++ - QDateTime::secsTo为不同的QDateTime返回相同的值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/45514993/

10-10 17:00