Reputation:
I want to know, step by step, the way to transform a timestamp in my mysql table to a relative time (4 seconds ago, 5 months ago...) on my website.
For information, my timestamp column is named creation
, and my table is named users
.
The code I tried:
function relativedate($secs) {
$second = 1;
$minute = 60;
$hour = 60*60;
$day = 60*60*24;
$week = 60*60*24*7;
$month = 60*60*24*7*30;
$year = 60*60*24*7*30*365;
if ($secs <= 0) { $output = "now";
}elseif ($secs > $second && $secs < $minute) { $output = round($secs/$second)." second";
}elseif ($secs >= $minute && $secs < $hour) { $output = round($secs/$minute)." minute";
}elseif ($secs >= $hour && $secs < $day) { $output = round($secs/$hour)." hour";
}elseif ($secs >= $day && $secs < $week) { $output = round($secs/$day)." day";
}elseif ($secs >= $week && $secs < $month) { $output = round($secs/$week)." week";
}elseif ($secs >= $month && $secs < $year) { $output = round($secs/$month)." month";
}elseif ($secs >= $year && $secs < $year*10) { $output = round($secs/$year)." year";
}else{ $output = " more than a decade ago"; }
if ($output <> "now"){
$output = (substr($output,0,2)<>"1 ") ? $output."s" : $output;
}
return $output;
}
echo relativedate(60); // 1 minute
Upvotes: 2
Views: 1298
Reputation: 21
I liked Jm Verastigue and tweaked it a little further for enhancements of dates within the current year vs dates outside the current year and also only worked on utc_time, but the now()
approach is also valid.
SELECT
report_time,
convert(CASE
WHEN
report_time between date_sub(utc_timestamp(),
INTERVAL 60 minute) and utc_timestamp()
THEN
concat(minute(TIMEDIFF(utc_timestamp(), report_time)),
' minutes ago')
WHEN datediff(utc_timestamp(), report_time) = 1 THEN 'Yesterday'
WHEN
report_time between date_sub(utc_timestamp(), INTERVAL 24 hour) and utc_timestamp()
THEN
concat(hour(TIMEDIFF(utc_timestamp(), report_time)),
' hours ago')
WHEN
year(report_time) >= year(utc_timestamp())
THEN
date_format(report_time, '%e %b')
ELSE date_format(report_time, '%Y-%m-%d')
END using utf8) as `LekkerDate`
FROM
_smry_prodinfo
group by `LekkerDate`;
Upvotes: 2
Reputation: 4652
You can do what you request via PHP (called "time ago").
time_elapsed_string()
and time_ago()
functionsUpvotes: 0
Reputation: 398
Use CASE to display the relative time/date. I created the table 'sample' in this code.
SELECT *, CASE
WHEN creation between date_sub(now(), INTERVAL 60 minute) and now() THEN concat(minute(TIMEDIFF(now(), creation)), ' minutes ago')
WHEN datediff(now(), creation) = 1 THEN 'Yesterday'
WHEN creation between date_sub(now(), INTERVAL 24 hour) and now() THEN concat(hour(TIMEDIFF(NOW(), creation)), ' hours ago')
ELSE date_format(creation, '%a, %m/%d/%y')
END as date FROM sample
This will make a new column 'date' that you can use to output the relative time.
Upvotes: 3