非常に複雑な単純なものの無限の探求で、Python eggパッケージにある典型的な「config.py」内にグローバル構成変数を提供するための最も「Python的な」方法を研究しています。
伝統的な方法(ああ、古き良き#define!)は次のとおりです。
MYSQL_PORT = 3306
MYSQL_DATABASE = 'mydb'
MYSQL_DATABASE_TABLES = ['tb_users', 'tb_groups']
したがって、グローバル変数は次のいずれかの方法でインポートされます。
from config import *
dbname = MYSQL_DATABASE
for table in MYSQL_DATABASE_TABLES:
print table
または:
import config
dbname = config.MYSQL_DATABASE
assert(isinstance(config.MYSQL_PORT, int))
これは理にかなっていますが、特に特定の変数の名前を覚えようとする場合は、少し面倒になることがあります。さらに、変数を属性として持つ「設定」オブジェクトを提供すると、より柔軟になる可能性があります。それで、bpython config.pyファイルからリードして、私は思いつきました:
class Struct(object):
def __init__(self, *args):
self.__header__ = str(args[0]) if args else None
def __repr__(self):
if self.__header__ is None:
return super(Struct, self).__repr__()
return self.__header__
def next(self):
""" Fake iteration functionality.
"""
raise StopIteration
def __iter__(self):
""" Fake iteration functionality.
We skip magic attribues and Structs, and return the rest.
"""
ks = self.__dict__.keys()
for k in ks:
if not k.startswith('__') and not isinstance(k, Struct):
yield getattr(self, k)
def __len__(self):
""" Don't count magic attributes or Structs.
"""
ks = self.__dict__.keys()
return len([k for k in ks if not k.startswith('__')\
and not isinstance(k, Struct)])
そして、クラスをインポートして次のように読み取る「config.py」:
from _config import Struct as Section
mysql = Section("MySQL specific configuration")
mysql.user = 'root'
mysql.pass = 'secret'
mysql.host = 'localhost'
mysql.port = 3306
mysql.database = 'mydb'
mysql.tables = Section("Tables for 'mydb'")
mysql.tables.users = 'tb_users'
mysql.tables.groups = 'tb_groups'
そしてこのように使用されます:
from sqlalchemy import MetaData, Table
import config as CONFIG
assert(isinstance(CONFIG.mysql.port, int))
mdata = MetaData(
"mysql://%s:%s@%s:%d/%s" % (
CONFIG.mysql.user,
CONFIG.mysql.pass,
CONFIG.mysql.host,
CONFIG.mysql.port,
CONFIG.mysql.database,
)
)
tables = []
for name in CONFIG.mysql.tables:
tables.append(Table(name, mdata, autoload=True))
これは、パッケージ内でグローバル変数を格納およびフェッチするための、より読みやすく、表現力があり、柔軟な方法のようです。
これまでで最も大きなアイデア?これらの状況に対処するためのベストプラクティスは何ですか?パッケージ内のグローバル名と変数を格納およびフェッチする方法は何ですか?