0

这是我想做的事情:

class demo(object):
    def a(self):
        pass

    def b(self, param=self.a):  #I tried demo.a as well after making a static
        param()

问题显然是无法访问函数声明行中的类。有没有办法像在 c(++) 中一样添加原型?

目前我使用了一个丑陋的解决方法:

def b(self, param=True): #my real function shall be able to use None, to skip the function call
    if param == True:
        param = self.a

    if param != None: #This explainds why I can't take None as default,
                      #for param, I jsut needed something as default which was 
                      #neither none or a callable function (don't want to force the user to create dummy lambdas)
        param()

那么是否有可能在没有这种丑陋的工作环境的情况下实现顶部描述的东西?注意:我绑定到大约是 python 2.5 的 Jython(我知道有 2.7,但我无法升级)

4

6 回答 6

3

简短的回答:没有。

我认为最好的方法是,如果您希望能够传递 , 等对象NoneTrue请创建一个自定义占位符对象,如下所示:

default_value = object()

class demo(object):
    def a(self):
        pass

    def b(self, param=default_value):
        if param is default_value:
            self.a()
        else:
            param()

可以a函数用作 的默认值b,如下所示:

    def b(self, param=a):

这将a在之前定义的时间内起作用b但是该函数a与绑定方法不同self.a,因此您需要在调用它之前绑定它,并且您需要一些方法来区分传递的可调用方法和默认方法a,以便您可以绑定后者但是不是前者。这显然比我建议的相对较短且易读的代码要混乱得多。

于 2012-06-13T10:16:00.577 回答
3

不要告诉任何人我给你看了这个。

class demo:
    def a(self): print(self, "called 'a'")
    def b(self, param): param(self)
demo.b.__defaults__ = (demo.a,)

demo().b()

(在 2.x 中,__defaults__拼写为func_defaults。)

于 2012-06-13T10:57:56.003 回答
1

您可以将方法名称放在函数定义中:

class Demo(object):

    def a(self):
        print 'a'

    def b(self, param='a'):
        if param:
            getattr(self, param)()

但是,您仍然需要检查是否param具有是否为 的值None。请注意,这种方法不应用于不受信任的输入,因为它允许执行该类的任何功能。

于 2012-06-13T10:18:46.877 回答
1

我喜欢lazyr回答,但也许你会更喜欢这个解决方案:

class Demo(object):
    def a(self):
        pass

    def b(self, *args):
        if not args:
            param=self.a
        elif len(args)>1:
            raise TypeError("b() takes at most 1 positional argument")
        else:
            param=args[0]
        if param is not None:
            param()
于 2012-06-13T10:23:01.510 回答
1

我也更喜欢lazyr的答案(我通常None用作默认参数),但您也可以使用关键字参数来更明确地说明它:

def b(self, **kwargs):
    param = kwargs.get('param', self.a)
    if param: param()

仍然可以None作为参数使用,导致param不被执行。但是,如果您不包含关键字参数param=,它将默认为a()

demo.b() #demo.a() executed

demo.b(param=some_func) #some_func() executed

demo.b(param=None) #nothing executed.
于 2012-06-13T10:27:49.073 回答
1

我将再次回答这个问题,与我之前的回答相矛盾:

简短的回答:是的!(有点)

在方法装饰器的帮助下,这是可能的。代码很长,有点难看,但是用法很短很简单。

问题是我们只能使用未绑定的方法作为默认参数。那么,如果我们创建一个包装函数——一个装饰器——在调用真正的函数之前绑定参数呢?

首先,我们创建一个可以执行此任务的辅助类。

from inspect import getcallargs
from types import MethodType
from functools import wraps

class MethodBinder(object):
    def __init__(self, function):
        self.function = function

    def set_defaults(self, args, kwargs):
        kwargs = getcallargs(self.function, *args, **kwargs)
        # This is the self of the method we wish to call
        method_self = kwargs["self"]

        # First we build a list of the functions that are bound to self
        targets = set()
        for attr_name in dir(method_self):
            attr = getattr(method_self, attr_name)
            # For older python versions, replace __func__ with im_func
            if hasattr(attr, "__func__"):
                targets.add(attr.__func__)

        # Now we check whether any of the arguments are identical to the 
        # functions we found above. If so, we bind them to self.
        ret = {}
        for kw, val in kwargs.items():
            if val in targets:
                ret[kw] = MethodType(val, method_self)
            else:
                ret[kw] = val

        return ret

因此,实例MethodBinder与方法(或者更确切地说将成为方法的函数)相关联。MethodBinders 方法set_defaults可以被赋予用于调用关联方法的参数,它将绑定关联方法的任何未绑定方法,self并返回可用于调用关联方法的 kwargs dict。

现在我们可以使用这个类创建一个装饰器:

def bind_args(f):
    # f will be b in the below example
    binder = MethodBinder(f)

    @wraps(f)
    def wrapper(*args, **kwargs):
        # The wrapper function will get called instead of b, so args and kwargs
        # contains b's arguments. Let's bind any unbound function arguments:
        kwargs = binder.set_defaults(args, kwargs)

        # All arguments have been turned into keyword arguments. Now we
        # may call the real method with the modified arguments and return
        # the result.
        return f(**kwargs)
    return wrapper

现在我们已经把丑陋抛在脑后,让我们展示一下简单而漂亮的用法:

class demo(object):
    def a(self):
        print("{0}.a called!".format(self))

    @bind_args
    def b(self, param=a):
        param()

def other():
    print("other called")

demo().b()
demo().b(other)

这个秘籍使用了一个相当新的 Python 补充,getcallargs来自inspect. 它仅在较新版本的 python2.7 和 3.1 中可用。

于 2012-06-18T11:09:11.870 回答