我有一个带有静态变量的类,用于查找错误/状态代码。 以HTTP状态代码为例
class Foo(object):
OK = 200
Not_Modified = 304
Forbidden = 403
Internal_Server_Error = 500
现在我需要根据代码(200,403等)检索口头状态('OK','Not_Modified'等)。我无法修改类的结构,因为其他程序正在使用它。所以我创建了一个包含description_by_val
:
{code : description}
from collections import Hashable
class Foo(object):
OK = 200
Not_Modified = 304
Forbidden = 403
Internal_Server_Error = 500
description_by_val = dict((value, key)
for key, value in locals().iteritems()
if not key.startswith("__") and value and isinstance(value, Hashable))
>>> Foo.description_by_val[200]
'OK'
现在我在性能和代码实践方面存在疑问。
Foo.description_by_val
都会导致字典被重新生成?即使数据集非常小,这也不好,因为这会得到数百万次的通话。有什么想法吗?
更新
我的同事刚刚向我指出,我可以在创建description_by_val
期间打印一些内容,以确定它是否会重新生成。
>>> from collections import Hashable
>>>
>>> def show(key):
... print key
... return True
...
>>>
>>> class Foo(object):
... OK = 200
... Not_Modified = 304
... Forbidden = 403
... Internal_Server_Error = 500
... description_by_val = dict((value, key)
... for key, value in locals().iteritems()
... if not key.startswith("__") and key and isinstance(value, Hashable) and show(key))
...
OK
Forbidden
Internal_Server_Error
Not_Modified
>>>
>>> Foo.description_by_val
{200: 'OK', 304: 'Not_Modified', 403: 'Forbidden', 500: 'Internal_Server_Error'}
>>> Foo.description_by_val
{200: 'OK', 304: 'Not_Modified', 403: 'Forbidden', 500: 'Internal_Server_Error'}
>>> Foo.description_by_val[200]
'OK'
我现在很高兴我不必担心性能问题。我想找出它为什么会这样:)
答案 0 :(得分:4)
你的想法很合理。每次都不会重新生成字典,只会在第一次创建字典时重新生成。查找是高效可靠的,这不太可能导致我看到的问题。使用这种反向字典很常见,你也可以在isinstance(value, Hashable)
检查。你应该没事。
- 已编辑 -
你的代码很好,我只是错过了尾随的paren。