473,480 Members | 1,897 Online
Bytes | Software Development & Data Engineering Community
Create Post

Home Posts Topics Members FAQ

A Comparison of Python Class Objects and Init Files for Program Configuration

A Comparison of Python Class Objects and Init Files for Program
Configuration
================================================== ===========================

Terrence Brannon
ba*****@metaperl.com
http://www.livingcosmos.org/Members/...iguration/view

Abstract
--------

Init files serve as a convenient mini-language for configuring
applications. The advantages of such a mini-language are

* non-technical people can edit them.
* program behavior can be configured without modifying the source

The author `has always been suspicious of mini-languages
<http://perlmonks.org/?node_id=428053>`_, initially in the context of
dynamic HTML generation.

This document provides a comparison of two approaches to program
development, the use of `a popular Python mini-language
<http://www.voidspace.org.uk/python/configobj.html>`_ and the use of
`Python class objects <http://www.mired.org/home/mwm/config.html>`_.

The Problem Space
-----------------

I work for a company that takes data in various formats (e.g., CSV,
XML, Filemaker) and integrates them all into our database. The 30 or
so scripts that did this were written in Perl. I was told to rewrite
them and elected to use Python.

The Initial Rewrite Using Init Files
------------------------------------

In the initial version using config files, I used a generic config
file and specialized/overwrote its values with a local one::

gconfig = ConfigObj("../generic.ini")
cnf = ConfigObj("local.ini")
cnf.merge(gconfig)

I then proceeded to login to an FTP server and check for a certain
file and download it if it existed::

host = ftputil.FTPHost(cnf['ke_ftp']['host'],
cnf['ke_ftp']['user'],
cnf['ke_ftp']['pass'])

host.chdir(cnf['ke_ftp']['cwd'])
found = ""
for f in host.listdir(host.curdir):
if f.endswith( cnf['ke_ftp']['filepattern'] ):
found = f
print "Downloading", found
host.download(f, f, 'b')

if found == "":
print "No file with pattern", cnf['ke_ftp']['filepattern'], "on
server"
sys.exit()

Now lets see the object-oriented configuration
----------------------------------------------

Instead of generic and specialized config files, one would initially
think of using inheritance when going for an OO approach. However,
each program can get configuration information from a number of
places. As a result, HAS-A will work better than IS-A in this case::

class config(object):

# best to use has-a because we need config info from all over the
place
import data.config.ke

ke = data.config.ke.ftp()
ke.user = 'dmsdatasystems'
ke.password = 'sredna?'
ke.cwd = 'DMS/companies'
ke.filepattern = 'companies.csv.gz'

import data.config.snap
snap = data.config.snap.ftp()
"""
import data.storage
storage = data.storage.logic()
print dir(storage)
sys.exit()"""

class proc(object):

def __init__(self):
self.cnf = config()

def fetch_file(self):
host = ftputil.FTPHost(self.cnf.ke.host, self.cnf.ke.user,
self.cnf.ke.password)
host.chdir(self.cnf.ke.cwd)

self.downloaded_file = ""
for f in host.listdir(host.curdir):
if f.endswith( self.cnf.ke.filepattern ):
self.downloaded_file = f
print "Downloading", f
host.download(f, f, 'b')
print "Downloaded", f

if self.downloaded_file == "":
print "No file with pattern", self.cnf.ke.filepattern, "on",
self.cnf.ke.host
sys.exit()


Evaluation
==========

Appearance
----------

Accessing object attributes, IMHO, is much cleaner looking. Compare::

config['munger']['outfile']

with::

config.munger.outfile
One takes less characters to type and lacks the noisy quote marks
(that's one of the things I miss from Perl hashes - the ability to
index into hashes using bare words without quotes).

Power
-----

