473,396 Members | 1,748 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,396 software developers and data experts.

any ways to judge whether an object is initilized or not in a class

hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.

Mar 19 '07 #1
26 1799
momobear schrieb:
hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.
You want boil to be called __init__, which is python's constructor name.
Then it will be called in a statement like

a = coffee()

automatically.
Diez

Mar 19 '07 #2
On Mar 19, 4:19 pm, "Diez B. Roggisch" <d...@nospam.web.dewrote:
momobear schrieb:
hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:
class coffee:
def boil(self):
self.temp = 80
a = coffer()
if a.temp 60:
print "it's boiled"
in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.

You want boil to be called __init__, which is python's constructor name.
Then it will be called in a statement like

a = coffee()

automatically.

Diez
sorry, I should add more code to implement my ideas.
class coffee:
def __init__(self):
'''
do something here
'''
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

Mar 19 '07 #3
"momobear" <wg****@gmail.comwrites:
class coffee:
def __init__(self):
'''
do something here
'''
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"
class Coffee(object):
def __init__(self):
self.temp = 20
def boil(self):
self.temp = 80

a = coffee()
if a.temp 60:
print "it's boiled"

In Python, it's conventional to name classes in TitleCase, and
instances in lower_case.

It's also best to inherit every class from another class, leading to a
single hierarchy for all classes and types. 'object' is the one to
choose if you don't want the behaviour of any other class.
As for the original question: the __init__ method of a class is called
immediately after the constructor, so that's the place to initialise
any instance attributes.

