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

using exec() to instantiate a new object.

Hello,

I'm trying to teach myself OOP to do a data project involving
hierarchical data structures.

I've come up with an analogy for testing involving objects for
continents, countries, and states where each object contains some
attributes one of which is a list of objects. E.g. a country will
contain an attribute population and another countries which is a list
of country objects. Anyways, here is what I came up with at first:

class continent(object):
def __init__(self,continent_name):
self.name = continent_name
self.countries = []
def addCountry(self,country_name):
self.countries.append(country_name)
def listCountries(self):
for country in self.countries:
print country.name, "pop:",country.population,", states:"
country.listStates()

class country(object):
def __init__(self,name):
self.name = name
self.population = 0
self.states = []
def addState(self,state_name):
self.states.append(state_name)

def listStates(self):
for state in self.states:
print " ",state.name,"pop:",state.population
state.stateInfo()

class state(object):
def __init__(self,state_name):
self.name = state_name
self.color = 'unknown'
self.counties = []
self.population = 0
def addCounty(self,county):
self.counties.append(county)
def stateInfo(self):
print " color:",self.color
print " counties",self.counties[:]
NAm = continent('NAm')
usa= country('usa')
canada = country('canada')
mexico = country('mexico')
florida = state('florida')
maine = state('maine')
california = state('california')
quebec = state('quebec')

NAm.addCountry(usa)
NAm.addCountry(canada)
NAm.addCountry(mexico)
usa.addState(maine)
usa.addState(california)
usa.addState(florida)
canada.addState(quebec)
florida.addCounty('dade')
florida.addCounty('broward')
maine.addCounty('hancock')
california.addCounty('marin')

florida.population = 1000
california.population = 2000
maine.population = 500
quebec.population = 1000
florida.color = maine.color = california.color = 'blue'
NAm.listCountries()

--------------------------------------------------------------------------
so this works but is far more cumbersome than it should be.
I would like to create an object when I add it

so I wouldn't have to do:
usa= country('usa')
NAm.addCountry(usa)

I could just do
NAm.addCountry('usa')

which would first create a country object then add it to a countries
list

to do this I tried:

def addCountry(self,country_name):
# create an instance of country
exec(country_name + "= country('" + country_name + "')")
# Add this new instance of a country to a list
exec("self.countries.append(" + country_name + ")")

Which doesn't give an error, but doesn't seem to create an instance of
the country object.

Does this make sense? Can this be done?
For my real project, I won't know the names and quantities of objects.
They will be highly variable and based on data contained in the
"parent" object.

Thanks
Nov 7 '08 #1
5 1357
On Fri, Nov 7, 2008 at 2:23 PM, RyanN <Ry*******@gmail.comwrote:
>
to do this I tried:

def addCountry(self,country_name):
# create an instance of country
exec(country_name + "= country('" + country_name + "')")
# Add this new instance of a country to a list
exec("self.countries.append(" + country_name + ")")
Don't use exec. It's quite dangerous, and in your case is making
things much more complex than necessary. A much simpler way to do
what you want:

def addCountry(self,country_name):
self.countries.append(country(country_name))

There is no need to bind the result of "country(country_name)" to a name at all.
Nov 8 '08 #2
On Nov 7, 4:23*pm, RyanN <Ryan.N...@gmail.comwrote:
Hello,

I'm trying to teach myself OOP to do a data project involving
hierarchical data structures.

I've come up with an analogy for testing involving objects for
continents, countries, and states where each object contains some
attributes one of which is a list of objects. E.g. a country will
contain an attribute population and another countries which is a list
of country objects. Anyways, here is what I came up with at first:
snip
>
NAm = continent('NAm')
usa= country('usa')
canada = country('canada')
mexico = country('mexico')
florida = state('florida')
maine = state('maine')
california = state('california')
quebec = state('quebec')

NAm.addCountry(usa)
NAm.addCountry(canada)
NAm.addCountry(mexico)
usa.addState(maine)
usa.addState(california)
usa.addState(florida)
canada.addState(quebec)
florida.addCounty('dade')
florida.addCounty('broward')
maine.addCounty('hancock')
california.addCounty('marin')
snip
so this works but is far more cumbersome than it should be.
I would like to create an object when I add it

so I wouldn't have to do:
usa= country('usa')
NAm.addCountry(usa)

I could just do
NAm.addCountry('usa')

which would first create a country object then add it to a countries
list
snip

One option is to add the names to a blank object as attributes, using
setattr. Then you can access them in almost the same way... they're
just in their own namespace. Other options would be to add them to a
separate dictionary (name -object). This example is kind of cool,
as well as nicely instructive.
>>class Blank: pass
....
>>blank= Blank()
class autoname( ):
.... def __init__( self, name ):
.... setattr( blank, name, self )
.... self.name= name
....
>>autoname( 'fried' )
<__main__.autoname instance at 0x00B44030>
>>autoname( 'green' )
<__main__.autoname instance at 0x00B44148>
>>autoname( 'tomatoes' )
<__main__.autoname instance at 0x00B44170>
>>blank.fried
<__main__.autoname instance at 0x00B44030>
>>blank.green
<__main__.autoname instance at 0x00B44148>
>>blank.tomatoes
<__main__.autoname instance at 0x00B44170>
>>blank
<__main__.Blank instance at 0x00B40FD0>

You don't have to call the container object 'blank', of course, or its
class for that matter. I do because that's how it starts out: blank.
Under the hood it's just a plain old dictionary with extra syntax for
accessing its contents.
Nov 8 '08 #3
Thank you both, I knew there had to be a good way of doing this.

-Ryan
Nov 10 '08 #4
On Nov 10, 7:47*am, RyanN wrote:
Thank you both, I knew there had to be a good way of doing this.

