我有一个带有用于错误/状态代码查找的静态变量的类。以 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'
我现在很高兴我不必担心性能。我想知道它为什么会这样:)