1. 程式人生 > >Python time & datetime模塊

Python time & datetime模塊

asc dex time_t 默認 分鐘 delta 字符 code -i

time 模塊

時間分為三種格式:

  • 時間戳:表示1970年1月1日之後的秒
  • 結構化時間:元組包含了:年、日、星期等...
  • 格式化字符串:格式可以自定義


時間戳:

import time

time_stamp = time.time()            # 當前時間戳(單位:秒)
print(time_stamp)
print(time.gmtime(time_stamp))      # 將時間戳轉換成UTC時間(以元組形式儲存的結構化時間)
print(time.localtime(time_stamp))   # 將時間戳轉換成當地時間(UTC+8)
print(time.ctime(time_stamp))       #
將時間戳轉換成字符串形式

輸出結果

1553225061.4383051
time.struct_time(tm_year=2019, tm_mon=3, tm_mday=22, tm_hour=3, tm_min=24, tm_sec=21, tm_wday=4, tm_yday=81, tm_isdst=0)
time.struct_time(tm_year=2019, tm_mon=3, tm_mday=22, tm_hour=11, tm_min=24, tm_sec=21, tm_wday=4, tm_yday=81, tm_isdst=0)
Fri Mar 22 11:24:21 2019

結構化時間:

索引(Index) 屬性(Attribute) 值(values)
0 tm_year(年) 2019
1 tm_mon(月) 1~12
2 tm_mday(日) 1~31
3 tm_hour(時) 0~23
4 tm_min(分) 0~59
5 tm_sec(秒) 0~61
6 tm_wday(星期) 0~6(0表示周日)
7 tm_yday(一年的第幾天) 1~366
8 tm_isdst(是否是夏令時) 默認為-1
import time

time_tuple = time.localtime()       # 以元組形式儲存的結構化時間
print
(time_tuple) print(time.asctime(time_tuple)) # 將元組形式時間轉換成字符串形式 print(time.mktime(time_tuple)) # 將元組形式時間轉換成時間戳 print(time.strftime(%Y-%m-%d %H:%M:%S, time_tuple)) # 將元組形式時間轉換成指定格式時間

輸出結果:

time.struct_time(tm_year=2019, tm_mon=3, tm_mday=22, tm_hour=11, tm_min=28, tm_sec=35, tm_wday=4, tm_yday=81, tm_isdst=0)
Fri Mar 22 11:28:35 2019
1553225315.0
2019-03-22 11:28:35


格式化字符串:

import time

str_time = time.strftime(%Y-%m-%d %H:%M:%S)
print(str_time)
print(time.strptime(str_time, %Y-%m-%d %H:%M:%S))    
# 將指定格式時間轉換成元組形式時間(strptime與strftime相反)

輸出結果:

2019-03-22 11:34:30
time.struct_time(tm_year=2019, tm_mon=3, tm_mday=22, tm_hour=11, tm_min=34, tm_sec=30, tm_wday=4, tm_yday=81, tm_isdst=-1)




datetime模塊

import datetime

print(datetime.date(year=2019, month=3, day=22))
print(datetime.time(hour=12, minute=1, second=0))
print(datetime.datetime.now())                                  # 當前時間
print(datetime.datetime.now()+datetime.timedelta(3))            # 當前時間加3天
print(datetime.datetime.now()+datetime.timedelta(-3))           # 當前時間減3天
print(datetime.datetime.now()+datetime.timedelta(hours=3))      # 當前時間加3小時
print(datetime.datetime.now()+datetime.timedelta(minutes=3))    # 當前時間加3分鐘
now = datetime.datetime.now()
print(now.replace(minute=20, hour=15))                          # 時間替換

輸出結果:

2019-03-22
12:01:00
2019-03-22 11:39:40.454693
2019-03-25 11:39:40.454693
2019-03-19 11:39:40.454693
2019-03-22 14:39:40.454693
2019-03-22 11:42:40.454693
2019-03-22 15:20:40.454693




Python time & datetime模塊