-Ryan
Just an update. I used dictionaries to hold objects and their names.
I'm beginning to understand better. Now to apply this to my actual
problem. Here's the code I ended up with:

class continent(object):
'''
A continent has a name and a dictionary of countries
'''
def __init__(self,continent_name):
self.name = continent_name
self.countries = {} #countries is a dictionary of country name
and object
def addCountry(self,country_name,population = 0):
self.countries[country_name] = country(country_name) #Create a
new instance of country() and add it to dictionary
self.countries[country_name].population = population #Set
country population
def addState(self,country_name,state_name,population = 0):
if country_name in self.countries:

self.countries[country_name].addState(state_name,population)
else: #This state must be in a new country
self.addCountry(country_name)
self.addState(country_name,state_name,population)
def listCountries(self):
for a_country in self.countries:
print a_country,
"pop:",self.countries[a_country].population,", states:"
self.countries[a_country].listStates()

class country(object):
'''
A country has a name, a population and a dictionary of states
'''
def __init__(self,name):
self.name = name
self.population = 0
self.states = {} #states is a dictionary of state name and
object
def addState(self,state_name,population = 0):
self.states[state_name] = state(state_name) #Create a new
instance of state() and add it to dictionary
self.states[state_name].population = population
self.population += population #Add this state's population to
the country's

def listStates(self):
#print self.states[:]
for a_state in self.states:
self.states[a_state].stateInfo()

class state(object):
'''
A state has a name, color, and a population
'''
def __init__(self,state_name):
self.name = state_name
self.color = 'unknown'
self.population = 0
def stateInfo(self):
print " ",self.name,"pop:",self.population,
"color:",self.color

#Now some examples of how to set and access this information
NAm = continent('NAm') #First we add our continent
NAm.addCountry('canada',700) #Now add a a country to NAm
NAm.addState('usa','maine',400) #We can add a state even if we haven't
added the country yet
NAm.addState('usa','california',2000)
NAm.addState('canada','quebec',700) # I know it's actually a province
NAm.addState('mexico','QR',550)
usa = NAm.countries['usa'] # we can make things easier on ourselves
usa.population = 5000 #short for: NAm.countries['usa'].population =
5000
usa.addState('florida') #Another way to add a state, we can set
population seperately
NAm.countries['usa'].states['florida'].population = 2000
for any_state in usa.states: #Set an attribute for all state objects
usa.states[any_state].color = 'blue'
NAm.listCountries() # Generates a report
# three ways to get to print the same information
print NAm.countries['usa'].states['maine'].name,
NAm.countries['usa'].states['maine'].population
print usa.states['maine'].name, usa.states['maine'].population # We
already assigned usa to NAm.countries['usa']
maine = usa.states['maine']
print maine.name, maine.population
Nov 10 '08 #5
On Nov 10, 10:37*am, RyanN <Ryan.N...@gmail.comwrote:
On Nov 10, 7:47*am, RyanN wrote:
Thank you both, I knew there had to be a good way of doing this.
-Ryan

Just an update. I used dictionaries to hold objects and their names.
I'm beginning to understand better. Now to apply this to my actual
problem. Here's the code I ended up with:
That's fine, but unless you add functionality that *does* actually
something with all these data, there's not much value going with an
OO approach compared to using plain old data structures (e.g.
[default]dicts and [named]tuples).

George
Nov 10 '08 #6

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

Similar topics

0
by: Phil Powell | last post by:
I traced the problem to what I believe is when I use the included content library script into the viewinterns.php page. This script will repeatedly instantiate a DateGroupHTMLGenerator class...
4
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...
5
by: gilles27 | last post by:
I've ready many of the posts on this and other newsgroups in which people describe working practices for source control of database scripts. We are looking to implement something similar in my...
2
by: Prashant | last post by:
Hi , Need some help ! . I am storing Classnames in an XML file and depending on the user's choice of process want to : 1) Read the classname of that process from the XML file 2) Instantiate...
3
by: Khurram | last post by:
Hi, I am trying to use Crystal Reports with ASP.NET. I created a dataset and tried to display it in the report but nothing came up. I did not get an exception either. I know that the dataset is...
1
by: learning | last post by:
Hi how can I instaltiate a class and call its method. the class has non default constructor. all examples i see only with class of defatul constructor. I am trying to pull the unit test out from...
5
by: =?Utf-8?B?dmlzaHJ1dGg=?= | last post by:
This code works fine in Windows Application. In Windows Application, I am able to zip the image files properly and it totally contains 900MB My problem is the same code which I used in my Windows...
2
by: Danny Shevitz | last post by:
Howdy, In my app I need to exec user text that defines a function. I want this function to unpickle an object. Pickle breaks because it is looking for the object definition that isn't in the...
0
by: Chris Rebert | last post by:
On Fri, Nov 14, 2008 at 10:40 AM, Indian <write2abdul@gmail.comwrote: You don't need and shouldn't be using `exec` here. It appears as though you're just doing the following in a much more obtuse...
1
by: CloudSolutions | last post by:
Introduction: For many beginners and individual users, requiring a credit card and email registration may pose a barrier when starting to use cloud servers. However, some cloud server providers now...
0
by: Faith0G | last post by:
I am starting a new it consulting business and it's been a while since I setup a new website. Is wordpress still the best web based software for hosting a 5 page website? The webpages will be...
0
isladogs
by: isladogs | last post by:
The next Access Europe User Group meeting will be on Wednesday 3 Apr 2024 starting at 18:00 UK time (6PM UTC+1) and finishing by 19:30 (7.30PM). In this session, we are pleased to welcome former...
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: Charles Arthur | last post by:
How do i turn on java script on a villaon, callus and itel keypad mobile phone
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.