C Programs for Fibonacci Series
Here's the C Program to print the complete Fibonacci series of n number (n = number entered by the user at runtime).
Also, in a different example, you can generate Fibonacci series up to a certain number, like 100 or 50 whatever you want.
In Fibonacci series, the next number is the sum of previous two numbers,
For Example : 0, 1 , 1, 2, 3, 5, 8, 13, 21 and so on..
C Programs for Fibonacci Series
1. Fibonacci Series Using For Loop
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdio.h> | |
void main() | |
{ | |
int i, n, n1 = 0, n2 = 1, nextTerm; | |
printf("Enter the number of terms: "); | |
scanf("%d", &n); | |
printf("Fibonacci Series: "); | |
for (i = 1; i <= n; ++i) | |
{ | |
printf("%d, ", n1); | |
nextTerm = n1 + n2; | |
n1 = n2; | |
n2 = nextTerm; | |
} | |
} |
2. Fibonacci Series Using While Loop
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <stdio.h> | |
void main() | |
{ | |
int n1 = 0, n2 = 1, nextTerm = 0, n; | |
printf("Enter a positive number: "); | |
scanf("%d", &n); | |
// displays the first two terms which is always 0 and 1 | |
printf("Fibonacci Series: %d, %d, ", n1, n2); | |
nextTerm = n1 + n2; | |
while(nextTerm <= n) | |
{ | |
printf("%d, ",nextTerm); | |
n1 = n2; | |
n2 = nextTerm; | |
nextTerm = n1 + n2; | |
} | |
} |
Comments
Post a Comment