सरल सामान को अधिक जटिल बनाने में मेरी अंतहीन खोज में, मैं पायथन अंडे के पैकेज में पाए जाने वाले विशिष्ट ' config.py ' के अंदर वैश्विक कॉन्फ़िगरेशन चर प्रदान करने के लिए सबसे 'पायथोनिक' तरीके पर शोध कर रहा हूं ।
पारंपरिक तरीका (आह, अच्छा राजभाषा # #ffine !) इस प्रकार है:
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))
जो एक पैकेज के अंदर वैश्विक चरों को संग्रहीत करने और लाने के लिए अधिक पठनीय, अभिव्यंजक और लचीला तरीका लगता है।
सबसे बड़ा विचार कभी? इन स्थितियों का मुकाबला करने के लिए सबसे अच्छा अभ्यास क्या है? आपके पैकेज के अंदर वैश्विक नाम और चर संग्रहीत करने और लाने का आपका तरीका क्या है ?