--
\ "At my lemonade stand I used to give the first glass away free |
`\ and charge five dollars for the second glass. The refill |
_o__) contained the antidote." -- Emo Philips |
Ben Finney

Mar 19 '07 #4
"momobear" <wg****@gmail.comwrote:
in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.
The simplest thing is simply never to attempt to use a variable or an
attribute until you know that is has been initialized, so initialize all
variables before using them, and initialize all attributes in the class's
__init__ method.

If you don't have a suitable value for the attribute until later then just
start off with None and then you can check for 'a.boil is not None': if you
forget to check then Python's strong type checking will stop you from using
the None value in an expression expecting a number (or a string).

For cases where you aren't sure whether an object has a specific attribute
you can use getattr with 3 arguments:

if getattr(a, 'boil', 80):
...

If that isn't convenient (or it's a variable rather than an attribute) you
should fall back on the principle that 'is it better to ask forgiveness
than permission': i.e. just try to use the value and handle the exception
which is thrown if it doesn't exist. (If the fallback is to substitute a
simple value use getattr, if the fallback is complicated or takes a long
time to calculate use exception handling).

There is also a function 'hasattr' which will tell you whether or not the
object has the specified attribute, but internally it just calls 'getattr'
and handles the exception so (IMHO) it is generally best just not to bother
with 'hasattr'.
Mar 19 '07 #5
momobear wrote:
hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.
I think you might be looking for hasattr:

class coffee:
def boil(self):
if hasattr(self, 'temp') and self.temp 60:
print "Its boilt, yo."
else:
self.temp = 80

Other ways to do this are try/except:
class coffee:
def boil(self):
try:
if self.temp 60:
print "Its bizzle, yo."
return
except AttributeError:
pass
self.temp = 80
Which is not so good in my opinion because it takes too much typing and
makes your fingers hurt at the very tips.

A fun way is with dict.setdefault which might actually be cleanest, but
you loose testing the precondition for the print:

class coffee:
def boil(self):
if self.__dict__.setdefault('temp', 80) 60:
print "Its bizzle m'wizzle."
pyc = coffee()
pyc.temp
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: coffee instance has no attribute 'temp'
pyc.boil()
Its bizzle m'wizzle.
pyc.temp
80
Of course, the idea is that, in classes, you will be intimately aware of
the attributes of your class via __init__, as others have mentioned, so
you should never really resort to any of the above.

James
Mar 19 '07 #6
On Mar 19, 4:50 pm, Duncan Booth <duncan.bo...@invalid.invalidwrote:
"momobear" <wgw...@gmail.comwrote:
in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.

The simplest thing is simply never to attempt to use a variable or an
attribute until you know that is has been initialized, so initialize all
variables before using them, and initialize all attributes in the class's
__init__ method.

If you don't have a suitable value for the attribute until later then just
start off with None and then you can check for 'a.boil is not None': if you
forget to check then Python's strong type checking will stop you from using
the None value in an expression expecting a number (or a string).

For cases where you aren't sure whether an object has a specific attribute
you can use getattr with 3 arguments:

if getattr(a, 'boil', 80):
...

If that isn't convenient (or it's a variable rather than an attribute) you
should fall back on the principle that 'is it better to ask forgiveness
than permission': i.e. just try to use the value and handle the exception
which is thrown if it doesn't exist. (If the fallback is to substitute a
simple value use getattr, if the fallback is complicated or takes a long
time to calculate use exception handling).

There is also a function 'hasattr' which will tell you whether or not the
object has the specified attribute, but internally it just calls 'getattr'
and handles the exception so (IMHO) it is generally best just not to bother
with 'hasattr'.
thanks for help:), I am puzzled about if I have to use try and except
to determine it. finnal code should like this?
class coffee:
def __init__(self):
'''
do something here
'''
def boil(self):
self.temp = 80

a = coffer()
try:
if a.temp 60:
print "it's boiled"
except AttributeError:
print "it's not boiled"

Mar 19 '07 #7
"momobear" <wg****@gmail.comwrote:
thanks for help:), I am puzzled about if I have to use try and except
to determine it. finnal code should like this?
class coffee:
def __init__(self):
'''
do something here
'''
def boil(self):
self.temp = 80

a = coffer()
try:
if a.temp 60:
print "it's boiled"
except AttributeError:
print "it's not boiled"
No, you should simply do the first of the options I suggested. i.e.
initialise the value

class coffee:
def __init__(self):
self.temp = 20

def boil(self):
self.temp = 80

a = coffee()
if a.temp 60:
print "it's boiled"
else:
print "it's not boiled"
Mar 19 '07 #8
Diez B. Roggisch a écrit :
momobear schrieb:
>hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.

You want boil to be called __init__, which is python's constructor name.
<nitpicking>
Actually, __init__ is the initializer. The proper constructor is __new__.
</nitpicking>

Mar 19 '07 #9
momobear a écrit :
hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized,
Obviously. This is why it's good form to set all public attributes in
the initializer method:

class Coffee(object):
def __init__(self):
self.temp = 20
def boil(self):
self.temp = 80

Mar 19 '07 #10
En Mon, 19 Mar 2007 05:35:00 -0300, momobear <wg****@gmail.comescribió:
in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.

sorry, I should add more code to implement my ideas.
class coffee:
def __init__(self):
'''
do something here
'''
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"
Apart from the other suggestions (ensure full initialization in __init__,
using getattr, using hasattr) you may consider using a class attribute as
a default value:

class Coffee:

temp = 50

def __init__(self):
"do something"

def boil(self):
self.temp = 80

a = Coffee()
print a.temp # 40
a.boil()
print a.temp # 80

--
Gabriel Genellina

Mar 19 '07 #11
Bruno Desthuilliers wrote:
Diez B. Roggisch a écrit :
>momobear schrieb:
>>hi, I am puzzled about how to determine whether an object is
initilized in one class, anyone could give me any instructions?
here is an example code:

class coffee:
def boil(self):
self.temp = 80

a = coffer()
if a.temp 60:
print "it's boiled"

in C++ language we must initilized a variable first, so there is no
such problem, but in python if we don't invoke a.boil(), we will not
get self.temp to be initilized, any way to determine if it's initilzed
before self.temp be used.
You want boil to be called __init__, which is python's constructor name.

<nitpicking>
Actually, __init__ is the initializer. The proper constructor is __new__.
</nitpicking>
<nitpicking severity="be-kind-to-novices">
Actually you would have to ensure that the class's metaclass was <type
"type"for that to be true. Classic classes don't *have* a __new__ method.
</nitpicking>

And of course the real answer is that the __init__ method should set a
default value (modulo the sneaky use of class attributes) for any
attributes that might be accessed before other methods get a chance to
set them.

regards
Steve
--
Steve Holden +44 150 684 7255 +1 800 494 3119
Holden Web LLC/Ltd http://www.holdenweb.com
Skype: holdenweb http://del.icio.us/steve.holden
Recent Ramblings http://holdenweb.blogspot.com

Mar 19 '07 #12
Steve Holden a écrit :
Bruno Desthuilliers wrote:
>Diez B. Roggisch a écrit :
(snip)
>>You want boil to be called __init__, which is python's constructor name.

<nitpicking>
Actually, __init__ is the initializer. The proper constructor is __new__.
</nitpicking>
<nitpicking severity="be-kind-to-novices">
I'm not sure Diez qualifies as a "novice". And since the OP makes
reference to C++, I assume he's able to grasp the difference between a
constructor and an initializer.
Actually you would have to ensure that the class's metaclass was <type
"type"for that to be true. Classic classes don't *have* a __new__ method.
Yes, true.

Fact is I stopped using old-style classes some years ago, so I don't
really remember what features they were missing. Thanks for the correction.

Mar 19 '07 #13
Gabriel Genellina wrote:
you may consider using a class
attribute as a default value:

class Coffee:

temp = 50
Be careful with that, though -- only use it for immutable
values. Doing that with a mutable object, such as a list,
will get you into trouble, since one object is being
shared between all instances.

--
Greg
Mar 20 '07 #14
On Mon, 19 Mar 2007 19:48:37 +1100, Ben Finney wrote:
It's also best to inherit every class from another class, leading to a
single hierarchy for all classes and types. 'object' is the one to
choose if you don't want the behaviour of any other class.
What's wrong with old-style classes?

On the plus side:

- Why inherit from something if you don't need to?

- Less typing.

- Attribute-lookup is much faster, perhaps as much as twice as fast.
http://www.python.org/~jeremy/weblog/030506.html

- Documentation on old style classes is more extensive.

- You can't use new style classes for exceptions.

On the minus side:

- Properties don't work as you expect them too.

- Slots don't work at all.
In other words, the only reason why you HAVE to use a new style class is
that you need properties or __slots__. You might WANT to use a new style
class to inherit from built-in types. Otherwise, the choice between old
and new is not very important.

--
Steven.

Mar 20 '07 #15
"Steven D'Aprano" <st***@REMOVE.THIS.cybersource.com.auwrites:
On Mon, 19 Mar 2007 19:48:37 +1100, Ben Finney wrote:
It's also best to inherit every class from another class, leading
to a single hierarchy for all classes and types. 'object' is the
one to choose if you don't want the behaviour of any other class.

What's wrong with old-style classes?
<URL:http://wiki.python.org/moin/NewClassVsClassicClass>

The main ones for me are:

- super() doesn't work.

- property() doesn't work as expected.

- They will disappear in a future version of Python, and the docs
recommend them for backward compatibility with existing code. This
is reason enough to avoid writing classic classes in any new code.

More importantly, it's a reason to educate all new programmers in
using new-style classes and inheritance.

--
\ "I don't know half of you half as well as I should like, and I |
`\ like less than half of you half as well as you deserve." -- |
_o__) Bilbo Baggins |
Ben Finney

