编写一个java程序,要求用到以下形式的循环语句至少2种: for循环语句、while循环语句、do-while循环语句。并且至少在某个循环中运用上break和continue语句。
时间: 2024-09-29 08:02:34 浏览: 42
编写一个Java程序,我们可以创建一个简单的计数游戏,结合了for、while和do-while循环以及break和continue语句:
```java
public class LoopPractice {
public static void main(String[] args) {
int number = 1;
// For循环
for (int i = 0; i < 5; i++) {
System.out.println("For loop iteration: " + i);
// 如果达到目标值,用break跳出循环
if (i == 3) {
break;
}
}
System.out.println("\n--- --- ---");
// While循环
int counter = 0;
while (counter < 10) {
System.out.println("While loop iteration: " + counter);
counter++;
// 如果遇到偶数,用continue跳过本次迭代
if (counter % 2 == 0) {
continue;
}
}
// Do-while循环保证先执行一次
int doWhileCounter = 1;
do {
System.out.println("Do-while loop iteration: " + doWhileCounter);
doWhileCounter++;
} while (doWhileCounter <= 3);
}
}
```
在这个程序中,我们首先使用for循环打印前5次迭代,当计数器等于3时,通过break语句结束循环。接着用while循环打印数字直到10,遇到偶数则用continue跳过。最后,do-while循环会先执行一次,然后持续打印直到计数器超过3。
阅读全文