Recursion Practice
Let's practice recursion by defining some more recursive functions:
A function that takes two positive integers,
x
andy
and raisesx
to the power ofy
:Define the type
We know the function will take two integers and return an integer.
Enumerate different cases
We can think of two special cases, where either of the arguments is zero, and the general case where both are greater than zero.
Take care of the simple cases first (usually base cases)
Any number to the power of zero is equal to one. Note that we set this pattern first
because we want to consider zero to the power of zero to be equal to one. The other simple case is that zero to the power of any other number (other than zero itself) is equal to zero.
Define the other cases
Now, we get to the recursive case. We can define that
x
to the power ofy
is equal tox
multiplied by the result of the recursive call to the function with
(y - 1)
For practice, write out how this function would be applied step by step.
A function that takes in a list and returns a new list with only the even-indexed elements (with the first element considered odd-indexed):
Define the type
We know the function will take in a list of some type and return a list of the same type.
Enumerate different cases
Here, we have to think about the cases we can have. The first one is very simple, if the supplied list is empty, we should return an empty list, but we will leave the definitions for what to return for the next step. The next case we can consider is a list with only one element. We are then left with the general case of two or more elements in a list.
Take care of the simple cases first (usually base cases)
In the first case (empty list) we already mentioned that we just want to return an empty list. The case with just one element in the list should also return an empty list as that element is odd-indexed and we are only interested in even-indexed elements.
Define the other cases
That last case we laid out is where the list has two or more elements. In this case, we should ignore the first element, take the second one and join it with the result of the recursive call of the remaining list.
For practice, write out how this function would be applied step by step.
Last updated