Difference between revisions of "Configuration Files For Python"
| Russ hensel (talk | contribs) | Russ hensel (talk | contribs)  | ||
| Line 164: | Line 164: | ||
| − | + | == Why Advantages/Features == | |
| * Text file based, easy to edit, works in all OS's. | * Text file based, easy to edit, works in all OS's. | ||
Revision as of 07:15, 4 September 2019
This is an article started by Russ Hensel, see "http://www.opencircuits.com/index.php?title=Russ_hensel#About My Articles" About My Articles for a bit of info. The page is only partly finished.
Why Configuration Files
Most larger program should have configuration files:
- Program becomes more flexible without reprogramming.
- Users can inject their own preferences.
- The environment changes, requiring that the program adapt.
There are a large number of formats for configuration files, some are accessed only through wizzards to they can have a secret format. Some configuration files are not even really files but instead are entries in a data base. But most are stored in some sort of human readable text format and can be edited with a straight ahead text editor.
My SmartTerminal program now has over 50 different parameters that control its use in a variety of different applications.
Configuration in .py Files
I have decided for my use that configuring everything in a single python, .py, file is the best solution for me ( and I think for many of you ) I will describe how I do it and then will give some of the reasons why I think the method is so very useful.
How: The Basics
No matter what the application I put the configuration in a file called parameters.py and use it to define/create a class called Parameters. It is full of instance variables like self.logging_id = "MyLoggingId". Any part of my system that wants to know a parameter value takes the instance of Parameters created at startup and accesses its instance value logging_id = system_parameter.logging_id. It is very easy.
You may ask how does that part of the system get the instance of of parameters? The best way is probably through a global singleton. It is more or less what I do. There seem to be a host of methods of implementing singletons. I use a little recommended one but one that I find more than adequate: I define a class and make the global variables be variables of the class not the instance. You can get access to the class just by importing it, creating an instance servers no particular purpose. So the global class, AppGlobal, is defined something like this ( in a file app_global.py )
class AppGlobal( object ):
    controller              = None
    parameters              = None
    
This AppGlobal object has only 2 variables, both undefined = None initially.
Then parameters.py looks something like this:
from app_global import AppGlobal
class Parameters( object ):
    
    def __init__(self,  ):
        AppGlobal.parameters    = self
        self.logging_id         = "MyLoggingId"
        self.timeout_sec        = 3
        ............
A class instance that needs to use a parameter uses code like:
from app_global import AppGlobal
    .............
    timeout     = AppGlobal.parameters.timeout_sec
    ............
If you are asking why Parameters is not all defined at a Class level instead of instance level it is because I did not think of it then, I am now but have not changed the code so far ( requires more thought ).
How: More Advanced
The more advanced uses also point out some of the advantages of this method, you may have already noticed one. In most configuration files all data types are string. There needs to be some reading of the file and conversion. So you need to write ( or get a library ) to do that part. For Python you can think that either your are allowed types "joe" is a string 10. is a float, or that they are strings and the Python interpreter is the conversion program.
Data Types
One of my configuration values was most useful a some sort of dict so:
        self.hour_chime_dict   = {  1:"2", 2:"3", 3:"2", 4:"2",  5:"2", 6:"3", 7:"2",  8:"3", 9:"2", 10:"3", 11:"2", 12:"2" } 
or something from a library
        self.bytesize         = serial.EIGHTBITS     # Possible values: FIVEBITS, SIXBITS, SEVENBITS, EIGHTBITS
        self.logging_level    = logging.INFO  
values can even be functions in your own code.
Do a Little Math
self.ht_delta_t = 100/1000. # /1000 so you can think of value as ms
Set Values from Your Computer
self.computername = ( str( os.getenv( "COMPUTERNAME" ) ) ).lower()
Override Values
It is easy to set a parameter value and then change your mind later in the code:
       self.name   = "sue"
       ...........
       self.name   = "Susan"
I use this by setting all parameters to some default value ( using subroutine grouping also discussed on this page ) and then overriding them later for the particular situation.
Group Values
I usually want to group values so that I can assign then all at once. Physically grouping them is of course the first level of doing this but since this is a class I use instance functions to do the grouping. Often one group is used for one purpose one group for another. I comment out a whole group by commenting out a call to it it. Here is a sample ( all inside parameters.py ):
    ......
    # choose one:
    self.dbLPi()
    #self.dbLocal()
    ......
    return 
 
    def dbRemote( self, ):
        self.connect             = "Remote"
        self.db_host             = '192.168.0.0'    
        self.db_port             = 3306
        self.db_db               = 'env_data'
        ...............
    def dbLocal( self, ):
        self.connect             = "Local"
        self.db_host             = '127.0.0.1'
        self.db_port             = 3306
        self.db_db               = 'local_data'
        ....
At some later point I may not remember well which grouping I used so I often give them names as in self.connect = "Remote" in the example.
Conditionally Assign Values
This way I can even move the parameters.py file between OS's without tweaking them:
        if  self.os_win:
            self.port       = "COM5"   
        else:
            self.port       = "/dev/ttyUSB0"
My Overall Structure
- Meet the syntactic requirements for class creation.
- Assign instance to AppGlobal
- Call a subroutine that defaults all value as best it can ( including getting OS and computer name )
- Call a subroutine that tweaks values according to OS
- Call a subroutine that tweaks values according to computer name
- Call a subroutine at give a value to mode and sets the mode of operation that has the name self.mode
- Done
Code discipline is such that other code never touches these values again ( except for some cute little monkey patching that I currently do not use and do not want to explain ).
Why Advantages/Features
- Text file based, easy to edit, works in all OS's.
- Can use programmatic features as it is in executable code. ( if overdone can be confusing )
- Easy to create parameters of any type ( *.ini files, for example, typically create strings that may need conversion to be useful )
- Can detect and respond to environment like OS or computer name.
- Easy to have multiple configurations ( modes ) in one file.
- and so many more...... really?
Why Not
Right now I will not discuss these, they may show up in the links. I think there are answers/solutions to many, will not go into them at this time. Email me if you would like to discuss.
- User may find too complex, mess up.
- Since it is programmatic you can be tempted to get too clever.
- May be less than secure
- May not be what users are used to.
- Not your shops standard.
- Not XML.
Other Links
- Smart Terminal Parameter Examples documents how I used this approach in the Python Smart Terminal You can also link to the full code.
