Estou experimentando metaprogramação em Python (CPython 3.10.13) e notei algum comportamento estranho object.__new__
(bem, estranho para mim, pelo menos). Dê uma olhada no experimento a seguir (não é um código prático, apenas um experimento ) e nos comentários. Observe que object.__new__
parece mudar seu comportamento com base no primeiro argumento:
# Empty class inherit __new__ and __init__ from object
class Empty:
pass
# Confirmation of inheritance
assert Empty.__new__ is object.__new__, "Different __new__"
assert Empty.__init__ is object.__init__, "Different __init__"
empty_obj = Empty()
uinit_empty_obj = object.__new__(Empty)
assert type(empty_obj) is type(uinit_empty_obj), "Different types"
try:
object.__new__(Empty, 10, 'hi', hello='bye')
except TypeError as e:
# repr(e) mentioned the Empty class
print(repr(e))
# Overwrite the object __new__ and __init__ methods
# __new__ and __init__ with the same signature
class Person:
def __new__(cls, name, age):
"""Does nothing bassicaly. Just overwrite `object.__new__`."""
print(f'Inside {cls.__name__}.__new__')
return super().__new__(cls)
def __init__(self, name, age):
print(f'Inside {type(self).__name__}.__init__')
self.name = name
self.age = age
a_person = Person('John Doe', 25)
uinit_person = Person.__new__(Person, 'Michael', 40)
try:
# Seems an obvious error since object() doesn't take any arguments
another_uinit_person = object.__new__(Person, 'Ryan', 25)
except TypeError as e:
# Indeed raises TypeError, but now there isn't a mention of the Person class in repr(e)
print('`another_uinit_person` :', repr(e))
# Now, some weird things happen (well, weird for me).
# Inherit __new__ from object and overwrite __init__.
# __new__ and __init__ with unmatching signatures.
# A basic Python class. Works just fine like suppose to.
class Vehicle:
def __init__(self, model):
self.model = model
# Confirmation of __new__ inheritance.
assert Vehicle.__new__ is object.__new__, "Nop, it isn't"
a_vehicle = Vehicle('Honda')
# I would understand if CPython autogenerated a __new__ method matching __init__
# or a __new__ method that accepts all arguments.
# The following try-except-else suggests the last, but the assert statement above
# indicates that Vehicle.__new__ is actually object.__new__.
try:
# Doesn't raise any exceptions
uinit_vehicle = Vehicle.__new__(Vehicle, 'Honda', 10, ('four-wheels',), hello='bye')
except Exception as e:
print(repr(e))
else:
print('`uinit_vehicle` : constructed just fine', uinit_vehicle)
# Now the following runs just fine
try:
# Doesn't raise any exceptions
another_unit_vehicle = object.__new__(Vehicle, 'Toyota')
another_unit_vehicle = object.__new__(Vehicle, 'Toyota', 100, four_wheels=True)
except Exception as e:
print(repr(e))
else:
print('`another_unit_vehicle` : constructed just fine:', another_unit_vehicle)
Eu obtive a seguinte saída:
TypeError('Empty() takes no arguments')
Inside Person.__new__
Inside Person.__init__
Inside Person.__new__
`another_uinit_person` : TypeError('object.__new__() takes exactly one argument (the type to instantiate)')
`uinit_vehicle` : constructed just fine <__main__.Vehicle object at 0x00000244D15A7A90>
`another_unit_vehicle` : constructed just fine: <__main__.Vehicle object at 0x00000244D15A7A30>
Minhas perguntas:
- Por que o primeiro
TypeError
mencionou aEmpty
turma e o segundo apenasobject.__new__
? - Por que
object.__new__(Person, 'Ryan', 25)
levantouTypeError
eobject.__new__(Vehicle, 'Toyota')
nãoobject.__new__(Vehicle, 'Toyota', 100, four_wheels=True)
fez?
Basicamente: o que object.__new__
acontece por baixo do capô?
Parece-me que ele está realizando uma verificação um tanto estranha nos métodos do primeiro argumento __new__
e/ou __init__
substituição, se houver.
object.__init__
Os métodos base e do Pythonobject.__new__
suprimem erros sobre excesso de argumentos na situação comum em que exatamente um deles foi substituído e o outro não. O método não substituído irá ignorar os argumentos extras, uma vez que eles geralmente são passados automaticamente (em vez de uma chamada explícita para__new__
ou__init__
onde o programador deveria saber melhor).Ou seja, nenhuma dessas classes causará problemas nos métodos que herdam:
No entanto, ao substituir um dos métodos, você deve evitar argumentos em excesso ao chamar a versão da classe base do método que você substituiu.
Além disso, se você substituir e
__new__
,__init__
precisará chamar os métodos da classe base sem argumentos extras, pois deverá saber o que está fazendo se estiver implementando os dois métodos.Você pode ver a implementação dessas verificações no código-fonte do CPython . Mesmo que você não conheça C muito bem, está bem claro o que ele está fazendo. Há um caminho de código diferente que lida com classes como a sua,
Empty
que não substitui nenhum dos métodos (é por isso que a mensagem de exceção é um pouco diferente).