'Convert seconds to days, hours, minutes, seconds (MySQL)
Example:
seconds ="1015557";
Result should be:
11days 18h:05m:57s
How can do this in MySQL?
Solution 1:[1]
select concat(
format(floor(s / @day),0),
'days ',
time_format(sec_to_time(s % @day),'%Hh:%im:%ss')
) formatted_date
from (select 1015557 s) t, (select @day = 3600 * 24);
produces:
+--------------------+
| days |
+--------------------+
| 11days 18h:05m:57s |
+--------------------+
Solution 2:[2]
You can use a query like this:
SELECT
DATE_FORMAT(date('1970-12-31 23:59:59')
+ interval 1015557 second,'%j days %Hh:%im:%ss') as result;
sample
mysql> SELECT
-> DATE_FORMAT(date('1970-12-31 23:59:59')
-> + interval 1015557 second,'%j days %Hh:%im:%ss') as result;
+----------------------+
| result |
+----------------------+
| 011 days 18h:05m:57s |
+----------------------+
1 row in set (0,00 sec)
mysql>
Solution 3:[3]
You can try this out:
SET @seconds = 1015557;
SELECT CONCAT(
FLOOR(TIME_FORMAT(SEC_TO_TIME(@seconds), '%H') / 24), 'days ',
MOD(TIME_FORMAT(SEC_TO_TIME(@seconds), '%H'), 24), 'h:',
TIME_FORMAT(SEC_TO_TIME(@seconds), '%im:%ss')
)
AS Result
Result should be:
11days 18h:05m:57s
Hopefully this helps!.
Solution 4:[4]
SELECT *
, CONCAT( FLOOR(sec/3600),"hour ", FLOOR(MOD(sec,3600)/60),"min ",MOD(sec,60),"sec")
FROM table_1
Solution 5:[5]
If one is interested in fraction of seconds, the following combines the responses from Kent Aguilar and Steven Yang.
SELECT CONCAT(
FLOOR(TIME_FORMAT(SEC_TO_TIME(@seconds), '%H') / 24), 'days ',
MOD(TIME_FORMAT(SEC_TO_TIME(@seconds), '%H'), 24), 'h:',
FLOOR(MOD(@seconds,3600)/60), 'm:',
MOD(@seconds,60), 's'
) AS Result
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
Solution | Source |
---|---|
Solution 1 | Gurwinder Singh |
Solution 2 | Bernd Buffen |
Solution 3 | Kent Aguilar |
Solution 4 | Bùi Äức Khánh |
Solution 5 | DanimalReks |