195k views
4 votes
Write a program using nested loops that asks the user to enter a value for the number of rows to display. It should then display that many rows of asterisks, with one asterisk in the first row, two in the second row, and so on, in that order.

However, the last asterisk in each row should be aligned (preceded by "underscores" if necessary).
A sample run would look like this:
Enter number of rows: 5
_______*
_______**
_______***
_____****
*****

User Kanivel
by
8.4k points

1 Answer

4 votes

Final answer:

This program effectively implements nested loops to create a pattern of rows with increasing asterisks and aligned last asterisks based on the user-specified number of rows. The use of nested loops and careful calculation ensures the desired output, as illustrated in the provided sample run.

Step-by-step explanation:

# Python program to display rows of asterisks with aligned last asterisk

# Get the number of rows from the user

num_rows = int(input("Enter number of rows: "))

# Loop through each row

for i in range(1, num_rows + 1):

# Print underscores for alignment

print("_" * (num_rows - i), end="")

# Print asterisks in increasing order

for j in range(1, i + 1):

print("*", end="")

# Move to the next line after each row

print()

This Python program uses nested loops to generate a pattern of rows with aligned asterisks. The outer loop iterates through each row, and the inner loop prints the asterisks for that row. The number of underscores before the last asterisk is calculated to ensure alignment.

The outer loop (i) represents the current row, ranging from 1 to the user-specified number of rows.

The inner loop (j) prints the asterisks for the current row, ranging from 1 to the row number (i).

The underscores for alignment are printed before the asterisks, calculated as the difference between the total number of rows and the current row (num_rows - i).

The program takes user input for the number of rows and then prints the desired pattern with aligned last asterisks.

User Jaruba
by
8.7k points