A mini-language is a moving target. They tend to grow and grow over
time, adding more and more ad hoc semantics and peculiarities. I'm on
the ConfigObj mailing list and they are currently discussing how to
handle multi-line config values. In Python, one simply needs to break
out """ and you are done. This epitomizes why I prefer the shortcut
of library over mini-language. The library has the full power of a
widely used, widely debugged language while the mini-language has a
smaller user community and less man hours of development behind it.

Learning Curve
--------------

Again, once you learn Python, you can use it for configuration as well
as programming. And Python is a very readable, clean and regular
language - it doesn't look very different from a configuration
language.

The merits of studying the syntax and semantics of a configuration
language can possibly outweigh the benefits.
Maintenance
-----------

It is harder to hire people with a good background in object
oriented programming than it is to find a "scripter".

By taking the
object-oriented route with this program, I have made it harder for
people to maintain my code in one sense but easier in another. A
well-decomposed OO program, especially in a language as elegant and
powerful as Python, is truly something to enjoy. To those versed in
such technologies, it is probably easier and more fun to extend such a
program.

On the other hand, a config file and a script would allow a person
with average scripting skills, perhaps even with no Python background,
to make small edits and extensions with little difficulty.

Manipulation
------------

Indexing into a hash with strings is a bit more easy to parameterize
than accessing object attributes. For example, to make a tuple of a
list of hash values, you can do this::

[a , b , c] = map ( lambda k: config[k], "key1 key2 key3".split() )

To get attributes from an object is slightly wordier::

[a , b , c] = map ( lambda k: getattr(cnf, k), "key1 key2 key3".split()
)

Self-documenting problem decomposition
--------------------------------------

One thing I really like about the OO approach is that it provided an
affordance to break down the steps of the processing into separate
methods. This leads to self-documenting code::

if __name__ == '__main__':

p = proc()

p.fetch_file()
p.unzip_file()
p.munge_data()
p.snap_upload()
p.archive_zipdir()

In contrast, when I wrote the program using config files, I had
comments interspersed in the linear stream-of-consciousness script to
break out sections::

#
--------------------------------------------------------------------------
# Fetch DMS file from KE FTP
#
--------------------------------------------------------------------------

Now, granted, one _could_ create bunch of methods and decompose the
problem in that way, it's just that structuring a program with one
or more mini-languages as opposed to object-oriented libraries does
not provide as much of an affordance for such an approach.

This Document
=============

This document was prepared using `reStructuredText
<http://docutils.sourceforge.net/rst.html>`_.

Sep 12 '06 #1
0 2485

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

Similar topics

5
5456
by: Haoyu Zhang | last post by:
Dear Friends, Python assignment is a reference assignment. However, I really can't explain the difference in the following example. When the object is a list, the assignment seems to be a...
8
1526
by: Ali El Dada | last post by:
hi all: in python, when a class, say Father, has a member that itself is an instance of another class, say Child, an instance of Father actually only has a reference to a Child, not the Child...
8
2513
by: jose luis fernandez diaz | last post by:
Hi, I am reading Stroustrup's book 'C++ Programming Language'. In the 10.4.9 section (Nonlocal Store) he says: "A variable defined outside any function (that is global, namespace, and class...
2
2649
by: RickMuller | last post by:
I really appreciate the ease that the distutils make distributing Python modules. However, I have a question about using them to distribute non-Python (i.e. text) data files that support Python...
25
7713
by: Xah Lee | last post by:
Python Doc Problem Example: gzip Xah Lee, 20050831 Today i need to use Python to compress/decompress gzip files. Since i've read the official Python tutorial 8 months ago, have spent 30...
10
2184
by: John Henry | last post by:
Hi all, I have a need to create a Python script on the fly from another Python program and then execute the script so created. Do I need to invoke Python through os.spawnl or is there a better...
37
2757
by: spam.noam | last post by:
Hello, Guido has decided, in python-dev, that in Py3K the id-based order comparisons will be dropped. This means that, for example, "{} < " will raise a TypeError instead of the current...
0
153
by: =?UTF-8?B?TmlscyBPbGl2ZXIgS3LDtmdlcg==?= | last post by:
-----BEGIN PGP SIGNED MESSAGE----- Hash: SHA1 Hi, I don't think the global interpreter lock is what you need ... read here for reference: http://docs.python.org/api/threads.html
0
7041
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
6908
by: Hystou | last post by:
Most computers default to English, but sometimes we require a different language, especially when relocating. Forgot to request a specific language before your computer shipped? No problem! You can...
0
7043
Oralloy
by: Oralloy | last post by:
Hello folks, I am unable to find appropriate documentation on the type promotion of bit-fields when using the generalised comparison operator "<=>". The problem is that using the GNU compilers,...
0
6921
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
5336
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,...
0
4481
by: conductexam | last post by:
I have .net C# application in which I am extracting data from word file and save it in database particularly. To store word all data as it is I am converting the whole word file firstly in HTML and...
0
2995
by: TSSRALBI | last post by:
Hello I'm a network technician in training and I need your help. I am currently learning how to create and manage the different types of VPNs and I have a question about LAN-to-LAN VPNs. The...
0
1300
by: 6302768590 | last post by:
Hai team i want code for transfer the data from one system to another through IP address by using C# our system has to for every 5mins then we have to update the data what the data is updated ...
1
563
muto222
php
by: muto222 | last post by:
How can i add a mobile payment intergratation into php mysql website.

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.