Python——日期和时间

Python的标准库中有许多时间和日期模块:
datetime、time、calendar、dateutil

datetime模块

标准datetime模块,定义了4个主要的对象

  • date 处理年、月、日
  • time 处理时、分、秒、和分数
  • datetime 处理日期和时间同时出现的情况
  • timedelta 处理日期和/或时间间隔
from datetime import date

halloween = date(2017, 11, 20)
print(halloween)
# 输出年
print(halloween.year)
# 输出月
print(halloween.month)
# 输出日
print(halloween.day)
>>>
2017-11-20
2017
11
20
  • isformat() 格式化打印date
print(halloween.isoformat())
>>>
2017-11-20
  • today()生成今天的日期
* today
print(date.today())
>>> 
2017-11-20
  • timedelta 日期计算
    可以使用timedelta对象来实现date的计算
one_day = timedelta(days=1)
now = date.today()
tomorrow_day = now+one_day
print(tomorrow_day)
yesterday = now-one_day
print(yesterday)
>>>
2017-11-19

date的范围

date的范围是date.min(年=1,月=1,日=1)到date.max(年=9999,月=12,日=31)

  • time() datetime模块中的time对象用来表示一天中的时间,time的构造方法的参数是按照时间单位从大(时)到小(微秒),如果没有参数,time会默认全部使用0,能够存取微秒并不意味着能从计算机中得到准确的微秒。每秒的准确度取决于硬件和操作系统中的元素
now_time = time(12,0,0)
print(now_time)
>>>
12:00:00
print(now_time)
# 时
print(now_time.hour)
# 分
print(now_time.min)
# 秒
print(now_time.second)
>>>
12
00:00:00
0
  • datetime中的isoformat()
print(now_time.isoformat())
>>>
12:00:00
  • datetime中的now()方法
    datetime中的now()方法可以获取当前日期和时间
print(datetime.now())
>>> 
2017-11-20 11:43:20.777634
  • 使用combine()将一个date和一个time合并成一个datetime
# time对象
timeObj = time(10)
# date对象
dateObj = date.today()
# 使用combine 将date和time合并为datetime对象
datetimeObj = datetime.combine(dateObj,timeObj)
print(datetimeObj)
>>>
2017-11-20 10:00:00
  • 使用date() time()从datetime中取出date和time
# 拆分date
now_datetime = datetimeObj.date()
print(now_datetime)
# 拆分time
sp_time = datetimeObj.time()
print(sp_time)
>>> 
2017-11-20
10:00:00

time 模块

Python的datetime模块中有一个time对象,Python还有一个单独的time模块。time模块还有一个函数叫作time()

  • time() 会返回当前时间的纪元值
import time
now = time.time()
print(now)
>>>
1511151320.353626
  • ctime() 把一个纪元值转换成一个字符串
import time
now = time.time()
# print(now)
time_str = time.ctime(now)
print(time_str)
>>>
Mon Nov 20 12:17:01 2017

读写日期和时间

  • strftime() 格式化字符串
    • %Y 年 1900-…
    • %m 月 01-12
    • %B 月名 January
    • %b 月名缩写 jan
    • %d 日 01-31
    • %A 星期 Sunday
    • %a 星期缩写 sun
    • %H 24小时制时
    • %I 12小时制时
    • %p 上午/下午
    • %M 分
    • %s 秒
  • time模块中的strftime()函数,会把struct_time对象转换成字符串
import time

fmt = "It' s %A, %B %d, %Y, local time %I:% M:% S% p"
# 当前时间
t = time.localtime()
print(t)
# 格式化日期
print(time.strftime(fmt, t))
>>>
It' s Monday, November 20, 2017, local time 12: M: S p
  • 使用date对象的strftime()函数 只能获取日期部分
    时间默认是午夜
from datetime import date
some_day = date(2017, 11, 20)
# 对date格式化
print(date.strftime(some_day, fmt))
  • 对于time对象 strftime只会转换时间部分
now_time = time(10,35)
print(now_time.strftime(fmt))
>>>
It' s Monday, January 01, 1900, local time 10: M: S p
    原文作者:So_ProbuING
    原文地址: https://www.jianshu.com/p/1e675360b494
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