C# continue語句

2019-10-16 23:17:09

C# 中的continue語句有點類似於break語句。 但不是強制終止,而是繼續強制迴圈的下一次疊代發生,跳過其間的任何程式碼。

對於for迴圈,continue語句將導致迴圈的條件測試和增量部分執行。對於whiledo...while迴圈,continue語句導致程式控制傳遞到條件測試。

語法

C# 中的continue語句的語法如下:

continue;

流程圖

範例

using System;
namespace Loops
{
   class Program
   {
      static void Main(string[] args)
      {
         /* local variable definition */
         int a = 10;

         /* do loop execution */
         do
         {
            if (a == 15)
            {
               /* skip the iteration */
               a = a + 1;
               continue;
            }
            Console.WriteLine("value of a: {0}", a);
            a++;
         } 
         while (a < 20);
         Console.ReadLine();
      }
   }
}

當編譯和執行上述程式碼時,會產生以下結果:

value of a: 10
value of a: 11
value of a: 12
value of a: 13
value of a: 14
value of a: 16
value of a: 17
value of a: 18
value of a: 19