当前位置:首页 > 行业动态 > 正文

python 如何转换时分秒

在Python中,我们可以使用datetime模块来处理时间和日期,以下是一些常见的时间单位转换方法:

1、秒转时分秒

2、时、分、秒转总秒数

3、总秒数转时、分、秒

1. 秒转时分秒

要将秒数转换为时分秒格式,我们可以使用divmod()函数。divmod()函数接受两个参数,第一个参数是被除数,第二个参数是除数,它返回一个包含商和余数的元组。

def seconds_to_hms(seconds):
    minutes, seconds = divmod(seconds, 60)
    hours, minutes = divmod(minutes, 60)
    return hours, minutes, seconds
示例
seconds = 3661
hours, minutes, seconds = seconds_to_hms(seconds)
print(f"{hours}小时{minutes}分钟{seconds}秒")

2. 时、分、秒转总秒数

要将时、分、秒转换为总秒数,我们可以将时、分、秒分别乘以对应的秒数(1小时=3600秒,1分钟=60秒),然后将结果相加。

def hms_to_seconds(hours, minutes, seconds):
    return hours * 3600 + minutes * 60 + seconds
示例
hours = 1
minutes = 1
seconds = 1
total_seconds = hms_to_seconds(hours, minutes, seconds)
print(f"总秒数: {total_seconds}")

3. 总秒数转时、分、秒

要将总秒数转换为时、分、秒格式,我们可以使用上面定义的seconds_to_hms()函数。

def total_seconds_to_hms(total_seconds):
    hours, remainder = divmod(total_seconds, 3600)
    minutes, seconds = divmod(remainder, 60)
    return hours, minutes, seconds
示例
total_seconds = 3661
hours, minutes, seconds = total_seconds_to_hms(total_seconds)
print(f"{hours}小时{minutes}分钟{seconds}秒")
0