while loop
From cppreference.com
                    
                                        
                    
                    
                                                            
                    Executes a loop.
Used where code needs to be executed several times while some condition is present.
| Contents | 
[edit] Syntax
| while (cond_expression)loop_statement | |||||||||
[edit] Explanation
cond_expression shall be an expression, whose result is convertible to bool. It is evaluated before each execution of loop_statement, which is only executed if the cond_expression evaluates to true.
If the execution of the loop needs to be terminated at some point, break statement can be used as terminating statement.
If the execution of the loop needs to be continued at the end of the loop body, continue statement can be used as shortcut.
[edit] Keywords
[edit] Example
Run this code
#include <stdio.h> #include <stdlib.h> #define SIZE 8 int main(void) { unsigned i = 0, array [SIZE]; while (i < SIZE) { array [i] = rand() % 2; ++i; } printf("Array filled!\n"); i = 0; while (i < SIZE) { printf("%d ", array[i]); ++i; } printf("\n"); return EXIT_SUCCESS; }
Output:
Array filled! 1 0 1 1 1 1 0 0


