Obiekty w Pythonie mogą mieć atrybuty - atrybuty danych i funkcje do pracy z tymi (metodami). Właściwie każdy obiekt ma wbudowane atrybuty.
Na przykład masz obiekt person
, który ma kilka atrybutów: name
, gender
, itd.
Dostęp do tych atrybutów (może to być metody lub obiektów danych) zwykle pisząc: person.name
, person.gender
,person.the_method()
, itd.
Ale co, jeśli nie znasz nazwy atrybutu w momencie pisania programu? Na przykład masz nazwę atrybutu zapisaną w zmiennej o nazwie attr_name
.
gdyby
attr_name = 'gender'
to zamiast pisać
gender = person.gender
Możesz pisać
gender = getattr(person, attr_name)
Niektóre praktyki:
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
podniesie się, AttributeError
jeśli atrybut o podanej nazwie nie istnieje w obiekcie:
>>> getattr(person, 'age')
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: 'Person' object has no attribute 'age'
Ale możesz przekazać wartość domyślną jako trzeci argument, który zostanie zwrócony, jeśli taki atrybut nie istnieje:
>>> getattr(person, 'age', 0)
0
Możesz użyć getattr
wraz z, dir
aby iterować wszystkie nazwy atrybutów i uzyskać ich wartości:
>>> 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
Praktycznym zastosowaniem tego byłoby znalezienie wszystkich metod, których nazwy rozpoczynają się od test
i wywoływania ich .
Podobnie jak getattr
tam, setattr
który pozwala ustawić atrybut obiektu o nazwie:
>>> setattr(person, 'name', 'Andrew')
>>> person.name # accessing instance attribute
'Andrew'
>>> Person.name # accessing class attribute
'Victor'
>>>