You only copied across the name to the function. The generator object produced still uses the old name set at compile time.
You would have to set that name each time a new generator object is being produced; unfortunately, the attribute is read-only for generators:
>>> def gen():
... yield None
...
>>> gen().__name__
'gen'
>>> gen().__name__ = 'foo'
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
AttributeError: attribute '__name__' of 'generator' objects is not writable
The name is baked into the code object:
>>> gen.__code__.co_name
'gen'
so the only way you can change this is to re-build the code object (and by extension, the function):
def rename_code_object(func, new_name):
code_object = func.__code__
function, code = type(func), type(code_object)
return function(
code(
code_object.co_argcount, code_object.co_nlocals,
code_object.co_stacksize, code_object.co_flags,
code_object.co_code, code_object.co_consts,
code_object.co_names, code_object.co_varnames,
code_object.co_filename, new_name,
code_object.co_firstlineno, code_object.co_lnotab,
code_object.co_freevars, code_object.co_cellvars),
func.__globals__, new_name, func.__defaults__, func.__closure__)
This creates a new function and code object, using new_name
to replace the old name:
>>> new_name = rename_code_object(gen, 'new_name')
>>> new_name.__name__
'new_name'
>>> new_name().__name__
'new_name'
>>> new_name()
<generator object new_name at 0x10075f280>
Using this in your decorator:
def mapper(f):
def wrapper(items):
for x in items:
yield f(x)
return rename_code_object(wrapper, f.__name__)
Demo:
>>> def mapper(f):
... def wrapper(items):
... for x in items:
... yield f(x)
... return rename_code_object(wrapper, f.__name__)
...
>>> @mapper
... def double(x):
... return x * 2
...
>>> double([1, 2])
<generator object double at 0x10075f370>
>>> list(double([1, 2]))
[2, 4]
As of Python 3.5, generator objects take their __name__
from the function object rather than from their code object co_name
attribute, see issue #21205; the attribute became writable in the process.