Soru
Your Task: Python While Nested For Loop 1. Write a Python program that utilizes a while nested for loop to generate a number pyramid. The program should perform the following actions: Requirements: Use a loop structure to generate the pyramid pattern. Each line should start with the number 1 and incrementally increase up to the line number. Avoid hardcoding the output;your code should riynamically generate each line. Ensure that the program gracefully handles user inputs, and after the loop exits, print a concluding message. Sample Output:
Çözüm
3.2
(243 Oylar)
Cemil
Elit · 8 yıl öğretmeni
Uzman doğrulaması
Cevap
Here is a Python program that utilizes a while nested for loop to generate a number pyramid:```pythondef number_pyramid(n): count = 1 while count <= n: for i in range(1, count + 1): print(i, end=" ") print() # Newline after each line of the pyramid count += 1# Get user inputn = int(input("Enter the number of lines for the pyramid: "))# Generate the pyramidnumber_pyramid(n)# Print a concluding messageprint("You have generated a number pyramid with", n, "lines.")```### Explanation:1. **Function Definition (`number_pyramid`)**: - The function `number_pyramid` takes an integer `n` as input, which represents the number of lines in the pyramid. - A `while` loop is used to iterate as long as `count` is less than or equal to `n`.2. **Inner `for` Loop**: - The `for` loop iterates from 1 to `count`, printing each number followed by a space. - After each iteration of the `for` loop, a newline is printed to move to the next line of the pyramid.3. **Incrementing `count`**: - After each iteration of the `while` loop, `count` is incremented by 1.4. **User Input**: - The program prompts the user to enter the number of lines for the pyramid. - The input is converted to an integer and passed to the `number_pyramid` function.5. **Concluding Message**: - After the `while` loop exits, a concluding message is printed indicating the number of lines generated.This program will dynamically generate a number pyramid based on the user's input.