while(condition){
//logic
}
このうち、ループ本体は単一のステートメント、または複数のステートメントで構成されるコード ブロックであり、式が true の場合、ループは実行を継続します。
while ループは、後で紹介する do whileループと比較して、一度実行されないという特徴があります。式の判定結果が false の場合、直接ループを抜けてループ後のコードを実行するためです。
[例] while ループを使用して 0 ~ 9 の数値を出力します。
using System;
namespace it-kiso.com
{
class Demo
{
static void Main(string[] args){
int i = 1;
while(i <= 9){
Console.Write("{0} ", i);
i++;
}
Console.ReadLine();
}
}
}
操作の結果は次のようになります。
1 2 3 4 5 6 7 8 9
for ループと同様に、while ループも入れ子にすることができます。99 の九九の出力を例にして、while ループの使用方法を見てみましょう。
using System;
namespace it-kiso.com
{
class Demo
{
static void Main(string[] args){
int i = 1;
while(i <= 9){
int j = 1;
while(j <= i){
Console.Write("{0} x {1} = {2} ", j, i, i*j);
j++;
}
i++;
Console.WriteLine();
}
Console.ReadLine();
}
}
}
操作の結果は次のようになります。
1 x 1 = 1
1 x 2 = 2 2 x 2 = 4
1 x 3 = 3 2 x 3 = 6 3 x 3 = 9
1 x 4 = 4 2 x 4 = 8 3 x 4 = 12 4 x 4 = 16
1 x 5 = 5 2 x 5 = 10 3 x 5 = 15 4 x 5 = 20 5 x 5 = 25
1 x 6 = 6 2 x 6 = 12 3 x 6 = 18 4 x 6 = 24 5 x 6 = 30 6 x 6 = 36
1 x 7 = 7 2 x 7 = 14 3 x 7 = 21 4 x 7 = 28 5 x 7 = 35 6 x 7 = 42 7 x 7 = 49
1 x 8 = 8 2 x 8 = 16 3 x 8 = 24 4 x 8 = 32 5 x 8 = 40 6 x 8 = 48 7 x 8 = 56 8 x 8 = 64
1 x 9 = 9 2 x 9 = 18 3 x 9 = 27 4 x 9 = 36 5 x 9 = 45 6 x 9 = 54 7 x 9 = 63 8 x 9 = 72 9 x 9 = 81