动态绑定未绑定方法
在Python中,我们经常遇到需要将未绑定方法绑定到实例而不调用它的情况。这在各种场景中都是一项有价值的技术,例如创建动态 GUI 或以结构化方式处理事件。
程序爆炸问题
考虑以下代码snippet:
<code class="python">class MyWidget(wx.Window): buttons = [ ("OK", OnOK), ("Cancel", OnCancel) ] def setup(self): for text, handler in MyWidget.buttons: b = wx.Button(parent, label=text).bind(wx.EVT_BUTTON, handler)</code>
这里的问题是处理程序代表未绑定的方法,导致程序因错误而崩溃。为了解决这个问题,我们需要一种方法将这些未绑定的方法绑定到 MyWidget 的特定实例。
描述符的力量
Python 的方法也是描述符,它提供一种动态绑定它们的方法。通过对未绑定方法调用特殊的 __get__ 方法,我们可以获得绑定方法:
<code class="python">bound_handler = handler.__get__(self, MyWidget)</code>
通过将绑定方法分配给类级属性,我们可以有效地将其绑定到实例:
<code class="python">setattr(self, handler.__name__, bound_handler)</code>
可重用的绑定函数
使用此技术,我们可以创建一个可重用的函数来绑定未绑定的方法:
<code class="python">def bind(instance, func, as_name=None): """ Bind the function *func* to *instance*, with either provided name *as_name* or the existing name of *func*. The provided *func* should accept the instance as the first argument, i.e. "self". """ if as_name is None: as_name = func.__name__ bound_method = func.__get__(instance, instance.__class__) setattr(instance, as_name, bound_method) return bound_method</code>
使用此函数,我们现在可以绑定未绑定的方法,如下所示:
<code class="python">bind(something, double) something.double() # returns 42</code>
以上是如何在 Python 中动态绑定未绑定的方法?的详细内容。更多信息请关注PHP中文网其他相关文章!