for循环语句
作用:满足循环条件,执行循环语句
语法:for(起始表达式;条件表达式;末尾循环体){循环语句}
#include<iostream>
using namespace std;
int main() {
//从数字0打印到9
for (int i = 0; i < 10;i++) {
cout << i << endl;
}
system("pause");
return 0;
}
for循环语句练习
题目:从1开始数到数字100,如果数字个位含有7,或者数字十位有7,或者该数字是7的倍数,我们打印敲桌子,其余数字直接打印输出
#include<iostream>
using namespace std;
int main() {
//从1开始数到数字100,如果数字个位含有7,或者数字十位有7,或者该数字是7的倍数,我们打印敲桌子,其余数字直接打印输出
for (int num = 1; num <= 100 ; num++) {
if (num % 7 == 0 || num%10 == 7 || num/10 == 7) {
cout << "敲桌子" << endl;
}
else {
cout << num << endl;
}
}
system("pause");
return 0;
}
嵌套循环
作用:在循环体中再嵌套一层循环,解决一些实际问题
#include<iostream>
using namespace std;
int main() {
//打印一个10*10的*图
for (int a = 0; a < 10;a++) {
for (int i = 0; i < 10; i++) {
cout << "* " ;
}
cout << endl;
}
//外层执行一次,内层执行一周
system("pause");
return 0;
}
嵌套循环练习
题目:利用嵌套循环,实现九九乘法表
#include<iostream>
using namespace std;
int main() {
//利用嵌套循环,实现九九乘法表
for (int i = 1; i <= 9; i++) {
for (int j = 1; j <= i; j++) {
cout << j << "*" << i << "=" << j * i<<" ";
}
cout << endl;
}
system("pause");
return 0;
}
标签:10,数字,int,namespace,C++,嵌套循环,循环,main,结构
From: https://blog.csdn.net/qq1742358848/article/details/137012035