473,378 Members | 1,417 Online
Bytes | Software Development & Data Engineering Community
Post Job

Home Posts Topics Members FAQ

Join Bytes to post your question to a community of 473,378 software developers and data experts.

Python Cookbook question re 5.6

Joe
The recipe in question is "Implementing Static Methods". It shows how to
use staticmethod(). This sentence in the Discussion section isn't clear to
me: "An attribute of a class object that starts out as a Python function
implicitly mutates into an unbound method." I'm not sure what this means,
exactly. Can anyone elaborate?

Thanks,
Chris

Jul 18 '05 #1
4 1560
Joe wrote:
The recipe in question is "Implementing Static Methods". It shows how to
use staticmethod(). This sentence in the Discussion section isn't clear to
me: "An attribute of a class object that starts out as a Python function
implicitly mutates into an unbound method." I'm not sure what this means,
exactly. Can anyone elaborate?

Thanks,
Chris


First, you might cite the actual recipe here, so people can go look:
The way a class is constructed consists of:
1) open a scope at the point where the class definition starts.
2) Collect each definition in the scope (value an name). At this
point (during the collection), you are building "normal"
functions with def.
3) When the end of the class definition is found, all of the
definitions collected in (2), along with the class name and
superclasses are used to build the actual class. This is the
moment when the normal functions created in step 2 are used
to build "unbound methods" -- the magic used to make objects
work.

Here's some code that, once you understand it, illustrates this:

class SomeClass(object):
def function(self, other):
print 'called with self=%s, and other =%s' % (self, other)
return self, other

pair = function(1,2) # normal during class construction
print pair # We can even see the pair.
statmeth = staticmethod(function)# uses, not changes, function
pair2 = function(2,3) # Demonstrate function still works

print SomeClass.pair, SomeClass.pair2 # The class vars are there
obj = SomeClass() # make an instance
pair3 = obj.function(4) # Note only 1 arg is accepted.
print obj, pair3 # the object was used as the first arg
pair4 = SomeClass.statmeth(4, 5) # The old function behavior
pair5 = obj.statmeth(5, 6)# Also the old function behavior

pair6 = SomeClass.function(obj, 7) # An "unbound method" can
# be used on the right kind of object
pair7 = SomeClass.function(7, 8) # Raises an exception! An
# "unbound method" needs the correct
# kind of object as its first argument.

-Scott David Daniels
Sc***********@Acm.Org
Jul 18 '05 #2

"Joe" <fr***@yeah.com> wrote in message
news:SX%Cb.548624$Fm2.517912@attbi_s04...
The recipe in question is "Implementing Static Methods". It shows how to
use staticmethod(). This sentence in the Discussion section isn't clear to me: "An attribute of a class object that starts out as a Python function
implicitly mutates into an unbound method." I'm not sure what this means,
exactly. Can anyone elaborate?

Thanks,
Chris


Here's an example that may help show what's going on:

class C:
def f():
print "f"
print type(f)

print type(C.f)
try:
C.f()
except TypeError, e:
print e
try:
c = C()
C.f(c)
except TypeError, e:
print e
# OUTPUT
<type 'function'>
<type 'instancemethod'>
unbound method f() must be called with C instance as first argument (got
nothing instead)
f() takes no arguments (1 given)
When the class C is evaluated the "print type(f)" statement is executed. It
shows that, at that moment, f's type is 'function'.
But when you ask, "type(C.f)" it tells you that f is an instance method.
When you try to call f using "C.f()" you're told that f is an unbound
method, that must be called with an instance of C as the first argument.
When you make a method, you usually specify the first argument as being
"self". In this case "self" would be an instance of C. So, anyway, now f
appears to expect an argument when it's called. So, we try passing in what
it appears to expect "C.f(c)", and it tells us that "f() takes no arguments
(1 given)". Heh.

I'm not exactly sure what Python's doing behind the scenes but I imagine
that it's wrapping all function definitions inside the class body: something
like

