python学习站 /学习python第二周
阅读主题
正文字体
字体大小

06.python时间模块

本节1509字2025-04-01 10:49:08
"""
Auther:少校
Time:2025/4/1 9:40
越努力,越幸运
"""
from datetime import datetime,timedelta
# 1. 获取当前时间
t1=datetime.today()
print(t1)             #today 和 now 完全一致 都是获取当前时间
t2=datetime.now()
print(t2)

# 2. 创建时间对象:datetime(年,月,日,时,分,秒)
t3=datetime(2025,4,1,9,46,30) #type=<class 'datetime.datetime'>
print(t3)   # 创建出 时间类型的对象

# 3. 单独获取时间相关信息
print(t1.year)  #2025 <class 'int'>
print(t1.month)
print(t1.day)
print(t1.hour)
print(t1.minute)
print(t1.second)
print(t1.weekday()) # 获取星期值,python中星期值是0-6 分别代表周一到周日

# 4. 字符串转换为时间对象
"""
时间占位符
%Y  Year with century as a decimal number.
%m  Month as a decimal number [01,12].
%d  Day of the month as a decimal number [01,31].
%H  Hour (24-hour clock) as a decimal number [00,23].
%M  Minute as a decimal number [00,59].
%S  Second as a decimal number [00,61].
%z  Time zone offset from UTC.
%a  Locale's abbreviated weekday name.
%A  Locale's full weekday name.
%b  Locale's abbreviated month name.
%B  Locale's full month name.
%c  Locale's appropriate date and time representation.
%I  Hour (12-hour clock) as a decimal number [01,12].
%p  Locale's equivalent of either AM or PM.
"""
t4=datetime.strptime("2025/3/15","%Y/%m/%d")
print(t4) #2025-03-15 00:00:00
str1="2025年3月1日 9点18分36秒" #转换为时间格式对象
t5 = datetime.strptime(str1,"%Y年%m月%d日 %H点%M分%S秒")
print(t5) #2025-03-01 09:18:36

# 5. 将时间对象转换成字符串时间
#时间对象.strftime(时间格式)
t6 = datetime(2025,4,1,13,24,30)
t7 = t6.strftime("%Y年%m月%d日")
print(t7) #2025年04月01日

# 上午 下午 XX点
if t6.hour < 12:
    print(f"上午 {t6.hour}点{t6.minute}分")
elif t6.hour == 12:
    print(f"中午 {t6.hour}点{t6.minute}分")
else:
    print(f"下午 {t6.hour-12}点{t6.minute}分")

# 6. 计算两个日期之间的时间差
# 日期1 - 日期2
t1 = datetime.now()
t2 = datetime(1989,5,6)
result = t1 - t2
print(result) #13114 days, 10:29:24.836156
print("相差的完整天数:",result.days) #13114  #(int类型)
print("除了天数剩余的秒:",result.seconds)#37871 #(完整天数剩下的秒数)
print(f"相差完整的年数:{result.days // 365}岁{result.days % 365}天") #35岁339天

# 7. timedelta 计算时间差
t1 = datetime.now()
#10天前
t2 = t1 - timedelta(days=10)
print(t2)
#15天后
t3 = t1 + timedelta(days=15)
print(t3)
#3周后
t4 = t1 + timedelta(weeks=3)
print(t4)
#混合使用 10天3小时后
t5 = t1 + timedelta(days=10,hours=3)
print(t5)


网友评论

相关作品