python styleguide pep 8。多行多列词

时间:2016-01-09 16:36:32

标签: python coding-style pep8

嗨,当我有一个我想要使用的多维字典时,我使用一些较长名称的变量访问它时会遇到一些+80个字符行。我怎样才能根据pep8来缩短它。

例如:

myvalue = mydict[application_module][chapter][paragraph][line][character][some_other_value]

问题:如何在不重命名变量的情况下缩短/多行?

我知道我能做到:

myvalue = mydict[application_module] \
                [chapter] \
                [paragraph] \
                [line] \
                [some_other_value]

使用\ muliline是唯一的解决方案吗?

1 个答案:

答案 0 :(得分:1)

是的,为了拒绝引发语法错误,您需要转义新行。但作为另一种替代方法,您可以使用递归函数从嵌套字典中获取值:

>>> d = {1: {2: {3: {4: {5: 'a'}}}}}
>>> def get_item(d,*keys):
...    for i,j in enumerate(keys):
...        item = d[j]
...        if isinstance(item, dict):
...           return get_item(item,*keys[i+1:])
...        return item

next中的生成器表达式:

>>> def get_item(d,*keys):
...   return next(get_item(d[j],*keys[i+1:]) if isinstance(d[j],dict) else d[j] for i,j in enumerate(keys))
... 
>>> print get_item(d,1,2,3,4,5)
a

或者作为一种更加pythonic的方式,您可以将键的迭代器传递给您的函数:

def get_item(d,keys):
    try:            
        item = d[next(keys)]
    except KeyError:
        raise Exception("There is a mismatch within your keys")
    if isinstance(item, dict):
       return get_item(item,keys)
    return item