📅  最后修改于: 2020-10-22 01:12:37             🧑  作者: Mango
C支持C中的循环嵌套。循环的嵌套是C中的功能,它允许在另一个循环中循环语句。让我们观察一下C中的嵌套循环的示例。
可以在另一个循环内定义任意数量的循环,即,对于定义任意数量的循环没有限制。嵌套级别可以定义为n次。您可以在另一个循环中定义任何类型的循环。例如,您可以在“ for”循环中定义“ while”循环。
嵌套循环的语法
Outer_loop
{
Inner_loop
{
// inner loop statements.
}
// outer loop statements.
}
Outer_loop和Inner_loop是有效的循环,可以是“ for”循环,“ while”循环或“ do-while”循环。
嵌套循环
嵌套的for循环表示在“ for”循环内定义的任何类型的循环。
for (initialization; condition; update)
{
for(initialization; condition; update)
{
// inner loop statements.
}
// outer loop statements.
}
嵌套的for循环示例
#include
int main()
{
int n;// variable declaration
printf("Enter the value of n :");
// Displaying the n tables.
for(int i=1;i<=n;i++) // outer loop
{
for(int j=1;j<=10;j++) // inner loop
{
printf("%d\t",(i*j)); // printing the value.
}
printf("\n");
}
以上代码说明
输出:
嵌套while循环
嵌套的while循环表示在while循环内定义的任何类型的循环。
while(condition)
{
while(condition)
{
// inner loop statements.
}
// outer loop statements.
}
嵌套while循环的示例
#include
int main()
{
int rows; // variable declaration
int columns; // variable declaration
int k=1; // variable initialization
printf("Enter the number of rows :"); // input the number of rows.
scanf("%d",&rows);
printf("\nEnter the number of columns :"); // input the number of columns.
scanf("%d",&columns);
int a[rows][columns]; //2d array declaration
int i=1;
while(i<=rows) // outer loop
{
int j=1;
while(j<=columns) // inner loop
{
printf("%d\t",k); // printing the value of k.
k++; // increment counter
j++;
}
i++;
printf("\n");
}
}
以上代码的说明。
输出:
嵌套的do..while循环
嵌套的do..while循环意味着在“ do..while”循环内定义的任何类型的循环。
do
{
do
{
// inner loop statements.
}while(condition);
// outer loop statements.
}while(condition);
嵌套的do..while循环示例。
#include
int main()
{
/*printing the pattern
********
********
********
******** */
int i=1;
do // outer loop
{
int j=1;
do // inner loop
{
printf("*");
j++;
}while(j<=8);
printf("\n");
i++;
}while(i<=4);
}
输出:
以上代码的说明。