Pyramid Star Pattern

Program to Print Pyramid Star Pattern

PRINTING PATTERN:

       *
      ***
     *****
    *******
            

PREREQUISITE:

Basic knowledge of Java language and loops.

ALGORITHM:

1. Take the number of rows as input from the user (height of the pyramid) and store it in a variable ('n').
2. Run a loop 'n' times to iterate through the rows (i=1 to i<=n).
3. For each row, print spaces to create the left alignment of the stars.
4. Print stars for each row, which is equal to (2 * i - 1).
5. Move to the next line after each row has been printed.

Code in Java:

import java.util.Scanner;

public class PyramidPattern {
    public static void main(String[] args) {
        Scanner scanner = new Scanner(System.in);
        System.out.println("Enter the number of rows for the pyramid:");
        int n = scanner.nextInt();  // Taking input for number of rows

        for (int i = 1; i <= n; i++) {
            // Print spaces for pyramid shape
            for (int j = n - i; j > 0; j--) {
                System.out.print(" ");  // Printing spaces
            }
            // Print stars for each row
            for (int j = 1; j <= (2 * i - 1); j++) {
                System.out.print("*");  // Printing stars
            }
            System.out.println();  // New line after each row
        }

        scanner.close();
    }
}
            

Output:

Enter the number of rows for the pyramid:
4
       *
      ***
     *****
    *******