for all functions in the class:
function = unbound_method(function)

where unbound_method is a callable that maintains the original function as
an attribute. When you call the unbound_method, it delegates the call to
this function f. It's the unbound_method that expects the "instance of C as
the first argument", but when it passes the argument to its delegate
function f - well, f doesn't take any arguments, so we get an exception.

Like I said, I don't know exactly what mechanism are being employed behind
the scenes, but this is the way I try to understand what's going on.

Hopefully this is somewhat correct, and helpful,
Sean
Jul 18 '05 #3
On Mon, 15 Dec 2003 08:51:07 -0800, Scott David Daniels <Sc***********@Acm.Org> wrote:
Joe wrote:
The recipe in question is "Implementing Static Methods". It shows how to
use staticmethod(). This sentence in the Discussion section isn't clear to
me: "An attribute of a class object that starts out as a Python function
implicitly mutates into an unbound method." I'm not sure what this means,
exactly. Can anyone elaborate?

Thanks,
Chris


First, you might cite the actual recipe here, so people can go look:
The way a class is constructed consists of:
1) open a scope at the point where the class definition starts.
2) Collect each definition in the scope (value an name). At this
point (during the collection), you are building "normal"
functions with def.
3) When the end of the class definition is found, all of the
definitions collected in (2), along with the class name and
superclasses are used to build the actual class. This is the
moment when the normal functions created in step 2 are used
to build "unbound methods" -- the magic used to make objects
work.

UIAM that is not quite accurate. The defined "normal functions" you mention
remain so until dynamically accessed as attributes of the relevant class. If you bypass the
getattr mechanism (e.g., looking in the class dict), you find that the functions are still "normal":
class C(object): ... def meth(*args): print 'meth args:', args
... c = C()
C.meth <unbound method C.meth> c.meth <bound method C.meth of <__main__.C object at 0x00902410>>

but this way you see the plain old function: C.__dict__['meth'] <function meth at 0x009050B0>

if you use getattr, you can see the attribute magic: getattr(C,'meth') <unbound method C.meth>

and via an instance: getattr(c,'meth') <bound method C.meth of <__main__.C object at 0x00902410>>

calling the plain function: C.__dict__['meth'](1,2,3) meth args: (1, 2, 3)

trying the same as class attribute, which gets you the unbound method: getattr(C,'meth')(1,2,3) Traceback (most recent call last):
File "<stdin>", line 1, in ?
TypeError: unbound method meth() must be called with C instance as first argument (got int insta
nce instead)

you can pass the instance explicitly: getattr(C,'meth')(c,1,2,3) meth args: (<__main__.C object at 0x00902410>, 1, 2, 3)

you can make a global binding to the plain function: gm = C.__dict__['meth']
gm(1,2,3) meth args: (1, 2, 3)

you can add a method dynamically to the class: C.m2 = lambda *args:args
and the getattr magic will do its thing: C.m2 <unbound method C.<lambda>> c.m2 <bound method C.<lambda> of <__main__.C object at 0x00902410>> c.m2(1,2,3) (<__main__.C object at 0x00902410>, 1, 2, 3) C.m2(1,2,3) Traceback (most recent call last):
File "<stdin>", line 1, in ?
TypeError: unbound method <lambda>() must be called with C instance as first argument (got int i
nstance instead) C.m2(c,1,2,3)

(<__main__.C object at 0x00902410>, 1, 2, 3)

You can also define descriptors that will intercept the getattr magic and alter the behavior,
if you want to.

Regards,
Bengt Richter
Jul 18 '05 #4
"Sean Ross" <sr***@connectmail.carleton.ca> wrote in message news:<V_******************@news20.bellglobal.com>. ..
I'm not exactly sure what Python's doing behind the scenes


http://users.rcn.com/python/download/Descriptor.htm
Jul 18 '05 #5

This thread has been closed and replies have been disabled. Please start a new discussion.

Similar topics

