search
HomeBackend DevelopmentPython TutorialDemystifying Python Recursion

Demystifying Python Recursion

In Python programming, many complex tasks can be broken down into simpler subtasks. Recursion is a powerful way to implement this decomposition, making the code more concise and easier to maintain. This tutorial will cover the concepts of recursion, the advantages, and how to use it in Python.

What is recursion?

Recursion is a way to solve a problem by solving a smaller instance of the problem. This approach can be applied to many challenges in programming.

Advantages of using recursion

Some of the advantages of using recursion include:

  • Simplify code writing and make it easier to debug.
  • Reduce the algorithm run time (as a function of input length).
  • More effective when solving very complex problems (especially those based on tree structures).

Beginner of Python recursive functions

Recursion may seem complicated, but it is not. Simply put, suppose you have two rectangles A and B. Add them together to form a rectangle C. This is a recursive process in itself. We use smaller instances of rectangles to define ourselves, if we want to write Python functions, it looks like this:

def rectangle(a, b):
    return a + b

Since the recursive function calls itself, a rule or breakpoint is needed to terminate the process or loop. This condition is called the benchmark condition. Each recursive program requires a benchmark condition, otherwise the process will result in an infinite loop.

The second requirement is the recursive case, that is, the function call itself.

Let's take an example:

In this example, you will write a factorial function that takes an integer (positive number) as input. A factorial for a number is obtained by multiplying the number by all positive integers below it. For example, factorial(3) = 3 x 2 x 1, factorial(2) = 2 x 1, factorial(0) = 1.

First define the benchmark case, that is, factorial(0) = 1.

As shown above, there is a relationship between each successive factorial scene. You should notice factorial(4) = 4 x factorial(3). Similarly, factorial(5) = 5 x factorial(4).

The second part will write a function that calls itself.

After simplifying, the generated function will be:

def factorial(n):
    # 定义基准情况
    if n == 0:
        return 1
    else:
        return n * factorial(n - 1)

print(factorial(5))

# 结果
# 120

If n==0, the solution is:

def factorial(n):
    # 定义基准情况
    if n == 0:
        return 1
    else:
        return n * factorial(n - 1)


print(factorial(0))

# 结果
# 1

Now that you know how to write recursive functions, let's look at a few case studies that will strengthen your understanding of recursion.

Case Study 1: Fibonacci Sequence

In the Fibonacci sequence, each number is the sum of the first two numbers, for example: 1 1 = 2; 1 2 = 3; 2 3 = 5; 3 5 = 8. The Fibonacci sequence has been applied in many areas, most commonly for Forex traders predicting stock market price trends.

Fibonacci sequences start with 0 and 1. The first number in the Fibonacci sequence is 0, the second number is 1, and the third term in the sequence is 0 1 = 1. The fourth term is 1 1 = 2, and so on.

In order to get a recursive function, you need to have two benchmark cases, namely 0 and 1. You can then convert the addition mode to the else case.

The generated function will be:

def rectangle(a, b):
    return a + b

Case Study 2: Inverting the String

In this example, you will write a function that takes a string as input and then returns an inversion of that string.

First define the benchmark case, which will check whether the string is equal to 0, and if so, the string itself is returned.

The second step is to recursively call the inversion function to slice the part of the string except the first character, and then concatenate the first character to the end of the slice string.

The generated function is as follows:

def factorial(n):
    # 定义基准情况
    if n == 0:
        return 1
    else:
        return n * factorial(n - 1)

print(factorial(5))

# 结果
# 120

Case Study 3: Sum of Elements

In this example, you will write a function that takes an array as input and then returns the sum of elements in the list.

First define the benchmark case, which will check whether the size of the list is zero, and if true, return 0.

The second step returns the element and the call to the function sum(), subtracting an element of the list.

The solution is as follows:

def factorial(n):
    # 定义基准情况
    if n == 0:
        return 1
    else:
        return n * factorial(n - 1)


print(factorial(0))

# 结果
# 1

The solution to the empty list is as follows:

def fibonacci(n):
    # 定义基准情况 1
    if n == 0:
        return 0
    # 定义基准情况 2
    elif n == 1:
        return 1
    else:
        return fibonacci(n - 1) + fibonacci(n - 2)

print(fibonacci(5))

# 结果为 5

Conclusion

This tutorial describes what you need to solve complex programs in Python using recursion. It should also be noted that recursion also has its own limitations:

  • Recursively occupy a lot of stack space, making it slow to maintain the program.
  • Recursive functions require more space and time to execute.
  • Recursive functions can become complicated and difficult to debug.

