为了感兴趣,我想将视频持续时间从YouTubes ISO 8601
转换为秒。为了将来证明我的解决方案,我选择a really long video来测试它。
API会在其持续时间内提供此信息 - "duration": "P1W2DT6H21M32S"
我尝试按stackoverflow.com/questions/969285中的建议使用dateutil
解析此持续时间。
import dateutil.parser
duration = = dateutil.parser.parse('P1W2DT6H21M32S')
这会引发异常
TypeError: unsupported operand type(s) for +=: 'NoneType' and 'int'
我错过了什么?
答案 0 :(得分:19)
Python的内置dateutil模块仅支持解析ISO 8601日期,而不支持ISO 8601持续时间。为此,您可以使用“isodate”库(在https://pypi.python.org/pypi/isodate的pypi中 - 通过pip或easy_install安装)。该库完全支持ISO 8601持续时间,将它们转换为datetime.timedelta对象。因此,一旦您导入了库,它就像:
一样简单dur=isodate.parse_duration('P1W2DT6H21M32S')
print dur.total_seconds()
答案 1 :(得分:2)
视频不是1周,2天,6小时21分32秒吗?
Youtube将其显示为222小时21分17秒; 1 * 7 * 24 + 2 * 24 + 6 = 222.我不知道17秒对32秒的差异来自哪里;也可以是舍入误差。
在我看来,为此编写解析器并不是那么难。遗憾的是,dateutil
似乎不会解析时间间隔,只会解析日期时间点。
更新
我看到有一个包,但这只是regexp功能,简洁和难以理解的语法的一个例子,这里有一个解析器:
import re
# see http://en.wikipedia.org/wiki/ISO_8601#Durations
ISO_8601_period_rx = re.compile(
'P' # designates a period
'(?:(?P<years>\d+)Y)?' # years
'(?:(?P<months>\d+)M)?' # months
'(?:(?P<weeks>\d+)W)?' # weeks
'(?:(?P<days>\d+)D)?' # days
'(?:T' # time part must begin with a T
'(?:(?P<hours>\d+)H)?' # hourss
'(?:(?P<minutes>\d+)M)?' # minutes
'(?:(?P<seconds>\d+)S)?' # seconds
')?' # end of time part
)
from pprint import pprint
pprint(ISO_8601_period_rx.match('P1W2DT6H21M32S').groupdict())
# {'days': '2',
# 'hours': '6',
# 'minutes': '21',
# 'months': None,
# 'seconds': '32',
# 'weeks': '1',
# 'years': None}
我故意不在这里计算这些数据的确切秒数。它看起来微不足道(见上文),但实际上并非如此。例如,距离1月1日2个月的距离是58天(30 + 28)或59(30 + 29),具体取决于年份,而从3月1日起,它总是61天。适当的日历实施应考虑到所有这些;对于Youtube剪辑长度计算,它必须过多。
答案 2 :(得分:2)
这是我的答案,它采用9000的正则表达式解决方案(谢谢 - 对正则表达式的惊人掌握!)并完成原始海报的YouTube用例工作,即将小时,分钟和秒转换为秒。我使用.groups()
代替.groupdict()
,然后使用了一些精心构造的列表推导。
import re
def yt_time(duration="P1W2DT6H21M32S"):
"""
Converts YouTube duration (ISO 8061)
into Seconds
see http://en.wikipedia.org/wiki/ISO_8601#Durations
"""
ISO_8601 = re.compile(
'P' # designates a period
'(?:(?P<years>\d+)Y)?' # years
'(?:(?P<months>\d+)M)?' # months
'(?:(?P<weeks>\d+)W)?' # weeks
'(?:(?P<days>\d+)D)?' # days
'(?:T' # time part must begin with a T
'(?:(?P<hours>\d+)H)?' # hours
'(?:(?P<minutes>\d+)M)?' # minutes
'(?:(?P<seconds>\d+)S)?' # seconds
')?') # end of time part
# Convert regex matches into a short list of time units
units = list(ISO_8601.match(duration).groups()[-3:])
# Put list in ascending order & remove 'None' types
units = list(reversed([int(x) if x != None else 0 for x in units]))
# Do the maths
return sum([x*60**units.index(x) for x in units])
很抱歉没有发布更高版本 - 这里仍然是新的,没有足够的声望点来添加评论。
答案 3 :(得分:1)
这通过一次解析输入字符串1个字符来工作,如果字符是数字,它只是将它(字符串添加,而不是数学添加)添加到正在解析的当前值。 如果它是'wdhms'之一,则将当前值分配给适当的变量(周,日,小时,分钟,秒),然后重置值以准备好采用下一个值。 最后,它总结了5个解析值的秒数。
def ytDurationToSeconds(duration): #eg P1W2DT6H21M32S
week = 0
day = 0
hour = 0
min = 0
sec = 0
duration = duration.lower()
value = ''
for c in duration:
if c.isdigit():
value += c
continue
elif c == 'p':
pass
elif c == 't':
pass
elif c == 'w':
week = int(value) * 604800
elif c == 'd':
day = int(value) * 86400
elif c == 'h':
hour = int(value) * 3600
elif c == 'm':
min = int(value) * 60
elif c == 's':
sec = int(value)
value = ''
return week + day + hour + min + sec
答案 4 :(得分:0)
所以这就是我提出的 - 一个解释时间的自定义解析器:
def durationToSeconds(duration):
"""
duration - ISO 8601 time format
examples :
'P1W2DT6H21M32S' - 1 week, 2 days, 6 hours, 21 mins, 32 secs,
'PT7M15S' - 7 mins, 15 secs
"""
split = duration.split('T')
period = split[0]
time = split[1]
timeD = {}
# days & weeks
if len(period) > 1:
timeD['days'] = int(period[-2:-1])
if len(period) > 3:
timeD['weeks'] = int(period[:-3].replace('P', ''))
# hours, minutes & seconds
if len(time.split('H')) > 1:
timeD['hours'] = int(time.split('H')[0])
time = time.split('H')[1]
if len(time.split('M')) > 1:
timeD['minutes'] = int(time.split('M')[0])
time = time.split('M')[1]
if len(time.split('S')) > 1:
timeD['seconds'] = int(time.split('S')[0])
# convert to seconds
timeS = timeD.get('weeks', 0) * (7*24*60*60) + \
timeD.get('days', 0) * (24*60*60) + \
timeD.get('hours', 0) * (60*60) + \
timeD.get('minutes', 0) * (60) + \
timeD.get('seconds', 0)
return timeS
现在它可能非常酷,等等,但它有效,所以我分享因为我关心你的人。
答案 5 :(得分:0)
在9000's answer上扩展,显然Youtube的格式使用的是星期,而不是几个月,这意味着可以很容易地计算出总秒数。
这里不使用命名组,因为我最初需要使用它来与PySpark合作。
def inp(prompt,intype):
var = intype(input(prompt))
return var
x = inp("Hello",float)
print(x)