我不确定这是否是您想要的,但dict.get
可能是答案:
>>> ub_tries = 20
>>> tries_dict = {1:'first', 2:'second', 3:'third', 4:'fourth', ub_tries:'last'}
>>> tries_dict.get(1, 'next')
'first'
>>> tries_dict.get(4, 'next')
'fourth'
>>> tries_dict.get(5, 'next')
'next'
>>> tries_dict.get(20, 'next')
'last'
>>> tries_dict.get(21, 'next')
'next'
当然,您可以以各种不同的方式将其包装在一个函数中。例如:
def name_try(try_number, ub_tries):
tries_dict = {1:'first', 2:'second', 3:'third', 4:'fourth', ub_tries:'last'}
return tries_dict.get(try_number, 'next')
无论如何,dict.get(key, default=None)
就像dict[key]
,除了 ifkey
不是成员,而不是提高 a KeyError
,它返回default
。
至于你的建议:
使用范围作为键??
当然,您可以这样做(如果您使用的是 Python 2 而不是 3,请使用xrange
for range
),但这有什么帮助呢?
d = { range(1, 5): '???',
range(5, ub_tries): 'next',
range(ub_tries, ub_tries + 1): 'last' }
这是完全合法的——但d[6]
会引发 a KeyError
,因为6
与. 不同range(5, ub_tries)
。
如果你想让它工作,你可以构建一个RangeDictionary
这样的:
class RangeDictionary(dict):
def __getitem__(self, key):
for r in self.keys():
if key in r:
return super().__getitem__(r)
return super().__getitem__(key)
但这远远超出了“初学者的 Python”,即使对于这种低效、不完整和不健壮的实现也是如此,所以我不建议这样做。
找到一种方法来生成一个值在 4 和 ub_tries 之间的列表,并使用这样的列表作为键
你的意思是这样吗?
>>> ub_tries = 8
>>> tries_dict = {1:'first', 2:'second', 3:'third', 4:'fourth', ub_tries:'last'}
>>> tries_dict.update({i: 'next' for i in range(5, ub_tries)})
>>> tries_dict
{1: 'first', 2: 'second', 3: 'third', 4: 'fourth', 5: 'next', 6: 'next', 7: 'next', 8: 'last'}
>>> tries_dict[6]
'next'
这行得通,但它可能不是一个好的解决方案。
最后,您可以使用defaultdict
,它可以让您将默认值烘焙到字典中,而不是将其作为每次调用的一部分传递:
>>> from collections import defaultdict
>>> tries_dict = defaultdict(lambda: 'next',
... {1:'first', 2:'second', 3:'third', 4:'fourth', ub_tries:'last'})
>>> tries_dict
defaultdict(<function <lambda> at 0x10272fef0>, {8: 'last', 1: 'first', 2: 'second', 3: 'third', 4: 'fourth'})
>>> tries_dict[5]
'next'
>>> tries_dict
defaultdict(<function <lambda> at 0x10272fef0>, {1: 'first', 2: 'second', 3: 'third', 4: 'fourth', 5: 'next', 8: 'last'})
但是,请注意,这会在您第一次请求时永久创建每个元素,并且您必须创建一个返回默认值的函数。这对于您将要更新值并且只希望以默认值作为起点的情况更有用。