Based on my understanding

Examples:

Search a value ‘X’ given a head of a linked list

Construct a linked list using a given array

A situation where you want to prompt the user to enter a temperature and display “hot” if temperature entered is greater than 100, “cold” if temperature entered is smaller than 60, “just right” if temperature entered is greater than 61 but less than 99, display “good-bye” if temperature entered is 0 and stop prompting once the user enters 0

Using while loop:

def temperature():
    temp = int(input("Enter temperature : "))
    while temp != 100:
        if temp >= 100:
            print("hot")
        elif temp <= 60:
            print("cold")
        elif temp >= 61 and temp <= 99:
            print("just right")
        temp = int(input("Enter temperature : "))
    print("good-bye!!")
    return temp

temperature()

Using for loop:

import sys
def temperature():
    for _ in range(sys.maxsize**10):
        temp = int(input("Enter temperature : "))
        if temp >= 100:
            print("hot")
        elif -99 <= temp <= 60:
            print("cold")
        elif temp >= 61 and temp <= 99:
            print("just right")
        elif temp == 100:
            print("good-bye!!")
            return temp 

temperature()

while loop provides dynamic condition execution where as a for a for loop the condition for iteration is fixed

Using recursion:

def temperature_recursion():
    temp = int(input("Enter temperature : "))
    if temp == 100:
        print("good-bye!!")
        return temp
    if temp > 100:
        print("hot")
    if temp < 60:
        print("cold")
    if 61 <= temp <= 99:
        print("just right")
    temperature_recursion()

temperature_recursion() 

This leaves us with the question of when do we take a recursive approach verses when do we take an iterative approach!