循环的中断——
Break、continue、return
例1:通过下例比较Break、continue、return(和函数搭配起来用)三者的区别:
- <span style="font-size:16px;">namespace 循环的中断
- {
- class Program
- {
- static void Main(string[] args)
- {
- int i = 0;
- while (i<12)
- {
- Console.WriteLine("i={0}",i);
- i++;
- if (i == 10)
- {
- //break; //终止while循环,继续while后面的代码
- //continue;//终止while本次循环,继续while后面的代码
- return; //终止当前执行的函数,后续的所有代码都不会被执行
- }
- Console.WriteLine("自增以后的i={0}",i);
- }
- Console.WriteLine("before ReadKey");
- Console.ReadKey();
- }
- }
- }
- </span>
从例1的执行结果可以总结:
break——终止while循环,继续while后面的代码
continue——终止while本次循环,继续while后面的代码
return——终止当前执行的函数,后续的所有代码都不会被执行
例2:用while continue 实现计算1到100之间的除了能被7整除之外所有整数的和。
代码如下:
- <span style="font-size:16px;">namespace 循环的中断
- {
- class Program
- {
- static void Main(string[] args)
- {
- //用while continue实现计算1到100之间的除了能被7整除之外所有整数的和
- int sum = 0;
- int i = 1;
- while (i <= 100)
- {
- if (i % 7 == 0) //数如果被7整除的余数为0,则说明能被整除。
- {
- i++; //不要丢!i不会自己自增!最常见的错误!
- continue;
- }
- sum = sum + i;
- i++;
- }
- Console.WriteLine("{0}", sum);
- Console.ReadKey();
- }
- }
- }</span>
例3:用while break 实现要求用户输入用户名和密码,只要不是admin、888888就一直提示要求重新输入。
- <span style="font-size:16px;">namespace 循环的中断
- {
- class Program
- {
- static void Main(string[] args)
- {
- //用while break实现要求用户输入用户名和密码,只要不是admin、888888就一直提示要求重新输入。
- while (true)
- {
- Console.WriteLine("请输入用户名");
- string userName = Console.ReadLine();
- Console.WriteLine("请输入密码");
- string passWord = Console.ReadLine();
- if (userName == "admin" && passWord == "888888")
- {
- Console.WriteLine("登录成功!");
- break;
- }
- }
- Console.ReadKey();
- }
- }
- }</span>