Let’s create a wrapper that returns the correct base area function, depending on which base shape we’ve chosen.
1
2
3
4
5
6
7
8
9
10
11
defarea_of_base(shape):
if shape =="triangle":
return area_of_triangle
elif shape =="rectangle":
return area_of_rectangle
else:
print("No function for that shape yet.")
area_of_triangle_check = area_of_base("triangle")
area_of_triangle_check(2, 3) # returns 3.0volume_of_small_prism(area_of_triangle_check, 2, 3, 4) # returns 12.0
Decorators are syntactic sugar for extending input functions
For example, we can add some text to our function to make it more pretty.
1
2
3
4
5
6
7
8
9
10
defprettify_my_function(function):
defdecorator(shape):
print("Your chosen shape is: %s"%shape)
return function(shape)
return decorator
area_of_base = prettify_my_function(area_of_base)
pretty_area_of_triangle = area_of_base("triangle")
# Your chosen shape is: trianglepretty_area_of_triangle(2, 3) # returns 3.0
Python instead allows you to write area_of_base = prettify_my_function(area_of_base) using the @ syntax:
1
2
3
4
5
6
7
8
9
10
11
12
@prettify_my_functiondefarea_of_base(shape):
if shape =="triangle":
return area_of_triangle
elif shape =="rectangle":
return area_of_rectangle
else:
print("No function for that shape yet.")
decorated_area_of_triangle = area_of_base("triangle")
# Your chosen shape is: triangledecorated_area_of_triangle(2, 3) # returns 3.0
This is especially useful when you want to reuse your decorator for other functions – imagine if your decorator contained some sizable logic that you wanted to reuse (without something like prettify_my_function, you would have to rewrite a lot of code).
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
defperimeter_of_triangle(length, height):
return length + height + ((length**2+ height**2) ** (1/2))
defperimeter_of_rectangle(length, height):
return2* (length + height)
@prettify_my_functiondefperimeter_of_base(shape):
if shape =="triangle":
return perimeter_of_triangle
elif shape =="rectangle":
return perimeter_of_rectangle
else:
print("No function for that shape yet.")
perimeter_of_triangle = perimeter_of_base("triangle")
# Your chosen shape is: triangleperimeter_of_triangle(3, 4) # returns 12.0