If you're confused as to why I included the picture above (and what it has to do with recursion - the mandatory topic this week), look at the picture on the cereal box. Then look at the picture on the cereal box on the picture of the cereal box. Then look at the picture of the cereal box on the picture of the cereal box on the the picture of the cereal box... You probably get the idea now.
Recursion can definitely be a little overwhelming to think about at first. For me, the greatest mental barrier I had to overcome was figuring out how a function can be defined when what it does depends on what it does... when what it does hasn't been defined yet. Regardless of how involved this sounds, I found that once I went through a couple clear examples of recursive functions, there was really nothing so daunting about the concept at all.
And in some cases, a recursive function can truly be the simplest, most elegant, and most efficient way to tackle a problem. Take this example we did in class, that returns the nested depth of a list:
def nested_depth(L): """ Return nested depth of list L. Nested depth is: 0 --- if L is a non-list 1 + maximum nested of elements of L --- if L is a list >>> nested_depth(3) 0 >>> nested_depth([1, 2, 3]) 1 >>> nested_depth([1, [2, 3], 4]) 2 """ return (1 + # maximum nested depths of elements of L, concatenated with 0 # to deal with possibility that L is empty max([nested_depth(x) for x in L] + [0]) # 0 if L is a non-list if isinstance(L, list) else 0)
Any iterative function that returns the same result would certainly be much longer and more complex, not to mention trickier to build and understand.
Recursion is fun. Yay.