Mar 20 '07 #16
Steven D'Aprano wrote:
On Mon, 19 Mar 2007 19:48:37 +1100, Ben Finney wrote:
>It's also best to inherit every class from another class, leading to a
single hierarchy for all classes and types. 'object' is the one to
choose if you don't want the behaviour of any other class.

What's wrong with old-style classes?

On the plus side:

- Why inherit from something if you don't need to?

- Less typing.

- Attribute-lookup is much faster, perhaps as much as twice as fast.
http://www.python.org/~jeremy/weblog/030506.html

- Documentation on old style classes is more extensive.

- You can't use new style classes for exceptions.
In 2.5 exceptions are new-style objects, thanks to Brett Cannon's PyCon
work from 2006:

Python 2.4.3 (#69, Mar 29 2006, 17:35:34) [MSC v.1310 32 bit (Intel)] on
win32
Type "help", "copyright", "credits" or "license" for more information.
Started with C:/Steve/.pythonrc
>>Exception
<class exceptions.Exception at 0x00964510>
>>>

Python 2.5b2 (trunk:50713, Jul 19 2006, 16:04:09)
[GCC 3.4.4 (cygming special) (gdc 0.12, using dmd 0.125)] on cygwin
Type "help", "copyright", "credits" or "license" for more information.
Started with C:/Steve/.pythonrc
>>Exception
<type 'exceptions.Exception'>
>>>
>

On the minus side:

- Properties don't work as you expect them too.

- Slots don't work at all.
In other words, the only reason why you HAVE to use a new style class is
that you need properties or __slots__. You might WANT to use a new style
class to inherit from built-in types. Otherwise, the choice between old
and new is not very important.
Most of the documentation on old-style classes, of course, applies to
new-style classes too.

regards
Steve
--
Steve Holden +44 150 684 7255 +1 800 494 3119
Holden Web LLC/Ltd http://www.holdenweb.com
Skype: holdenweb http://del.icio.us/steve.holden
Recent Ramblings http://holdenweb.blogspot.com

Mar 20 '07 #17
Steven D'Aprano a écrit :
On Mon, 19 Mar 2007 19:48:37 +1100, Ben Finney wrote:
>It's also best to inherit every class from another class, leading to a
single hierarchy for all classes and types. 'object' is the one to
choose if you don't want the behaviour of any other class.

What's wrong with old-style classes?
Almost everything. That's why Python 2.2 introduced new-style classes.
IIRC it was some 6 years ago now.
On the plus side:

- Why inherit from something if you don't need to?
You don't have to inherit. You can also make a class new-style by
setting it's __metaclass__ attribute properly. But that's more typing !-)
- Less typing.
Lol. Six keystrokes in the worst case.
- Attribute-lookup is much faster, perhaps as much as twice as fast.
http://www.python.org/~jeremy/weblog/030506.html
This was in 2003. Did you bother testing now ? with Python 2.4.4:
>>class Old:
.... def __init__(self):
.... self.attr = "old"
....
>>class New(object):
.... def __init__(self):
.... self.attr = "new"
....
>>from timeit import Timer
told = Timer('old.attr', 'from __main__ import Old; old=Old()')
tnew = Timer('new.attr', 'from __main__ import New; new=New()')
told.repeat()
[0.40867519378662109, 0.39075493812561035, 0.38998913764953613]
>>tnew.repeat()
[0.58840394020080566, 0.5948030948638916, 0.36941695213317871]

