Python中日期格式化是很是常見的操做,Python 中能用不少方式處理日期和時間,轉換日期格式是一個常見的功能。Python 提供了一個 time 和 calendar 模塊能夠用於格式化日期和時間。時間間隔是以秒爲單位的浮點小數。每一個時間戳都以自從格林威治時間1970年01月01日00時00分00秒起通過了多長時間來表示。正則表達式
注: 如下代碼在Python3下運行經過, Python2下未經測試, 如遇問題能夠下方留意。算法
1. 基本方法
獲取當前日期:time.time()shell
獲取元組形式的時間戳:time.local(time.time())編程
格式化日期的函數(基於元組的形式進行格式化):數組
(1)time.asctime(time.local(time.time()))bash
(2)time.strftime(format[,t])app
將格式字符串轉換爲時間戳:
time.strptime(str,fmt='%a %b %d %H:%M:%S %Y')
延遲執行:time.sleep([secs]),單位爲秒
2. 格式化符號
python中時間日期格式化符號:
%y 兩位數的年份表示(00-99)
%Y 四位數的年份表示(000-9999)
%m 月份(01-12)
%d 月內中的一天(0-31)
%H 24小時制小時數(0-23)
%I 12小時制小時數(01-12)
%M 分鐘數(00=59)
%S 秒(00-59)
%a 本地簡化星期名稱
%A 本地完整星期名稱
%b 本地簡化的月份名稱
%B 本地完整的月份名稱
%c 本地相應的日期表示和時間表示
%j 年內的一天(001-366)
%p 本地A.M.或P.M.的等價符
%U 一年中的星期數(00-53)星期天爲星期的開始
%w 星期(0-6),星期天爲星期的開始
%W 一年中的星期數(00-53)星期一爲星期的開始
%x 本地相應的日期表示
%X 本地相應的時間表示
%Z 當前時區的名稱
%% %號自己
3. 經常使用用法
3.1 將字符串的時間轉換爲時間戳
方法:
1
2
3
4
5
6
7
|
import
time
t
=
"2017-11-24 17:30:00"
#將其轉換爲時間數組
timeStruct
=
time.strptime(t,
"%Y-%m-%d %H:%M:%S"
)
#轉換爲時間戳:
timeStamp
=
int
(time.mktime(timeStruct))
print
(timeStamp)
|
結果:
1511515800
3.2 時間戳轉換爲指定格式日期
代碼:
1
2
3
4
|
timeStamp
=
1511515800
localTime
=
time.localtime(timeStamp)
strTime
=
time.strftime(
"%Y-%m-%d %H:%M:%S"
, localTime)
print
(strTime)
|
結果:
2017-11-24 17:30:00
3.3 格式切換
把-分割格式2017-11-24 17:30:00 轉換爲斜槓分割格式: 結果:2017/11/24 17:30:00
代碼:
1
2
3
4
5
6
|
import
time
t
=
"2017-11-24 17:30:00"
#先轉換爲時間數組,而後轉換爲其餘格式
timeStruct
=
time.strptime(t,
"%Y-%m-%d %H:%M:%S"
)
strTime
=
time.strftime(
"%Y/%m/%d %H:%M:%S"
, timeStruct)
print
(strTime)
|
結果:
2017/11/24 17:30:00
3.4 獲取當前時間並轉換爲指定日期格式
1
2
3
4
5
6
7
|
import
time
#得到當前時間時間戳
now
=
int
(time.time())
#轉換爲其餘日期格式,如:"%Y-%m-%d %H:%M:%S"
timeStruct
=
time.localtime(now)
strTime
=
time.strftime(
"%Y-%m-%d %H:%M:%S"
, timeStruct)
print
(strTime)
|
結果:
2017-11-24 18:36:57
3.5 得到三天前的時間的方法
1
2
3
4
5
6
7
8
9
|
import
time
import
datetime
#先得到時間數組格式的日期
threeDayAgo
=
(datetime.datetime.now()
-
datetime.timedelta(days
=
3
))
#轉換爲時間戳:
timeStamp
=
int
(time.mktime(threeDayAgo.timetuple()))
#轉換爲其餘字符串格式:
strTime
=
threeDayAgo.strftime(
"%Y-%m-%d %H:%M:%S"
)
print
(strTime)
|
結果:
2017-11-21 18:42:52
注:timedelta()的參數有:days,hours,seconds,microseconds
3.6 使用datetime模塊來獲取當前的日期和時間
1
2
3
4
5
6
7
8
9
10
11
|
import
datetime
i
=
datetime.datetime.now()
print
(
"當前的日期和時間是 %s"
%
i)
print
(
"ISO格式的日期和時間是 %s"
%
i.isoformat() )
print
(
"當前的年份是 %s"
%
i.year)
print
(
"當前的月份是 %s"
%
i.month)
print
(
"當前的日期是 %s"
%
i.day)
print
(
"dd/mm/yyyy 格式是 %s/%s/%s"
%
(i.day, i.month, i.year) )
print
(
"當前小時是 %s"
%
i.hour)
print
(
"當前分鐘是 %s"
%
i.minute)
print
(
"當前秒是 %s"
%
i.second)
|