0
by: Cameron Laird | last post by:
QOTW: "I'm starting with Python and I find it really great! It's ... natural!" Lupe http://groups.google.com/groups?selm=mailman.539.1068218589.702.python-list%40python.org "I used to default...
0
by: John J Lee | last post by:
QOTW: "...simple genexps will work fine anyway almost all the time, so it doesn't appear to matter much that devious uses will have nightmarish semantics." -- Tim Peters on Generator Expressions ...
0
by: Peter Otten | last post by:
QOTW: "I worry about Python losing its KISS principle. Python 2.2 has been ported to the Nokia Series 60 platform, which has something like 8-16 MB of RAM available. I'm sure the footprint growth...
0
by: Alex Martelli | last post by:
Greetings, fellow Pythonistas! We (Alex Martelli, David Ascher and Anna Martelli Ravenscroft) are in the process of selecting recipes for the Second Edition of the Python Cookbook. Please...
10
by: Simon Brunning | last post by:
QOTW: "I think my code is clearer, but I wouldn't go so far as to say I'm violently opposed to your code. I save violent opposition for really important matters like which text editor you use." -...
0
by: Simon Brunning | last post by:
QOTW: "The security 'droids have decided that since the MS Office Suite is a 'standard' application then software written in MS Office VBA must be 'safe.' Any other development environments (such...
0
by: Simon Brunning | last post by:
QOTW: "It's not perfect, but then nobody in this thread has offered anything even remotely resembling perfect documentation for regular expressions yet. <wink>" - Peter Hansen "Python's flavor...
0
by: Simon Brunning | last post by:
QOTW: "As you learn Python, you will find that your PHP code will improve, possibly becoming more and more concise until it disappears completely." - Jorey Bump (Responding to a quotaton of...
0
by: TechBookReport | last post by:
TechBookReport (http://www.techbookreport.com) has just published a review of the Python Cookbook. This is an extract from the full review: We're big fans of cookbooks here at TechBookReport,...
0
by: Simon Brunning | last post by:
QOTW: "" - John Machin, snipping a section of Perl code. "What sort of programmer are you? If it works on your computer, it's done, ship it!" - Grant Edwards Guido invites us to comment on...
0
by: ryjfgjl | last post by:
In our work, we often need to import Excel data into databases (such as MySQL, SQL Server, Oracle) for data analysis and processing. Usually, we use database tools like Navicat or the Excel import...
0
by: taylorcarr | last post by:
A Canon printer is a smart device known for being advanced, efficient, and reliable. It is designed for home, office, and hybrid workspace use and can also be used for a variety of purposes. However,...
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
0
by: ryjfgjl | last post by:
If we have dozens or hundreds of excel to import into the database, if we use the excel import function provided by database editors such as navicat, it will be extremely tedious and time-consuming...
0
by: ryjfgjl | last post by:
In our work, we often receive Excel tables with data in the same format. If we want to analyze these data, it can be difficult to analyze them because the data is spread across multiple Excel files...
0
BarryA
by: BarryA | last post by:
What are the essential steps and strategies outlined in the Data Structures and Algorithms (DSA) roadmap for aspiring data scientists? How can individuals effectively utilize this roadmap to progress...
1
by: nemocccc | last post by:
hello, everyone, I want to develop a software for my android phone for daily needs, any suggestions?
1
by: Sonnysonu | last post by:
This is the data of csv file 1 2 3 1 2 3 1 2 3 1 2 3 2 3 2 3 3 the lengths should be different i have to store the data by column-wise with in the specific length. suppose the i have to...
0
by: Hystou | last post by:
There are some requirements for setting up RAID: 1. The motherboard and BIOS support RAID configuration. 2. The motherboard has 2 or more available SATA protocol SSD/HDD slots (including MSATA, M.2...

By using Bytes.com and it's services, you agree to our Privacy Policy and Terms of Use.

To disable or enable advertisements and analytics tracking please visit the manage ads & tracking page.