繁体   English   中英

无法弄清楚为什么代码在Python 3中工作,而不是2.7

[英]Can't figure out why code working in Python 3 , but not 2.7

我用Python 3编写并测试了下面的代码,它工作正常:

def format_duration(seconds):
    dict = {'year': 86400*365, 'day': 86400, 'hour': 3600, 'minute': 60, 'second': 1}
    secs = seconds
    count = []
    for k, v in dict.items():
        if secs // v != 0:
            count.append((secs // v, k))
            secs %= v

    list = [str(n) + ' ' + (unit if n == 1 else unit + 's') for n, unit in count]

    if len(list) > 1:
        result = ', '.join(list[:-1]) + ' and ' + list[-1]
    else:
        result = list[0]

    return result


print(format_duration(62))

在Python3中,上面返回:

1 minute and 2 seconds

但是,Python 2.7中的相同代码返回:

62 seconds

我不能为我的生活找出原因。 任何帮助将不胜感激。

答案是不同的,因为你的dict中的项目在两个版本中以不同的顺序使用。

在Python 2中,dicts是无序的,因此您需要做更多的事情来按照您想要的顺序获取项目。

顺便说一句,不要使用“dict”或“list”作为变量名,这会使调试变得更难。

这是固定的代码:

def format_duration(seconds):
    units = [('year', 86400*365), ('day', 86400), ('hour', 3600), ('minute', 60), ('second', 1)]
    secs = seconds
    count = []
    for uname, usecs in units:
        if secs // usecs != 0:
            count.append((secs // usecs, uname))
            secs %= usecs

    words = [str(n) + ' ' + (unit if n == 1 else unit + 's') for n, unit in count]

    if len(words) > 1:
        result = ', '.join(words[:-1]) + ' and ' + words[-1]
    else:
        result = words[0]

    return result


print(format_duration(62))

暂无
暂无

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM