Gli oggetti in Python possono avere attributi: attributi e funzioni dei dati per lavorare con questi (metodi). In realtà, ogni oggetto ha attributi incorporati.
Per esempio si dispone di un oggetto person
, che ha diversi attributi: name
, gender
, etc.
È possibile accedere a questi attributi (che si tratti di metodi o oggetti di dati) di solito la scrittura: person.name
, person.gender
, person.the_method()
, etc.
Ma cosa succede se non si conosce il nome dell'attributo nel momento in cui si scrive il programma? Ad esempio, il nome dell'attributo è memorizzato in una variabile chiamata attr_name
.
Se
attr_name = 'gender'
quindi, invece di scrivere
gender = person.gender
tu puoi scrivere
gender = getattr(person, attr_name)
Qualche pratica:
Python 3.4.0 (default, Apr 11 2014, 13:05:11)
>>> class Person():
... name = 'Victor'
... def say(self, what):
... print(self.name, what)
...
>>> getattr(Person, 'name')
'Victor'
>>> attr_name = 'name'
>>> person = Person()
>>> getattr(person, attr_name)
'Victor'
>>> getattr(person, 'say')('Hello')
Victor Hello
getattr
genererà AttributeError
se l'attributo con il nome specificato non esiste nell'oggetto:
>>> getattr(person, 'age')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'Person' object has no attribute 'age'
Ma puoi passare un valore predefinito come terzo argomento, che verrà restituito se tale attributo non esiste:
>>> getattr(person, 'age', 0)
0
È possibile utilizzare getattr
insieme dir
per scorrere su tutti i nomi degli attributi e ottenere i loro valori:
>>> dir(1000)
['__abs__', '__add__', ..., '__trunc__', '__xor__', 'bit_length', 'conjugate', 'denominator', 'from_bytes', 'imag', 'numerator', 'real', 'to_bytes']
>>> obj = 1000
>>> for attr_name in dir(obj):
... attr_value = getattr(obj, attr_name)
... print(attr_name, attr_value, callable(attr_value))
...
__abs__ <method-wrapper '__abs__' of int object at 0x7f4e927c2f90> True
...
bit_length <built-in method bit_length of int object at 0x7f4e927c2f90> True
...
>>> getattr(1000, 'bit_length')()
10
Un uso pratico per questo sarebbe trovare tutti i metodi i cui nomi iniziano con test
e chiamarli .
Simile a getattr
c'è c'è setattr
che ti permette di impostare un attributo di un oggetto che abbia il suo nome:
>>> setattr(person, 'name', 'Andrew')
>>> person.name # accessing instance attribute
'Andrew'
>>> Person.name # accessing class attribute
'Victor'
>>>