所需工具:
Python
聪明的大脑文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
勤劳的双手文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
注意:本站只提供教程,不提供任何成品+工具+软件链接,仅限用于学习和研究,禁止商业用途,未经允许禁止转载/分享等文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
介绍
获取当前系统的日期
datetime包获得当前日期时间
datetime类
strftime按指定格式输出字符文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
教程如下
获取当前系统的日期
python获取当前系统时间,主要通过Python中的datetime模块来实现。文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
[php]文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
import datetime
from time import strftime文章源自灵鲨社区-https://www.0s52.com/bcjc/pythonjc/12056.html
[/php]
获取当前时间
[php]
now=datetime.datetime.now()
print(now.strftime("%Y-%m-%d %H:%M:%S"))
[/php]
获取当前时间+3分钟之后的时间:
[php]
upperTime=(datetime.datetime.now()+datetime.timedelta(minutes=3)).strftime("%Y-%m-%d %H:%M:%S")
print(upperTime)
[/php]
获取当前时间+5分钟之后的时间:
[php]
upperTime=(datetime.datetime.now()+datetime.timedelta(minutes=5)).strftime("%Y-%m-%d %H:%M:%S")
print(upperTime)
[/php]
分别打印结果为:
2022-04-16 07:47:54
2022-04-16 07:50:54
2022-04-16 07:52:54
timedelta-
时间间隔,即两个时间点之间的长度
now(tz=None)
返回当前的本地日期和时间。如果可选参数tz没有指定,与today()一样。
strftime(format)
返回一个表示日期的字符串,由显式格式字符串控制。引用小时、分钟或秒的格式代码将看到0值。
datetime包获得当前日期时间
在python中使用datetime包获取当前日期时间的方法。
datetime类
datetime是python内置的一个组件包,datetime包中有一个datetime类,还有一个now()方法用于获取当前的时间的datetime对象:
[php]
import datetime
now = datetime.datetime.now()
print(now) # 2022-03-20 18:32:14.178030
[/php]
datetime类有year, month, day, hour, minute, second, microsecond等成员,比如上面的对象now:
[php]
# now: datetime.datetime(2022, 3, 20, 18, 32, 14, 178030)
print(now.year) # 2022
print(now.month) # 3
print(now.day) # 20
[/php]
strftime按指定格式输出字符
datetime类的方法strftime,按指定格式从datetime对象返回一个字符串(不会改变对象自身):
[php]
s = now.strftime('%y%m%d')
print(s) # '220320'
print(now) # 2022-03-20 18:32:14.178030
# now: datetime.datetime(2022, 3, 20, 18, 32, 14, 178030)
[/php]
其中,常用的格式表示如下:
%y
两位数的年份表示(00-99)
%Y
四位数的年份表示(000-9999)
%m
月份(01-12)
%d
月内中的一天(0-31)
%H
24小时制小时(0-23)
%M
分钟(00-59)
%S
秒(00-59)
评论