Bootstrap

python时间字符串转换成整数_如何在Python中将H:MM:SS时间字符串转换为秒?

如何在Python中将H:MM:SS时间字符串转换为秒?

基本上我有这个问题的反面:h:m:s的Python时间秒

我有一个格式为H:MM:SS的字符串(分钟和秒始终为2位数字),我需要它代表的整数秒数。 如何在python中执行此操作?

例如:

“ 1:23:45”将产生5025的输出

“ 0:04:15”将产生255的输出

“ 0:00:25”将产生25的输出

等等

hughes asked 2020-07-13T06:29:33Z

10个解决方案

67 votes

def get_sec(time_str):

"""Get Seconds from time."""

h, m, s = time_str.split(':')

return int(h) * 3600 + int(m) * 60 + int(s)

print(get_sec('1:23:45'))

print(get_sec('0:04:15'))

print(get_sec('0:00:25'))

taskinoor answered 2020-07-13T06:29:44Z

44 votes

t = "1:23:45"

print(sum(int(x) * 60 ** i for i,x in enumerate(reversed(t.split(":")))))

当前示例详细说明:

;