Decorators can generate endless debate about syntax, but can also
be put to better use ;)
Actually I was waiting for decorators to play a few tricks that were
syntactically too ugly to be even imaginable for Python 2.3.
One trick is to use decorators to implement multimethods. A while ago
Howard Stearns posted here a recipe to implement generic functions
a.k.a multimethods.
I have not studied his recipe, so don't ask me how it works. All I
did was to add an "addmethod" function and save his code in a module
called genericfunctions.
Decorators allowed me to use the following syntax:
# BEGIN generic functions in Python, example
# use code and examples from Howard Stearns
from genericfunctions import Generic_Function, addmethod
foo = Generic_Function()
@addmethod(object, object, object)
def foo(_, x, y, z):
return 'default'
@addmethod(int, int, int)
def foo(call_next, x, y, z):
return 'all ints , ' + call_next(x, y, z)
@addmethod(object, object)
def foo( _, x, y):
return 'just two'
print foo # the multimethod table as a dictionary
print foo(1, 2, 'three') # => default
print foo(1, 2, 3) # => all ints, default
print foo(1, 'two') #> just two
print foo('oops') #=> genericfunctions.NoNextMethod error
# END generic functions in Python, example
Howard Stearns' code is posted here http://groups.google.it/groups?hl=it...net%26rnum%3D1
I just added the following function:
import sys
def addmethod(*types):
"""sys._getframe hack; works when the generic function is defined
in the globals namespace."""
caller_globs = sys._getframe(1).f_globals
def function2generic(f):
generic = caller_globs[f.func_name]
generic[types] = f
return generic
return function2generic
Decorators did all the rest ;) Just to add an use case I haven't
seen before.
Michele Simionato 8 1515
Hey, that's pretty nice. I'll have to get some coffee and study this. What
do I read about? I can't find anything about @ or 'decorator' in the 2.3
documentation. What should I be looking for?
Michele Simionato wrote: Decorators can generate endless debate about syntax, but can also be put to better use ;)
Actually I was waiting for decorators to play a few tricks that were syntactically too ugly to be even imaginable for Python 2.3.
One trick is to use decorators to implement multimethods. A while ago Howard Stearns posted here a recipe to implement generic functions a.k.a multimethods.
I have not studied his recipe, so don't ask me how it works. All I did was to add an "addmethod" function and save his code in a module called genericfunctions.
Decorators allowed me to use the following syntax:
# BEGIN generic functions in Python, example # use code and examples from Howard Stearns
from genericfunctions import Generic_Function, addmethod
foo = Generic_Function()
@addmethod(object, object, object) def foo(_, x, y, z): return 'default'
@addmethod(int, int, int) def foo(call_next, x, y, z): return 'all ints , ' + call_next(x, y, z)
@addmethod(object, object) def foo( _, x, y): return 'just two'
print foo # the multimethod table as a dictionary print foo(1, 2, 'three') # => default print foo(1, 2, 3) # => all ints, default print foo(1, 'two') #> just two print foo('oops') #=> genericfunctions.NoNextMethod error
# END generic functions in Python, example
Howard Stearns' code is posted here http://groups.google.it/groups?hl=it...net%26rnum%3D1
I just added the following function:
import sys
def addmethod(*types): """sys._getframe hack; works when the generic function is defined in the globals namespace.""" caller_globs = sys._getframe(1).f_globals def function2generic(f): generic = caller_globs[f.func_name] generic[types] = f return generic return function2generic
Decorators did all the rest ;) Just to add an use case I haven't seen before.
Michele Simionato
Michele Simionato wrote: def addmethod(*types): """sys._getframe hack; works when the generic function is defined in the globals namespace.""" caller_globs = sys._getframe(1).f_globals def function2generic(f): generic = caller_globs[f.func_name] generic[types] = f return generic return function2generic
Couldn't you use f.func_globals to avoid the getframe hack?
Regards,
Martin
Michele Simionato wrote: foo = Generic_Function()
@addmethod(object, object, object) def foo(_, x, y, z): return 'default'
On a second note, I would probably prefer a different notation
foo = Generic_Function()
@foo.overload(object, object, object)
def foo(_, x, y, z):
return 'default'
This, of course, requires changes to Generic_Function, but
they could be as simple as
def overload(self, *types):
def decorator(f):
self[types] = f
return self
return decorator
Regards,
Martin mi***************@gmail.com (Michele Simionato) wrote in message news:<4e**************************@posting.google. com>...
<snip using decorators as syntactic sugar over Howard Stearns module>
Martin v. Lewis suggested an improvement, which involves adding the
following method to the Generic_Function class:
def addmethod(self, *types):
"My own tiny modification to Stearns code"
return lambda f: self.setdefault(types,f)
The advantage is that methods definitions can go in any scope now and
not only at the top level as in my original hack.
My previous example read:
foo = Generic_Function()
@foo.addmethod(object, object, object)
def _(call_next, x, y, z):
return 'default'
@foo.addmethod(int, int, int)
def _(call_next, x, y, z):
return 'all ints , ' + call_next(x, y, z)
@foo.addmethod(object, object)
def _(call_next, x, y):
return 'just two'
where I use "_" as a poor man anonymous function. I cannot reuse the name
"foo" now, since
@foo.addmethod(...)
def foo(..):
....
is really converted to
def foo(..)
...
foo=foo.addmethod(...)(foo)
and this would correctly raise a "foo function has not attribute addmethod"!
But in some sense this is better, since we avoid any confusion
between the member functions and the generic function (which is implemented
as a dictionary, BTW).
Michele Simionato
On 7-aug-04, at 17:42, Michele Simionato wrote: where I use "_" as a poor man anonymous function. I cannot reuse the name "foo" now, since
@foo.addmethod(...) def foo(..): ....
is really converted to
def foo(..) ...
foo=foo.addmethod(...)(foo)
No it isn't. The decorators are called before the function is added to
a namespace, e.g. it's more like:
def _():
def foo(..):
..
return foo
foo = foo.addmethod(...)(_())
Ronald
Ronald Oussoren <ro************@mac.com> wrote in message news:<ma**************************************@pyt hon.org>... decorators are called before the function is added to a namespace
You are right. I did some experiment with
def dec(f):
print globals()
return f
and it is clear that
@dec
def f():
pass
is NOT the same as
def f():
pass
f=dec(f)
Using the @decorator, f is not in the globals at the decorator call time.
In the version of the PEP I have read (that my have changed) complete
equivalence was claimed, so I assumed (wrongly) this was the cause of
the error I saw. Instead the error came from the second call to the
decorator, not from the first one.
Michele mi***************@gmail.com (Michele Simionato) wrote in message news:<4e**************************@posting.google. com>... One trick is to use decorators to implement multimethods. A while ago Howard Stearns posted here a recipe to implement generic functions a.k.a multimethods.
I have not studied his recipe, so don't ask me how it works. All I did was to add an "addmethod" function and save his code in a module called genericfunctions.
Decorators allowed me to use the following syntax:
# BEGIN generic functions in Python, example # use code and examples from Howard Stearns
from genericfunctions import Generic_Function, addmethod
foo = Generic_Function()
@addmethod(object, object, object) def foo(_, x, y, z): return 'default'
@addmethod(int, int, int) def foo(call_next, x, y, z): return 'all ints , ' + call_next(x, y, z)
@addmethod(object, object) def foo( _, x, y): return 'just two'
FYI, there's another example of this approach available in PyProtocols
CVS; see: http://www.eby-sarna.com/pipermail/p...ly/001598.html
It uses this syntax:
from protocols.dispatch import when, next_method
[when("True")]
def foo(x,y,z):
return "default"
[when("x in int and y in int and z in int")]
def foo(x,y,z):
return "all ints, "+next_method(x,y,z)
but will work with Python 2.2.2 and up. It also allows arbitrary
expressions to be used to distinguish multimethod cases, not just type
information, but still optimizes them to table lookups. It doesn't
support variadic or default arguments yet, though.
Michele Simionato wrote: mi***************@gmail.com (Michele Simionato) wrote in message news:<4e**************************@posting.google. com>...
<snip using decorators as syntactic sugar over Howard Stearns module>
Martin v. Lewis suggested an improvement, which involves adding the following method to the Generic_Function class:
def addmethod(self, *types): "My own tiny modification to Stearns code" return lambda f: self.setdefault(types,f)
The advantage is that methods definitions can go in any scope now and not only at the top level as in my original hack. My previous example read:
foo = Generic_Function()
@foo.addmethod(object, object, object) def _(call_next, x, y, z): return 'default'
@foo.addmethod(int, int, int) def _(call_next, x, y, z): return 'all ints , ' + call_next(x, y, z)
@foo.addmethod(object, object) def _(call_next, x, y): return 'just two'
where I use "_" as a poor man anonymous function. I cannot reuse the name "foo" now, since
@foo.addmethod(...) def foo(..): ....
is really converted to
def foo(..) ...
foo=foo.addmethod(...)(foo)
and this would correctly raise a "foo function has not attribute addmethod"! But in some sense this is better, since we avoid any confusion between the member functions and the generic function (which is implemented as a dictionary, BTW).
Another benefit is you can give the different variants real names:
@foo.addmethod(object, object):
def add_objects(call_next, x, y):
return 'just two'
so you can call it directly if you want
David This thread has been closed and replies have been disabled. Please start a new discussion. Similar topics
by: Michael Sparks |
last post by:
Anyway...
At Europython Guido discussed with everyone the outstanding issue with
decorators and there was a clear majority in favour of having them, which
was good. From where I was sitting it...
|
by: RebelGeekz |
last post by:
Just my humble opinion:
def bar(low,high):
meta:
accepts(int,int)
returns(float)
#more code
Use a metadata section, no need to introduce new messy symbols, or
mangling our beloved visual...
|
by: Stephen Thorne |
last post by:
Decorators have been getting lots of air-time at the moment, but only
really the syntax. After a short discussion on irc the other night I
decided to download python2.4 from experimental and write...
|
by: Guido van Rossum |
last post by:
Robert and Python-dev,
I've read the J2 proposal up and down several times, pondered all the
issues, and slept on it for a night, and I still don't like it enough
to accept it. The only reason...
|
by: Anthony Baxter |
last post by:
To go along with the 2.4a3 release, here's an updated version of
the decorator PEP. It describes the state of decorators as they
are in 2.4a3.
PEP: 318
Title: Decorators for Functions and...
|
by: Gabriel Zachmann |
last post by:
This post is not strictly Python-specific, still
I would like to learn other university teachers' opinion.
Currently, I'm teaching "introduction to OO programming" at the undergrad
level. My...
|
by: Roman Suzi |
last post by:
hi!
I've found one more nice use case for decorators. I feel multimethods
could be made even nicier by defining multimethods inside special
class. But I have not figured out how to do it yet.
...
|
by: Andrew West |
last post by:
Probably a bit of weird question. I realise decorators shouldn't be
executed until the function they are defined with are called, but is
there anyway for me to find all the decorates declared in a...
|
by: Richard Szopa |
last post by:
Hello all,
I am playing around w/ Python's object system and decorators and I
decided to write (as an exercise) a decorator that (if applied to a
method) would call the superclass' method of the...
|
by: Kemmylinns12 |
last post by:
Blockchain technology has emerged as a transformative force in the business world, offering unprecedented opportunities for innovation and efficiency. While initially associated with cryptocurrencies...
|
by: Naresh1 |
last post by:
What is WebLogic Admin Training?
WebLogic Admin Training is a specialized program designed to equip individuals with the skills and knowledge required to effectively administer and manage Oracle...
|
by: antdb |
last post by:
Ⅰ. Advantage of AntDB: hyper-convergence + streaming processing engine
In the overall architecture, a new "hyper-convergence" concept was proposed, which integrated multiple engines and...
|
by: Matthew3360 |
last post by:
Hi, I have a python app that i want to be able to get variables from a php page on my webserver. My python app is on my computer. How would I make it so the python app could use a http request to get...
|
by: AndyPSV |
last post by:
HOW CAN I CREATE AN AI with an .executable file that would suck all files in the folder and on my computerHOW CAN I CREATE AN AI with an .executable file that would suck all files in the folder and...
|
by: WisdomUfot |
last post by:
It's an interesting question you've got about how Gmail hides the HTTP referrer when a link in an email is clicked. While I don't have the specific technical details, Gmail likely implements measures...
|
by: Carina712 |
last post by:
Setting background colors for Excel documents can help to improve the visual appeal of the document and make it easier to read and understand. Background colors can be used to highlight important...
|
by: BLUEPANDA |
last post by:
At BluePanda Dev, we're passionate about building high-quality software and sharing our knowledge with the community. That's why we've created a SaaS starter kit that's not only easy to use but also...
|
by: Ricardo de Mila |
last post by:
Dear people, good afternoon...
I have a form in msAccess with lots of controls and a specific routine must be triggered if the mouse_down event happens in any control.
Than I need to discover what...
| |