This thumbnail image is generated using Open AI DALL-E.

The above is the detailed content of Demystifying Python Recursion. For more information, please follow other related articles on the PHP Chinese website!

Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
What are the alternatives to concatenate two lists in Python?What are the alternatives to concatenate two lists in Python?May 09, 2025 am 12:16 AM

There are many methods to connect two lists in Python: 1. Use operators, which are simple but inefficient in large lists; 2. Use extend method, which is efficient but will modify the original list; 3. Use the = operator, which is both efficient and readable; 4. Use itertools.chain function, which is memory efficient but requires additional import; 5. Use list parsing, which is elegant but may be too complex. The selection method should be based on the code context and requirements.

Python: Efficient Ways to Merge Two ListsPython: Efficient Ways to Merge Two ListsMay 09, 2025 am 12:15 AM

There are many ways to merge Python lists: 1. Use operators, which are simple but not memory efficient for large lists; 2. Use extend method, which is efficient but will modify the original list; 3. Use itertools.chain, which is suitable for large data sets; 4. Use * operator, merge small to medium-sized lists in one line of code; 5. Use numpy.concatenate, which is suitable for large data sets and scenarios with high performance requirements; 6. Use append method, which is suitable for small lists but is inefficient. When selecting a method, you need to consider the list size and application scenarios.

Compiled vs Interpreted Languages: pros and consCompiled vs Interpreted Languages: pros and consMay 09, 2025 am 12:06 AM

Compiledlanguagesofferspeedandsecurity,whileinterpretedlanguagesprovideeaseofuseandportability.1)CompiledlanguageslikeC arefasterandsecurebuthavelongerdevelopmentcyclesandplatformdependency.2)InterpretedlanguageslikePythonareeasiertouseandmoreportab

Python: For and While Loops, the most complete guidePython: For and While Loops, the most complete guideMay 09, 2025 am 12:05 AM

In Python, a for loop is used to traverse iterable objects, and a while loop is used to perform operations repeatedly when the condition is satisfied. 1) For loop example: traverse the list and print the elements. 2) While loop example: guess the number game until you guess it right. Mastering cycle principles and optimization techniques can improve code efficiency and reliability.

Python concatenate lists into a stringPython concatenate lists into a stringMay 09, 2025 am 12:02 AM

To concatenate a list into a string, using the join() method in Python is the best choice. 1) Use the join() method to concatenate the list elements into a string, such as ''.join(my_list). 2) For a list containing numbers, convert map(str, numbers) into a string before concatenating. 3) You can use generator expressions for complex formatting, such as ','.join(f'({fruit})'forfruitinfruits). 4) When processing mixed data types, use map(str, mixed_list) to ensure that all elements can be converted into strings. 5) For large lists, use ''.join(large_li

Python's Hybrid Approach: Compilation and Interpretation CombinedPython's Hybrid Approach: Compilation and Interpretation CombinedMay 08, 2025 am 12:16 AM

Pythonusesahybridapproach,combiningcompilationtobytecodeandinterpretation.1)Codeiscompiledtoplatform-independentbytecode.2)BytecodeisinterpretedbythePythonVirtualMachine,enhancingefficiencyandportability.

Learn the Differences Between Python's 'for' and 'while' LoopsLearn the Differences Between Python's 'for' and 'while' LoopsMay 08, 2025 am 12:11 AM

ThekeydifferencesbetweenPython's"for"and"while"loopsare:1)"For"loopsareidealforiteratingoversequencesorknowniterations,while2)"while"loopsarebetterforcontinuinguntilaconditionismetwithoutpredefinediterations.Un

Python concatenate lists with duplicatesPython concatenate lists with duplicatesMay 08, 2025 am 12:09 AM

In Python, you can connect lists and manage duplicate elements through a variety of methods: 1) Use operators or extend() to retain all duplicate elements; 2) Convert to sets and then return to lists to remove all duplicate elements, but the original order will be lost; 3) Use loops or list comprehensions to combine sets to remove duplicate elements and maintain the original order.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

DVWA

DVWA

Damn Vulnerable Web App (DVWA) is a PHP/MySQL web application that is very vulnerable. Its main goals are to be an aid for security professionals to test their skills and tools in a legal environment, to help web developers better understand the process of securing web applications, and to help teachers/students teach/learn in a classroom environment Web application security. The goal of DVWA is to practice some of the most common web vulnerabilities through a simple and straightforward interface, with varying degrees of difficulty. Please note that this software

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

ZendStudio 13.5.1 Mac

ZendStudio 13.5.1 Mac

Powerful PHP integrated development environment