Python对象方法dict

时间:2011-12-24 12:14:26

标签: python methods dictionary

我需要一个包含处理程序列表的类实例变量(此类实例的指定方法)。可根据要求提供处理程序列表。

我有两个解决方案,但没有一个不适合我。

  1. http://www.ideone.com/3aSkT - 您将获得循环引用。 GC可以清理它,但我们不知道什么时候。
  2. http://www.ideone.com/OaP5c - 在这里,当你打电话时,你需要明确地将类的实例传递给函数。
  3. 还有其他建议吗?

3 个答案:

答案 0 :(得分:2)

如果我说得对,你可以简单地使用内置函数dir()。例如:

>>> class Foo(object):
...     def m1(self):
...         pass
...     def m2(self):
...         pass
... 
>>> dir(Foo)
['__class__', '__delattr__', '__dict__', '__doc__', '__format__', '__getattribute__', '__hash__', '__init__', '__module__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', '__weakref__', 'm1', 'm2']
>>> [m for m in dir(Foo) if '__' not in m]
['m1', 'm2']

编辑:您的问题和评论并不是很清楚。如果您可以编辑提出预期结果的问题,将会有所帮助。我最好的猜测,在下面阅读你的评论(“我需要这个字典{int type: method type})将是你可能想要的:

>>> dict(enumerate([getattr(Foo, m) for m in dir(Foo) if '__' not in m]))
{0: <unbound method Foo.m1>, 1: <unbound method Foo.m2>}

EDIT2:在您写信时,查看最新的粘贴状态:

packet_ids_to_check_up = (0x0404, 0x0405, 0x0404, 0x0505, 0x0506)
    for packet_id in packet_ids_to_check_up:
        if packet_id in some_class_obj:
            some_class_obj[packet_id]('Hello world')

似乎你希望你的班级充当字典。如果是这种情况,您应该查看collections.abc模块,特别是MutableMapping类。来自python glossary

  

映射 - 一个容器对象,它支持任意键查找并实现Mapping或MutableMapping抽象基类中指定的方法。示例包括dict,collections.defaultdict,collections.OrderedDict和collections.Counter。

这意味着要实施以下方法:

  • __contains__
  • keys
  • items
  • values
  • get
  • __eq__
  • __ne__
  • pop
  • popitem
  • clear
  • update
  • setdefault

然而,从您的代码中获取代码并不是不言自明的为什么您不能仅仅使用简单的字典(或最终直接对dict进行子类化...)。

这有帮助吗?

答案 1 :(得分:1)

考虑到OP要求提供一个类实例变量并且他还想要获取有关“私有”方法的信息,扩展@mac的答案:

In [5]: class Foo(object):
   ...:     def m1(self):pass
   ...:     def m2(self):pass
   ...:
In [6]: f = Foo()
In [7]: lst = dir(f)
In [8]: [m for m in lst if not m.endswith('__')]
Out[8]: ['m1', 'm2']

如果你想要对象方法:

In [17]: getattr(Foo, 'm1')
Out[17]: <unbound method Foo.m1>

或直接在实例列表中理解:

In [18]: [getattr(f, m) for m in lst if not m.endswith('__')]
Out[18]:
[<bound method Foo.m1 of <__main__.Foo object at 0x00000000073DD1D0>>,
 <bound method Foo.m2 of <__main__.Foo object at 0x00000000073DD1D0>>]

编辑:所以,考虑到您在链接中提供的示例,也许您正在寻找类似的内容:

class SomeClass:

    store = {0: 'someMethod', 1: 'someMethod1'}

    def __init__(self):
        print('__init__')

    def __del__(self):
        print('__del__')

    def get_dict(self):
        return [getattr(self, att) for idx, att in SomeClass.store.items()]

    def someMethod(): pass
    def someMethod1(): pass


f = SomeClass()
print f.get_dict()

打印:

__init__
[<bound method SomeClass.someMethod of <__main__.SomeClass instance at 0x0000000
0026E2E08>>, <bound method SomeClass.someMethod1 of <__main__.SomeClass instance
 at 0x00000000026E2E08>>]
__del__

答案 2 :(得分:1)

我不确定您是否理解您的问题,但如果您想将方法名称“映射”到其他方法(调用Foo().store()实际上会调用Foo().someMethod())而不引用它们,您可以执行此操作这可以通过覆盖默认的object.__getattribue__行为来实现。

class Foo(object):
    mapping = {'store': 'someMethod'}

    def __getattribute__(self, attr):
        try:
            # first check if it's a "regular" attribute/method
            return super(Foo, self).__getattribute__(attr)
        except AttributeError:
            # attribute was not found, if it's not in your mapping, re-raise the error
            if attr not in self.mapping:
                raise
            mapped_attr = self.mapping[attr]
            return super(Foo, self).__getattribute__(mapped_attr)

    def someMethod(self):
        print "Foo().someMethod()"

foo = Foo()
foo.store()

输出:

>>> Foo().someMethod()