while Statement
In programming, a loop is a part of a program that can
be executed two or more times in succession. 
The while statement is the simplest looping statement in
awk.  It repeatedly executes a statement as long as a condition is
true.  For example:
     while (condition)
       body
   body is a statement called the body of the loop,
and condition is an expression that controls how long the loop
keeps running. 
The first thing the while statement does is test the condition. 
If the condition is true, it executes the statement body. 
After body has been executed,
condition is tested again, and if it is still true, body is
executed again.  This process repeats until the condition is no longer
true.  If the condition is initially false, the body of the loop is
never executed and awk continues with the statement following
the loop. 
This example prints the first three fields of each record, one per line:
     awk '{ i = 1
            while (i <= 3) {
                print $i
                i++
            }
     }' inventory-shipped
   The body of this loop is a compound statement enclosed in braces,
containing two statements. 
The loop works in the following manner: first, the value of i is set to one. 
Then, the while statement tests whether i is less than or equal to
three.  This is true when i equals one, so the i-th
field is printed.  Then the `i++' increments the value of i
and the loop repeats.  The loop terminates when i reaches four.
   
A newline is not required between the condition and the body; however using one makes the program clearer unless the body is a compound statement or else is very simple. The newline after the open-brace that begins the compound statement is not required either, but the program is harder to read without it.