jsonデータをモデル化するクラスの1つに、同様のフィールドがいくつかあります。すべてのフィールドはNoneに初期化され、静的ツールが存在することを認識します。その後、ヘルパー関数は、モデリングしているjsonデータに基づいてフィールドを初期化するのに役立ちます(知りたい場合はSecondHandSongs API )。
一部のデータは、フェッチする必要のある余分なデータのURIのみを取得します。したがって、隠れた変数をNoneに初期化し、最初のリクエストでデータをフェッチ/デコードするという古いトリックを使用したいと思います。しかし、setattr(self.__class__)
醜いように見えます。
(Pythonでプロパティを動的に設定する)より良い方法はありますか?
def _initialize_url_fields(self, attrNamesToFactoryFunction, json_data):
for (name, factoryFunction) in attrNamesToFactoryFunction.iteritems():
try:
url = json_data[name]
except KeyError:
continue
setattr(self, name + "_url", url)
setattr(self, "_" + name, None)
setattr(self.__class__, name, property(lambda s: s._getter("_" + name, url, factoryFunction)))
def _getter(self, hidden_prop_name, url, factoryFunction):
if not getattr(self, hidden_prop_name):
json_data = SHSDataAcess.getSHSData(url)
setattr(self, hidden_prop_name, factoryFunction(json_data))
return getattr(self, hidden_prop_name)
編集: initから呼び出されたインスタンスメソッドにプロパティを設定しようとしていることに気づきました 。予想通り、2回目は失敗しました。
編集2:
オブジェクトごとにプロパティを設定していることに気付いた後、これを修正した方法は次のとおりです(シングルトンクラスでない場合は不可能です)
class ShsData(object):
def _initialize_url_fields(self, attrNamesToFactoryFunctions, json_data):
for (name, factoryFunction) in attrNamesToFactoryFunctions.items():
self._getter_factory_functions[name] = factoryFunction
uri = None
try:
uri = json_data[name]
except KeyError:
pass
setattr(self, name + "_uri", uri)
setattr(self, "_" + name, None)
def _fetch_shs_data_on_first_access_getter(base_prop_name):
def getter(self):
factoryFunction = self._getter_factory_functions[base_prop_name]
hidden_prop_name = "_" + base_prop_name
uri_prop_name = base_prop_name + "_uri"
if not getattr(self, hidden_prop_name):
if getattr(self, uri_prop_name):
json_data = SHSDataAcess.getSHSData(getattr(self, uri_prop_name))
setattr(self, hidden_prop_name, factoryFunction(json_data))
else:
return None
return getattr(self, hidden_prop_name)
return getter
class ShsArtist(ShsData):
performances_data = property(_fetch_shs_data_on_first_access_getter("performances"))
creditedWorks_data = property(_fetch_shs_data_on_first_access_getter("creditedWorks"))
releases_data = property(_fetch_shs_data_on_first_access_getter("releases"))
def __init__(self, json_data):
...
self._initialize_url_fields({"performances": lambda xs: [ShsPerformance(x) for x in xs],
"creditedWorks": lambda xs: [ShsWork(x) for x in xs],
"releases": lambda xs: [ShsRelease(x) for x in xs]},
json_data)