import functools
def repeat(num_times):
def decorator_repeat(func):
@functools.wraps(func)
def wrapper_repeat(*args, **kwargs):
for _ in range(num_times):
value = func(*args, **kwargs)
return value
return wrapper_repeat
return decorator_repeat
@repeat(num_times=4)
def greet(name):
"""Greets a person"""
print(f"Hello, {name}")
greet("Alice")
'''
Hello, Alice
Hello, Alice
Hello, Alice
Hello, Alice
'''
範例 – Debugging
PYTHON
import functools
import time
# Define debugging decorator
def debug(func):
"""Prints the function signature and return value"""
@functools.wraps(func)
def wrapper_debug(*args, **kwargs):
args_repr = [repr(a) for a in args]
kwargs_repr = [f"{k}={v!r}" for k, v in kwargs.items()]
signature = ", ".join(args_repr + kwargs_repr)
print(f"Calling {func.__name__}({signature})")
start = time.time()
value = func(*args, **kwargs)
end = time.time()
print(f"{func.__name__} returned {value!r} in {end-start:.5f} s")
return value
return wrapper_debug
@debug
def make_greeting(name, age=None):
"""Form a greeting message"""
if age is None:
return f"Howdy {name}!"
else:
return f"Whoa {name}! {age} already, you are growing up!"
make_greeting("Alice", age=12)
執行結果:
Calling make_greeting('Alice', age=12)
make_greeting returned 'Whoa Alice! 12 already, you are growing up!' in 0.00000 s
__module__:該屬性包含定義函數的 module 名稱。 如果函數定義在 main module 中,則 __module__ 屬性為 __main__。
__name__:該屬性包含函數的原始名稱。
__qualname__:該屬性是 "qualified name" 的縮寫,包括函數名稱、任何封閉 Class 。 它有助於明確地識別函數或 Class。
__doc__:該屬性包含函數的 docstring,它是為函數提供文檔的 string。
__annotations__:該屬性是一個字典,包含函數參數或返回值的所有註釋。
__dict__:該屬性是一個字典,包含函數的名稱空間,即其屬性名稱和值。
PYTHON
def sample_function(a: 'annotation for a', b: 'annotation for b') -> 'annotation for return':
"""This is a sample function for demonstrating function attributes."""
pass
print("Module:", sample_function.__module__)
print("Name:", sample_function.__name__)
print("Qualified Name:", sample_function.__qualname__)
print("Doc:", sample_function.__doc__)
print("Annotations:", sample_function.__annotations__)
print("Dict:", sample_function.__dict__)
執行結果:
Module: __main__
Name: sample_function
Qualified Name: sample_function
Doc: This is a sample function for demonstrating function attributes.
Annotations: {'a': 'annotation for a', 'b': 'annotation for b', 'return': 'annotation for return'}
Dict: {}
import functools
# Create decorator factory
def repeat(num_times):
def decorator_repeat(func):
@functools.wraps(func)
def wrapper_repeat(*args, **kwargs):
for _ in range(num_times):
value = func(*args, **kwargs)
return value
return wrapper_repeat
return decorator_repeat
@repeat(num_times=4)
def greet(name):
"""Greets a person"""
print(f"Hello, {name}")
greet("Alice")
'''
Hello, Alice
Hello, Alice
Hello, Alice
Hello, Alice
'''
範例:使用 partial()
PYTHON
import functools
# Use partial() as decorator factory
def _decorator_repeat(func, num_times):
@functools.wraps(func)
def wrapper_repeat(*args, **kwargs):
for _ in range(num_times):
value = func(*args, **kwargs)
return value
return wrapper_repeat
def repeat(num_times):
return functools.partial(_decorator_repeat, num_times=num_times)
@repeat(num_times=4)
def greet(name):
"""Greets a person"""
print(f"Hello, {name}")
greet("Alice")
'''
Hello, Alice
Hello, Alice
Hello, Alice
Hello, Alice
'''
from functools import partialmethod
class MyModel():
def calculate(self, x, y, operation):
if operation == 'add':
return x + y
elif operation == 'mul':
return x * y
else:
raise ValueError("Invalid operation")
add = partialmethod(calculate, operation='add')
mul = partialmethod(calculate, operation='mul')
model = MyModel()
print(model.add(3, 5)) # 8
print(model.mul(3, 5)) # 15