3

我需要一个以下列格式显示日期的查询:

过去 7 天内的日期 -> “一周前” 过去 7 到 14 天内的日期 -> “两周前”等...</p>

过去 30 天内的日期 -> “一个月前” 过去 30 到 60 天内的日期 -> “两个月前等。

过去 365 天的日期 -> “一年前” 过去 365 到 730 天的日期 -> “两年前等...

如果你们能指出我正确的方向,我将不胜感激。

谢谢

4

2 回答 2

2

这是我写的一个mysql函数,叫做time_ago

DELIMITER $$
DROP FUNCTION IF EXISTS time_ago;
CREATE FUNCTION time_ago (ts datetime) 
RETURNS varchar(255)
DETERMINISTIC
BEGIN 
    DECLARE utx INT SIGNED DEFAULT 1;
    DECLARE nowutx INT SIGNED DEFAULT 1;
    DECLARE dif INT SIGNED DEFAULT 1;
    DECLARE method varchar(255);
    DECLARE cnt varchar(255);
    DECLARE plural tinyint(11);
    DECLARE future tinyint(11);
    SET utx := UNIX_TIMESTAMP(ts);
    SET nowutx := UNIX_TIMESTAMP(NOW());
    SET future := utx > nowutx;
    SET dif := IF(future, utx - nowutx, nowutx - utx);
        SET method := IF(dif < 60, 'Second', IF(
                                    dif < (60 * 60), 'Minute', IF(
                                        dif < (60 * 60 * 24), 'Hour', IF(
                                            dif < (60 * 60 * 24 * 7), 'Day' , IF(
                                                dif < (60 * 60 * 24 * 365), 'Week', 'Year')))));

        SET cnt := IF(dif < 60, dif, IF(
                                    dif < (60 * 60), floor(dif / 60), IF(
                                        dif < (60 * 60 * 24), floor(dif / (60 * 60)), IF(
                                            dif < (60 * 60 * 24 * 7), floor(dif / (60 * 60 * 24)) , IF(
                                                dif < (60 * 60 * 24 * 365) , floor(dif / (60 * 60 * 24 * 7)), floor(dif / (60 * 60 * 24 * 365)))))));

        SET plural := cnt != 1;

        return CONCAT(IF(future, 'In ', ''), cnt, ' ',method, IF(plural, 's', '') , IF(future, ' From Now', ' Ago'));
END$$
DELIMITER ;

它是这样使用的

SELECT time_ago(date_ordered) time_ago FROM orders LIMIT 1

结果如下所示:

time_ago
22 Weeks Ago

编辑:

我已修改此答案以提供此功能的改进版本:新版本使用 DECLARE 而不是设置会话变量。

于 2013-03-16T19:59:49.523 回答
1

如上所述,在 SQL 查询中使用 case 语句。像这样的东西:

SELECT 
Column1, 
Column2, 
theDate,
CASE
  WHEN DATEDIFF(dd, theDate, GetDate()) =< 7 THEN 'One Week Ago'
  WHEN DATEDIFF(dd, theDate, GetDate()) > 7 AND DATEDIFF(dd, theDate, GetDate()) < 30 THEN 'One Month Ago'
  -- ...
  END
AS TimeAgo,
Column3,
Column4
FROM Table1

有关 MS SQL 的更多信息:http: //msdn.microsoft.com/en-us/library/ms181765.aspx (或查看您的 SQL 服务器品牌的文档)

于 2011-09-06T17:48:45.277 回答