473,396 Members | 2,009 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.

Inheritance error: class Foo has no attribute "bar"

I've finally figured out the basics of OOP; I've created a basic character
creation class for my game and it works reasonably well. Now that I'm
trying to build a subclass that has methods to determine the rank of a
character but I keep getting errors.

I want to "redefine" some attributes from the base class so I can use them
to help determine the rank. However, I get the error that my base class
doesn't have the dictionary that I want to use. I've tried several things
to correct it but they don't work (the base class is called "Character"
and the subclass is called "Marine"):

*explicitly naming the Marine's attribute self.intel =
Character.attrib_dict["intel"]
*adding Character.__init__(self) to the Marine's __init__(self) method
*changing the self.intel attribute from referencing the Character's
dictionary to self (based on the assumption that since Marine is a
subset of Character, it should have it's own attrib_dict being created

Nothing seems to work; I still get the error "class Character has no
attribute "attrib_dict".

I can't see why it's saying this because Character.__init__(self) not only
has self.attrib_dict = {} but it also calls the setAttribute method
explicitly for each attribute name. If I do a print out of the dictionary
just for Character, the attributes are listed.

--
Python-based online RPG based on the Colonial Marines from "Aliens" -
http://www.colonialmarinesrpg.com

Using Opera's revolutionary e-mail client: http://www.opera.com/mail/
Jul 9 '06 #1
5 3650
crystalattice wrote:
I've finally figured out the basics of OOP; I've created a basic character
creation class for my game and it works reasonably well. Now that I'm
trying to build a subclass that has methods to determine the rank of a
character but I keep getting errors.

I want to "redefine" some attributes from the base class so I can use them
to help determine the rank. However, I get the error that my base class
doesn't have the dictionary that I want to use. I've tried several things
to correct it but they don't work (the base class is called "Character"
and the subclass is called "Marine"):

*explicitly naming the Marine's attribute self.intel =
Character.attrib_dict["intel"]
*adding Character.__init__(self) to the Marine's __init__(self) method
*changing the self.intel attribute from referencing the Character's
dictionary to self (based on the assumption that since Marine is a
subset of Character, it should have it's own attrib_dict being created

Nothing seems to work; I still get the error "class Character has no
attribute "attrib_dict".

I can't see why it's saying this because Character.__init__(self) not only
has self.attrib_dict = {} but it also calls the setAttribute method
explicitly for each attribute name. If I do a print out of the dictionary
just for Character, the attributes are listed.
Without a sample of your code and the actual tracebacks you're getting
it is difficult to know what's going wrong.
Are you writing your class like this:

class Character:
def __init__(self):
# do some stuff here..

class Marine(Character):
def __init__(self):
Character.__init__(self)
# do some stuff here..

?
Peace,
~Simon

Jul 9 '06 #2
Il Sun, 09 Jul 2006 04:24:01 GMT, crystalattice ha scritto:
I can't see why it's saying this because Character.__init__(self) not only
has self.attrib_dict = {} but it also calls the setAttribute method
explicitly for each attribute name. If I do a print out of the dictionary
just for Character, the attributes are listed.
Are you sure attrib_dict is a class attribute? Aren't you defining it in
charachter's __init__ method, thus making it an instance attribute?
--
Alan Franzoni <al***************@gmail.com>
-
Togli .xyz dalla mia email per contattarmi.
Rremove .xyz from my address in order to contact me.
-
GPG Key Fingerprint:
5C77 9DC3 BD5B 3A28 E7BC 921A 0255 42AA FE06 8F3E
-
Blog: http://laterradeglieroi.verdiperronchi.com
Jul 9 '06 #3
On Sun, 09 Jul 2006 04:24:01 +0000, crystalattice wrote:
I've finally figured out the basics of OOP; I've created a basic character
creation class for my game and it works reasonably well. Now that I'm
trying to build a subclass that has methods to determine the rank of a
character but I keep getting errors.

I want to "redefine" some attributes from the base class so I can use them
to help determine the rank. However, I get the error that my base class
doesn't have the dictionary that I want to use. I've tried several things
to correct it but they don't work (the base class is called "Character"
and the subclass is called "Marine"):
Without seeing your class definitions, it is hard to tell what you are
doing, but I'm going to take a guess: you're defining attributes in the
instance instead of the class.

E.g.

class Character():
def __init__(self):
self.attrib_dict = {}

attrib_dict is now an instance attribute. Every instance will have one,
but the class doesn't.

I'm thinking you probably want something like this:

class Character():
attrib_dict = {}
def __init__(self):
pass

Now attrib_dict is an attribute of the class. However, it also means that
all instances will share the same values! Here's one possible solution to
that:

class Character():
default_attribs = {}
def __init__(self):
self.attribs = self.default_attribs.copy()

Now there is one copy of default character attributes, shared by the class
and all it's instances, plus each instance has it's own unique set of
values which can be modified without affecting the defaults.
Hope this clears things up for you.
--
Steven.

Jul 9 '06 #4
On Sun, 09 Jul 2006 03:51:56 -1000, Steven D'Aprano
<st***@REMOVETHIScyber.com.auwrote:
On Sun, 09 Jul 2006 04:24:01 +0000, crystalattice wrote:
>I've finally figured out the basics of OOP; I've created a basic
character
creation class for my game and it works reasonably well. Now that I'm
trying to build a subclass that has methods to determine the rank of a
character but I keep getting errors.

