C Program to Print 8 Star Pattern

In this tutorial, i am going to show you how to print 8 star pattern with the help of for loop and while loop in c programs.

All C Programs to Print 8 Star Pattern

  • C Program to Print 8 Star Pattern using For Loop
  • C Program to Print 8 Star Pattern using While Loop

C Program to Print 8 Star Pattern using For Loop

#include <stdio.h>
int main()
{
	int rows;
	printf("Please Enter 8 Star Pattern Rows = ");
	scanf("%d", &rows);
	printf("Printing 8 Pattern of Stars\n");
	for (int i = 1; i <= rows * 2 - 1; i++)
	{
		if (i == 1 || i == rows || i == rows * 2 - 1)
		{
			for (int j = 1; j <= rows; j++)
			{
				if (j == 1 || j == rows)
				{
					printf(" ");
				}
				else
				{
					printf("*");
				}
			}
		}
		else
		{
			for (int k = 1; k <= rows; k++)
			{
				if (k == 1 || k == rows)
				{
					printf("*");
				}
				else
				{
					printf(" ");
				}
			}
		}
		printf("\n");
	}
}

The result of the above c program; is as follows:

Please Enter 8 Star Pattern Rows = 8
Printing 8 Pattern of Stars
 ****** 
*      *
*      *
*      *
*      *
*      *
*      *
 ****** 
*      *
*      *
*      *
*      *
*      *
*      *
 ****** 

C Program to Print 8 Star Pattern using While Loop

#include <stdio.h>
int main()
{
	int i, j, k, rows;
	printf("Please Enter 8 Star Pattern Rows = ");
	scanf("%d", &rows);
	printf("\n");
	i = 1;
	while (i <= rows * 2 - 1)
	{
		if (i == 1 || i == rows || i == rows * 2 - 1)
		{
			j = 1;
			while (j <= rows)
			{
				if (j == 1 || j == rows)
				{
					printf(" ");
				}
				else
				{
					printf("*");
				}
				j++;
			}
		}
		else
		{
			k = 1;
			while (k <= rows)
			{
				if (k == 1 || k == rows)
				{
					printf("*");
				}
				else
				{
					printf(" ");
				}
				k++;
			}
		}
		printf("\n");
		i++;
	}
}

The result of the above c program; is as follows:

Please Enter 8 Star Pattern Rows = 8
Printing 8 Pattern of Stars
 ****** 
*      *
*      *
*      *
*      *
*      *
*      *
 ****** 
*      *
*      *
*      *
*      *
*      *
*      *
 ****** 

More C Programming Tutorials

Leave a Comment