mysql查詢今天,昨天,近7天,近30天,本月,上一月資料的方法分析總結:
話說有一文章表article,儲存文章的新增文章的時間是add_time欄位,該欄位為int(5)型別的,現需要查詢今天新增的文章總數並且按照時間從大到小排序,則查詢語句如下:
1 |
select * from 'article' where date_format(from_UNIXTIME('add_time'),'%Y-%m-%d') = date_format(now(),'%Y-%m-%d'); |
或者:
1 |
select * from 'article' where to_days(date_format(from_UNIXTIME('add_time'),'%Y-%m-%d')) = to_days(now()); |
假設以上表的add_time欄位的儲存型別是DATETIME型別或者TIMESTAMP型別,則查詢語句也可按如下寫法:
查詢今天的資訊記錄:
1 |
select * from 'article' where to_days('add_time') = to_days(now()); |
查詢昨天的資訊記錄:
1 |
select * from 'article' where to_days(now()) – to_days('add_time') <= 1; |
查詢近7天的資訊記錄:
1 |
select * from 'article' where date_sub(curdate(), INTERVAL 7 DAY) <= date('add_time'); |
查詢近30天的資訊記錄:
1 |
select * from 'article' where date_sub(curdate(), INTERVAL 30 DAY) <= date('add_time'); |
查詢本月的資訊記錄:
1 |
select * from 'article' where date_format('add_time', '%Y%m') = date_format(curdate() , '%Y%m'); |
查詢上一月的資訊記錄:
1 |
select * from 'article' where period_diff(date_format(now() ,'%Y%m') , date_format('add_time', '%Y%m')) =1; |
對上面的SQL語句中的幾個函式做一下分析:
(1)to_days
就像它的名字一樣,它是將具體的某一個日期或時間字串轉換到某一天所對應的unix時間戳,如:
01 |
mysql> select to_days('2010-11-22 14:39:51'); |
02 |
+--------------------------------+ |
03 |
| to_days('2010-11-22 14:39:51') | |
04 |
+--------------------------------+ |
06 |
+--------------------------------+ |
08 |
mysql> select to_days('2010-11-23 14:39:51'); |
09 |
+--------------------------------+ |
10 |
| to_days('2010-11-23 14:39:51') | |
11 |
+--------------------------------+ |
13 |
+--------------------------------+ |
可以看出22日與23日的差別就是,轉換之後的數增加了1,這個粒度的查詢是比較粗糙的,有時可能不能滿足我們的查詢要求,那麼就需要使用細粒度的查詢方法str_to_date函式了,下面將分析這個函式的用法。
提醒:
(1)to_days() 不用於陽曆出現(1582)前的值,原因是當日歷改變時,遺失的日期不會被考慮在內。因此對於1582 年之前的日期(或許在其它地區為下一年 ), 該函式的結果實不可靠的。
(2)MySQL"日期和時間型別"中的規則是將日期中的二位數年份值轉化為四位。因此對於'1997-10-07'和'97-10-07'將被視為同樣的日期:
1 |
mysql> select to_days('1997-10-07'), to_days('97-10-07'); |
(2)str_to_date
這個函式可以把字串時間完全的翻譯過來,如:
1 |
mysql> select str_to_date("2010-11-23 14:39:51",'%Y-%m-%d %H:%i:%s'); |
3 |
+--------------------------------------------------------+ |
4 |
| str_to_date("2010-11-23 14:39:51",'%Y-%m-%d %H:%i:%s') | |
5 |
+--------------------------------------------------------+ |
6 |
| 2010-11-23 14:39:51 | |
7 |
+--------------------------------------------------------+ |
具體案例操作如下:
1 |
select str_to_date(article.`add_time`,'%Y-%m-%d %H:%i:%s') |
3 |
where str_to_date(article.`add_time`,'%Y-%m-%d %H:%i:%s')>='2012-06-28 08:00:00' and str_to_date(article.`add_time`,'%Y-%m-%d %H:%i:%s')<='2012-06-28 09:59:59'; |