for Loop
C Programming Loops
Loops causes program to execute the certain block of code repeatedly until some conditions are satisfied, i.e.,loops are used in performing repetitive work in programming. Suppose you want to execute some code/s 100 times. You can perform it by writing that code/s only one time and repeat the execution 100 times using loop. There are 3 types of loops in C programming: 1. for loop 2. while loop 3. do...while loop
for Loop Syntax
for(initial expression; test expression; update expression) { code/s to be executed; } How for loop works in C programming? The initial expression is initialized only once at the beginning of the for loop. Then, the test expression is checked by the program. If the test expression is false, for loop is terminated. But, if test expression is true then, the codes are executed and update expression is updated. Again, the test expression is
checked. If it is false, loop is terminated and if it is true, the same process repeats until test expression is false. This flowchart describes the working of for loop in C programming.
for loop example Write a program to find the sum of first n natural numbers where n is entered by user. Note: 1,2,3... are called natural numbers.
#include <stdio.h> void main(){ int n, count, sum=0; printf("Enter the value of n.\n"); scanf("%d",&n); for(count=1;count<=n;++count) //for loop terminates if count>n { sum+=count; } printf("Sum=%d",sum); }
Output Enter the value of n. 19 Sum=190 In this program, the user is asked to enter the value of n. Suppose you entered 19 then, count is inatialized to 1 at first. Then, the test expression in the for loop,i.e., (count<= n) becomes true. So, the code in the body of for loop is executed which makes sum to 1. Then, the expression ++count is executed and again the test expression is checked, which becomes true. Again, the body of for loop is executed which makes sum to 3 and this process
continues. When count is 20, the test condition becomes false and the for loop is terminated. C for Loop Examples
- Program to generate multiplication table
Source Code to Generate Multiplication Table /* C program to find multiplication table up to 10. */ #include <stdio.h> void main() { int n, i; printf("Enter an integer to find multiplication table: "); scanf("%d",&n); for(i=1;i<=10;++i) { printf("%d * %d = %d\n", n, i, n*i); } } Output
Enter an integer to find multiplication table: 9 9 * 1 = 9 9 * 2 = 18 9 * 3 = 27 9 * 4 = 36 9 * 5 = 45 9 * 6 = 54 9 * 7 = 63 9 * 8 = 72 9 * 9 = 81 9 * 10 = 90