详解JavaScript的while循环的使用
在写一个程序时,可能有一种情况,当你需要一遍又一遍的执行一些操作。在这样的情况下,则需要写循环语句,以减少代码的数量。
JavaScript支持所有必要的循环,以帮助您在所有编程的步骤。
while循环
在JavaScript中最基本的循环是while循环,这将在本教程中学习讨论。
语法
while(expression){
Statement(s)tobeexecutedifexpressionistrue
}
while循环的目的是为了反复执行语句或代码块(只要表达式为true)。一旦表达式为假,则循环将被退出。
例子:
下面的例子说明了一个基本的while循环:
<scripttype="text/javascript">
<!--
varcount=0;
document.write("StartingLoop"+"<br/>");
while(count<10){
document.write("CurrentCount:"+count+"<br/>");
count++;
}
document.write("Loopstopped!");
//-->
</script>
这将产生以下结果:
StartingLoop CurrentCount:0 CurrentCount:1 CurrentCount:2 CurrentCount:3 CurrentCount:4 CurrentCount:5 CurrentCount:6 CurrentCount:7 CurrentCount:8 CurrentCount:9 Loopstopped!
do...while循环:
do...whileloop类似于while循环,不同之处在于条件检查发生在循环的末端。这意味着,在循环将总是至少执行一次,即使条件为假。
语法
do{
Statement(s)tobeexecuted;
}while(expression);
注意在do...while循环的末尾使用分号。
例子:
如在上面的例子中编写一个使用do...while循环程序。
<scripttype="text/javascript">
<!--
varcount=0;
document.write("StartingLoop"+"<br/>");
do{
document.write("CurrentCount:"+count+"<br/>");
count++;
}while(count<0);
document.write("Loopstopped!");
//-->
</script>
这将产生以下结果:
StartingLoop CurrentCount:0 Loopstopped!