Not really "twice as fast" AFAICT.

Now if you're really favor raw speed over expressivity, then you might
wan to choose another language.
>
- Documentation on old style classes is more extensive.
Since new-style classes are backward compatible with old-style ones,
almost all the old-style classes documentation applies to new-style ones
as well. Everything else is quite well documented too:
http://www.python.org/doc/newstyle/
- You can't use new style classes for exceptions.
Exceptions are new-style classes in 2.5.
>

On the minus side:

- Properties don't work as you expect them too.
properties don't work. Period. Properties rely on the descriptor
protocol, which only works with new-style classes.
- Slots don't work at all.
- no support for the descriptor protocol
- no __getattribute__
- no metaclasses
- no proper constructor
- no classmethod
- no super()
In other words, the only reason why you HAVE to use a new style class is
that you need properties or __slots__.
The reason why you have to use new-style classes is that it's the
official Python object model since december 2001 - old-style classes
being kept for compatibility. The reason why you want to use them is
that they provide everything old-style classes did, and *way much more*.
FWIW, if Python didn't have this powerful object model, I would have
switched to another language long ago. And I'm probably not the only one.
You might WANT to use a new style
class to inherit from built-in types.
Since builtin types are all new-style classes, any class inheriting from
a builtin is a new-style class. FWIW, that's one of the reason for the
object model changes way back in 2001.
Otherwise, the choice between old
and new is not very important.
Your opinion. Too bad you're missing some of the most powerful parts of
the language.
Mar 20 '07 #18
On Tue, 20 Mar 2007 10:28:10 +0100, Bruno Desthuilliers wrote:

[deploying weapons of mass snippage]
>Otherwise, the choice between old
and new is not very important.

Your opinion. Too bad you're missing some of the most powerful parts of
the language.
Yes, it is my opinion, and it seems that in your zeal to defend new-style
classes against an imaginary attack, you've completely misunderstood what
my opinion is.

