Reputation: 2492
The QTime Class offers me a bit of a pickle insofar as it does not allow me to set milliseconds above certain values, thus making an entry like this invalid.:
QTime time;
time.setHMS(0,0,0,42010958); // I normally use a variable
Considering that the range of milliseconds I'm dealing with is between about 1000
and 1000000000
, I'm not terribly keen on writing a tremendous amount of of integer conversion code to sanitise each entry, but I will do what I have to do.
What is the cleanest way to convert 42010958
Milliseconds into Hours:Minutes:Seconds
in Qt?
Upvotes: 4
Views: 2480
Reputation: 12931
You can use QTime::fromMSecsSinceStartOfDay
.
#include <QtCore>
int main(int argc, char *argv[])
{
QTime time = QTime::fromMSecsSinceStartOfDay(42010958);
qDebug() << time.toString("hh:mm:ss:zzz");
return EXIT_SUCCESS;
}
Upvotes: 4
Reputation: 31
You could use the STL.
using namespace std::chrono_literals;
auto milliseconds = 42010958ms;
auto seconds = std::chrono::duration_cast<std::chrono::seconds>(milliseconds);
milliseconds -= seconds;
auto minutes = std::chrono::duration_cast<std::chrono::minutes>(seconds);
seconds -= minutes;
auto hours = std::chrono::duration_cast<std::chrono::hours>(minutes);
minutes -= hours;
Upvotes: 3
Reputation: 73304
"Cleanest" is a matter of taste, but here's how I would do it:
int milliseconds = 42010958;
int seconds = milliseconds / 1000;
milliseconds = milliseconds % 1000;
int minutes = seconds / 60;
seconds = seconds % 60;
int hours = minutes / 60;
minutes = minutes % 60;
QTime time;
time.setHMS(hours, minutes, seconds, milliseconds);
Upvotes: 8