最近出現了好幾次,我想比它更好地處理它:我有一系列屬性可以在對象和字典之間交叉引用。如果它們之間的值不同,我想將object.attribute設置爲dictionary ['attribute']的值。我也想跟蹤發生了什麼變化。Pythonic的方式,以避免山如果...其他語句?
現在,我的第一個想法是隻對每個屬性使用if else語句,但在編寫其中的一些內容後,很明顯我會重複編寫相同的代碼。必須有一種乾式的方法來做到這一點,在那裏我只指定每次都在變化的部分,然後遍歷所有的屬性。
在生產代碼中,有15個不同的屬性,但下面的示例將簡單地使用2。我有一些關於如何以聰明的方式做到這一點的想法,但我錯過了實際設置object.attribute等於dictionary ['attribute']值的最後一步。
# Simulated data setup - not under my control IRL
class someClass:
def __init__(self, name, version):
self.name = name
self.version = version
objA = someClass('Test1','1.1')
dictA = {'name':'Test1','revision':'1.2'}
# My code below
# option 1 - a series of for loops
def updateAttributesSimple(obj, adict, msg):
if obj.name == adict['name']:
msg.append('Name is the same')
else:
msg.append('Name was updated from %s to %s' % (obj.name, adict['name']))
obj.name = adict['name']
if obj.version == adict['revision']:
msg.append('Version is the same')
else:
msg.append('Version was updated from %s to %s' % (obj.version, adict['revision']))
obj.version = adict['revision']
# option 2 - trying to be clever about this
def updateAttributesClever(obj, adict, msg):
attributeList = (('Name', obj.name, adict['name']),
('Version', obj.version, adict['revision']))
for valTuple in attributeList:
if valTuple[1] == valTuple[2]:
msg.append('%s is the same' % (valTuple[0]))
else:
msg.append('%s was updated from %s to %s' % (valTuple[0], valTuple[1], valTuple[2]))
# code to set valTuple[1] = valTuple[2] goes here, but what is it?
# valTuple[1] = valTuple[2] attempts to set the desired value to a string, rather than the attribute of obj itself
msg = ['Updating Attributes simple way:']
updateAttributesSimple(objA, dictA, msg)
print '\n\t'.join(msg)
#reset data
objA = someClass('Test1','1.1')
dictA = {'name':'Test1','revision':'1.2'}
msg = ['Updating Attributes clever way:']
updateAttributesClever(objB, dictB, msg)
print '\n\t'.join(msg)
的想法是這樣,每當我需要添加另一個屬性,我可以更新被檢查的屬性列表和其餘代碼已經編寫完成。 Pythonic的方法是什麼?
您可以將所有這些合併到一個函數中。它會讓你的代碼看起來更整潔,讓你的生活更輕鬆。 – iamandrus 2011-04-12 19:46:51
它在我身邊的功能 - 我只是試圖簡化這個例子。 – Nathan 2011-04-12 21:27:59