I'm not against new-style classes. I do use new-style classes. There are a
whole lot of extra features that new-style classes have that old-style
classes don't have, some of which I didn't even think of. (Thanks for
pointing them out, and I'm not being sarcastic.)

There are plenty of reasons for preferring new style classes. If those
reasons hold for you, then of course you should use new style classes.

But that's not the same thing as saying that you should use new style
classes *even when you don't care about those features*.

I never once suggested that new style classes are unnecessary, or a waste
of time, or bad, or whatever else you seem to think I was saying. My point
was, if you don't _need_ a new style class, there is no reason to avoid
using an old style class. It is a purely personal choice.

There seems to be a misunderstanding that classic classes have been
depreciated. They certainly have not. We've been told that old style
classes will "eventually" disappear, "probably" in Python 3. That is not
the same thing at all. The docs are very careful to avoid saying that old
style classes are depreciated.

(See, for example http://docs.python.org/ref/node33.html)

What I predict is that under the hood, Python 3 will complete the job of
unifying types and classes. The distinction between classic classes and
new style classes will go away. All classes will behave the same, whether
you write "class X:" or "class X():" or "class X(object):" or whatever
syntax Python 3 uses for defining classes.

--
Steven.

Mar 20 '07 #19
On Tue, 20 Mar 2007 10:28:10 +0100, Bruno Desthuilliers complained about
classic classes:
>What's wrong with old-style classes?

Almost everything.
That's rather an exaggeration, don't you think? They have methods, and
inheritance, and attributes, all the critical features of classes, and
work perfectly well even if they don't support the more advanced features.

>- Documentation on old style classes is more extensive.

Since new-style classes are backward compatible with old-style ones,
Then "almost everything" is wrong with new style classes too? *wink*

almost all the old-style classes documentation applies to new-style ones
as well. Everything else is quite well documented too:
http://www.python.org/doc/newstyle/
On that very page, the first sentence says:

"Unfortunately, new-style classes have not yet been integrated into
Python's standard documention."

complete with spelling mistake.

>On the minus side:

- Properties don't work as you expect them too.

properties don't work. Period. Properties rely on the descriptor
protocol, which only works with new-style classes.
Non-data descriptors (e.g. properties with only a getter) work fine. It is
only data descriptors (those with both a getter and a setter) that don't
work correctly.

- no metaclasses
Metaclasses worked all the way back in Python 1.5, although they were
painful and brain-exploding.

http://www.python.org/doc/essays/metaclasses

- no classmethod
Guido's own documentation for classmethods and staticmethods uses classic
classes. See

http://www.python.org/download/relea...#staticmethods

But don't just take his word for it, try it for yourself *wink*

--
Steven

Mar 20 '07 #20
Steven D'Aprano <st***@REMOVE.THIS.cybersource.com.auwrote:
...
There are plenty of reasons for preferring new style classes. If those
reasons hold for you, then of course you should use new style classes.

But that's not the same thing as saying that you should use new style
classes *even when you don't care about those features*.
You should always use new-style classes in order to avoid having to stop
and make a decision each time you code a class -- having to stop and ask
yourself "do I need any of the many extra features of new-style classes
here, or will legacy classes suffice?" each and every time.

There should ideally be only one obvious way -- and that obvious way is
to always use new-style classes and avoid a feature that's there only
for backwards compatibility with legacy code.

It's a specific case of the general rule "adopt good habits as
routines"; I recommend Limoncelli's excellent treatment of that subject
in his "Time Management for System Administrators" book. By not having
to ask yourself "do I really need to do X" each and every time, but
making it an absolute and invariant habit to always do it, as long as X
is a good habit (will be useful some of the time and not damaging the
rest of the time), you save yourself time-waste, aggravation, and
useless expenditure of attention and mental energy.
What I predict is that under the hood, Python 3 will complete the job of
unifying types and classes. The distinction between classic classes and
new style classes will go away. All classes will behave the same, whether
you write "class X:" or "class X():" or "class X(object):" or whatever
syntax Python 3 uses for defining classes.
Sure -- all the semantical peculiarity of legacy classes will disappear
(and won't be missed). But meanwhile, no reason not to adopt good
habits.
Alex
Mar 20 '07 #21
On Tue, 20 Mar 2007 08:27:07 -0700, Alex Martelli wrote:
You should always use new-style classes in order to avoid having to stop
and make a decision each time you code a class -- having to stop and ask
yourself "do I need any of the many extra features of new-style classes
here, or will legacy classes suffice?" each and every time.
I can sympathize with your argument. I have taught myself to _always_
indicate when turning the car, even when I don't need to. I do it without
thinking, even when turning from my own driveway into my garage (much to
my wife's amusement). And that way, I don't have to think on the road "do
I need to indicate now or not?", I just do it.

Rather than keep arguing my case (life is short...) I'll just mention that
both Fredrik Lundh and Aahz were very dismissive of the suggestion that
people should stop using classic classes back in July 2005.

http://www.thescripts.com/forum/thread25853.html

e.g. Aahz wrote: "There's a big difference between being gung-ho on
new-style classes and telling people to stop using old-style classes."

Have they changed their mind since then? Not that I'm suggesting that
their opinions outweigh Alex's, but I'm not sure that the situation
vis-a-vis classes has changed that much since 2005. If it has, perhaps I
should be revising my opinion too.
--
Steven.

Mar 20 '07 #22
In article <pa****************************@REMOVE.THIS.cybers ource.com.au>,
Steven D'Aprano <st***@REMOVE.THIS.cybersource.com.auwrote:
>On Tue, 20 Mar 2007 08:27:07 -0700, Alex Martelli wrote:
>>
You should always use new-style classes in order to avoid having to stop
and make a decision each time you code a class -- having to stop and ask
yourself "do I need any of the many extra features of new-style classes
here, or will legacy classes suffice?" each and every time.

I can sympathize with your argument. I have taught myself to _always_
indicate when turning the car, even when I don't need to. I do it without
thinking, even when turning from my own driveway into my garage (much to
my wife's amusement). And that way, I don't have to think on the road "do
I need to indicate now or not?", I just do it.

Rather than keep arguing my case (life is short...) I'll just mention that
both Fredrik Lundh and Aahz were very dismissive of the suggestion that
people should stop using classic classes back in July 2005.

http://www.thescripts.com/forum/thread25853.html

e.g. Aahz wrote: "There's a big difference between being gung-ho on
new-style classes and telling people to stop using old-style classes."

Have they changed their mind since then? Not that I'm suggesting that
their opinions outweigh Alex's, but I'm not sure that the situation
vis-a-vis classes has changed that much since 2005. If it has, perhaps I
should be revising my opinion too.
My mind has not changed, and it has since been enshrined in _Python for
Dummies_. ;-) One point that I should make clear, because I think it
plays a large part of why Fredrik and I differ from Alex: my code at work
still runs on Python 2.2, which I believe should be avoided for heavy use
of new-style classes. (The differences in new-style classes between 2.2
and later versions are small but significant, and I *don't* want to have
to think about them because we also use 2.3 at work.) I believe Fredrik
still supports Python 1.5.2. If you only support 2.3 and later,
suggesting a complete switchover to new-style classes becomes more
reasonable.

Moreover, my codebase at work started with Python 1.4, and upgrading it
all to correctly work with new-style classes would be a monumental
undertaking. From my POV, as long as the bulk of the standard library is
still based on classic classes, that undertaking is not worth it.

I'm not quite as habitual as you are about turn signals, but I'm pretty
similar...
--
Aahz (aa**@pythoncraft.com) <* http://www.pythoncraft.com/

"Typing is cheap. Thinking is expensive." --Roy Smith
Mar 20 '07 #23
Steven D'Aprano a écrit :
On Tue, 20 Mar 2007 10:28:10 +0100, Bruno Desthuilliers complained about
classic classes:

>>>What's wrong with old-style classes?

Almost everything.


That's rather an exaggeration, don't you think?
Oh, really ?-)
Mar 20 '07 #24
Steven D'Aprano a écrit :
On Tue, 20 Mar 2007 10:28:10 +0100, Bruno Desthuilliers wrote:

[deploying weapons of mass snippage]
Lol !-)
>
>>>Otherwise, the choice between old
and new is not very important.

Your opinion. Too bad you're missing some of the most powerful parts of
the language.


Yes, it is my opinion, and it seems that in your zeal to defend new-style
classes against an imaginary attack, you've completely misunderstood what
my opinion is.
Your opinion, as I understood it, is that it's not worth six extra
keystrokes (in the worse case) to get the full power of Python's object
model.
I'm not against new-style classes. I do use new-style classes.
So why do you use old-style ones too ? Seems like it would be simpler to
stick to new-style whatever, no ?
There are a
whole lot of extra features that new-style classes have that old-style
classes don't have, some of which I didn't even think of. (Thanks for
pointing them out, and I'm not being sarcastic.)

There are plenty of reasons for preferring new style classes. If those
reasons hold for you, then of course you should use new style classes.

But that's not the same thing as saying that you should use new style
classes *even when you don't care about those features*.
Could we see it the other way round ? Everything you can do with
old-style classes (except writing code compatible with more than
six-years old python interpreters), you can do with new-styles. So why
even wasting time asking yourself if you need these features now or will
need them later ? Saving six extra keystrokes ? How much time do you
need to type 'object' ? Certainly less than 1 second. And how much time
will you spend when you'll find out that you finally need some of these
'extra' features ?
I never once suggested that new style classes are unnecessary, or a waste
of time, or bad, or whatever else you seem to think I was saying. My point
was, if you don't _need_ a new style class, there is no reason to avoid
using an old style class. It is a purely personal choice.
My point is that there's no reason to keep on using old-style classes
(compatibility with six-years old interpreters set aside).
There seems to be a misunderstanding that classic classes have been
depreciated. They certainly have not.
Not officially yet, true. But come on, it's been 6 (six) years since
type unification, and it has always been obvious (to me at least) that
the new object model was to replace the 'classic' one.
Mar 20 '07 #25
In article <46*********************@news.free.fr>,
Bruno Desthuilliers <bd*****************@free.quelquepart.frwrote:
>
Not officially yet, true. But come on, it's been 6 (six) years since
type unification, and it has always been obvious (to me at least) that
the new object model was to replace the 'classic' one.
....in Python 3.0. Anything else you believe is strictly a product of
your imagination.
--
Aahz (aa**@pythoncraft.com) <* http://www.pythoncraft.com/

"Typing is cheap. Thinking is expensive." --Roy Smith
Mar 20 '07 #26
On 2007-03-20, Alex Martelli <al***@mac.comwrote:
Steven D'Aprano <st***@REMOVE.THIS.cybersource.com.auwrote:
...
>There are plenty of reasons for preferring new style classes. If those
reasons hold for you, then of course you should use new style classes.

But that's not the same thing as saying that you should use new style
classes *even when you don't care about those features*.

You should always use new-style classes in order to avoid having to stop
and make a decision each time you code a class -- having to stop and ask
yourself "do I need any of the many extra features of new-style classes
here, or will legacy classes suffice?" each and every time.

There should ideally be only one obvious way -- and that obvious way is
to always use new-style classes and avoid a feature that's there only
for backwards compatibility with legacy code.
I disagree. The obvious way is to use old-style classes. IMO the obvious
way, is what a newbee will do after he has read the tutorial. And as far
as I am familiar with the tutorial someone trying out python after he
read it, will use old-style classes.

--
Antoon Pardon
Mar 26 '07 #27

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

Similar topics

106
by: A | last post by:
Hi, I have always been taught to use an inialization list for initialising data members of a class. I realize that initialsizing primitives and pointers use an inialization list is exactly the...
22
by: Peter Ammon | last post by:
A friend was asked "How many ways are there to create an object in C++?" in an interview. Apparently, the "right" answer was eleven. Does anyone know how the interviewer arrived at that number? ...
2
by: morgan.chengmo | last post by:
How to judge whether a browser supports ActiveX? Some browser like Firefox doens't support ActiveX by default, but can do it with plugin support. Take Firefox for example, it has a whitelist...
1
by: sword | last post by:
This my first starting a new topic in English. I want to ask if I want to judge whether a file exists how I should do. I program with C++. Thank you.
6
by: Morgan Cheng | last post by:
I know that HttpWebRequest.GetResponse() generates a HttpWebResonse. The response has one ContentType property. But the property is just decided by http response header. It is possible that the...
15
by: shuisheng | last post by:
Dear All, Assume I have a class named Obj. class Obj { }; And a class named Shape which is derived from Obj. class Shape: public Obj
0
by: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
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...
0
marktang
by: marktang | last post by:
ONU (Optical Network Unit) is one of the key components for providing high-speed Internet services. Its primary function is to act as an endpoint device located at the user's premises. However,...
0
jinu1996
by: jinu1996 | last post by:
In today's digital age, having a compelling online presence is paramount for businesses aiming to thrive in a competitive landscape. At the heart of this digital strategy lies an intricately woven...
0
by: Hystou | last post by:
Overview: Windows 11 and 10 have less user interface control over operating system update behaviour than previous versions of Windows. In Windows 11 and 10, there is no way to turn off the Windows...
0
tracyyun
by: tracyyun | last post by:
Dear forum friends, With the development of smart home technology, a variety of wireless communication protocols have appeared on the market, such as Zigbee, Z-Wave, Wi-Fi, Bluetooth, etc. Each...
0
agi2029
by: agi2029 | last post by:
Let's talk about the concept of autonomous AI software engineers and no-code agents. These AIs are designed to manage the entire lifecycle of a software development project—planning, coding, testing,...

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.