In this example, you will learn to print half pyramids, inverted half pyramids, full pyramids, inverted full pyramids.
To understand this example, you should have the knowledge of the following C programming topics:
1.if...else Statement
2.for Loop
3.while and do...while Loop
4.break and continue
Example 1: Half Pyramid of *
Code will look like this,
#include <stdio.h>int main() {
int i, j, rows;
printf("Enter the number of rows: ");
scanf("%d", &rows);
for (i = 1; i <= rows; ++i) {
for (j = 1; j <= i; ++j) {
printf("* ");
}
printf("\n");
}
return 0;
}
Example 2: Inverted half pyramid of *
Code is,
#include <stdio.h>int main() {
int i, j, rows;
printf("Enter the number of rows: ");
scanf("%d", &rows);
for (i = rows; i >= 1; --i) {
for (j = 1; j <= i; ++j) {
printf("* ");
}
printf("\n");
}
return 0;
}
Example 3:Full Pyramid of *

Code is,
#include <stdio.h>int main() {
int i, space, rows, k = 0;
printf("Enter the number of rows: ");
scanf("%d", &rows);
for (i = 1; i <= rows; ++i, k = 0) {
for (space = 1; space <= rows - i; ++space) {
printf(" ");
}
while (k != 2 * i - 1) {
printf("* ");
++k;
}
printf("\n");
}
return 0;
}
Example 5:Inverted full pyramid of *

Code is,
#include <stdio.h>int main() {
int rows, i, j, space;
printf("Enter the number of rows: ");
scanf("%d", &rows);
for (i = rows; i >= 1; --i) {
for (space = 0; space < rows - i; ++space)
printf(" ");
for (j = i; j <= 2 * i - 1; ++j)
printf("* ");
for (j = 0; j < i - 1; ++j)
printf("* ");
printf("\n");
}
return 0;
}