I want to "redefine" some attributes from the base class so I can use
them
to help determine the rank. However, I get the error that my base class
doesn't have the dictionary that I want to use. I've tried several
things
to correct it but they don't work (the base class is called "Character"
and the subclass is called "Marine"):

Without seeing your class definitions, it is hard to tell what you are
doing, but I'm going to take a guess: you're defining attributes in the
instance instead of the class.

E.g.

class Character():
def __init__(self):
self.attrib_dict = {}

attrib_dict is now an instance attribute. Every instance will have one,
but the class doesn't.

I'm thinking you probably want something like this:

class Character():
attrib_dict = {}
def __init__(self):
pass

Now attrib_dict is an attribute of the class. However, it also means that
all instances will share the same values! Here's one possible solutionto
that:

class Character():
default_attribs = {}
def __init__(self):
self.attribs = self.default_attribs.copy()

Now there is one copy of default character attributes, shared by the
class
and all it's instances, plus each instance has it's own unique set of
values which can be modified without affecting the defaults.
Hope this clears things up for you.

Yes, I believe your right (I left my code at work so I can't verify
directly). I did initialize attrib_dict in the __init__method, not
outside it as a class member. I'll try your suggestion and see what
happens. Thanks.
--
Python-based online RPG in development based on the Colonial Marines from
"Aliens": http://www.colonialmarinesrpg.com

Using Opera's revolutionary e-mail client: http://www.opera.com/mail/
Jul 12 '06 #5
I checked my code today and your suggestion did fix the problem. I
used your second idea of having the default class attributes with
individual instance attributes. I ran into one problem where I kept
getting the error

" File "\\user1\jacksocl\Python_stuff\CMRPG\CharCreation. py", line 262,
in __init__
self.intel = Character.attrib_dict["intel"]
AttributeError: class Character has no attribute 'attrib_dict'
Script terminated."

but I figured out it was because I was calling the Character class
expressly in the Marine subclass when I wanted to rename a dictionary
value. It was just a simple remedy of changing the called dictionary
from "Character.attrib_dict" to "self.attrib_dict".

It gets so confusing keeping track of all things OOP items, though it's
quite a bit worse learning it in C++.

Thanks for your help.
Steven D'Aprano wrote:
On Sun, 09 Jul 2006 04:24:01 +0000, crystalattice wrote:
I've finally figured out the basics of OOP; I've created a basic character
creation class for my game and it works reasonably well. Now that I'm
trying to build a subclass that has methods to determine the rank of a
character but I keep getting errors.

I want to "redefine" some attributes from the base class so I can use them
to help determine the rank. However, I get the error that my base class
doesn't have the dictionary that I want to use. I've tried several things
to correct it but they don't work (the base class is called "Character"
and the subclass is called "Marine"):

Without seeing your class definitions, it is hard to tell what you are
doing, but I'm going to take a guess: you're defining attributes in the
instance instead of the class.

E.g.

class Character():
def __init__(self):
self.attrib_dict = {}

attrib_dict is now an instance attribute. Every instance will have one,
but the class doesn't.

I'm thinking you probably want something like this:

class Character():
attrib_dict = {}
def __init__(self):
pass

Now attrib_dict is an attribute of the class. However, it also means that
all instances will share the same values! Here's one possible solution to
that:

class Character():
default_attribs = {}
def __init__(self):
self.attribs = self.default_attribs.copy()

Now there is one copy of default character attributes, shared by the class
and all it's instances, plus each instance has it's own unique set of
values which can be modified without affecting the defaults.
Hope this clears things up for you.
--
Steven.
Jul 12 '06 #6

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

Similar topics

5
by: Danny Anderson | last post by:
Hola! I am working on a program where I am including a library that came with my numerical methods textbook. The "util.h" simply includes a large number of files. I had to change the util.h...
3
by: Roy | last post by:
Anyone have any links and/or code samples demonstrating how this can be done? Current procedure is that john doe clicks an item on a datagrid of mine and after however long, gets the info he wants....
2
by: Daniel | last post by:
how to make sure a xsl document has valid xsl syntax? i tried loading it into an xml document but that doesnt show syntax errors inside attributes such as "foo/bar" vs "bar\foo"
1
by: Mary Ann | last post by:
I would like to write code in the On Open property of a form that hides the main menu bar toolbar. I have already customized the menu bar to all for showing/hiding but have no clue how to write...
7
by: adelfino | last post by:
I mean: unsigned char foo = ""; is the same as: unsigned char foo; memset (foo, '\0', bar); ?
2
by: John M | last post by:
Hi, You may have seen on some websites a type of "navigation bar" where the current page and all previous pages in the website hierarchy are displayed. Each page is listed as a link. For...
5
by: Daves | last post by:
Hi, I'm using a asp.net 2.0 website to send out emails to users, the amount of which can reach up to 1500 users. Obviously the code sending the emails has to let the client know the mails are...
7
by: Joe | last post by:
usually slide bars move by "jumps" while scrolling which looks not nice. I came accress slide bar with price menu, ewnt through script/web source code, and could not find anything that would case...
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
by: emmanuelkatto | last post by:
Hi All, I am Emmanuel katto from Uganda. I want to ask what challenges you've faced while migrating a website to cloud. Please let me know. Thanks! Emmanuel
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...
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
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.