斐波那契数列C语言‘
时间: 2024-09-27 20:10:06 浏览: 31
斐波那契数列是一个经典的数学序列,每个数字都是前两个数字之和。比如:0、1、1、2、3、5、8、13...。在C语言中,可以使用循环或递归的方式来生成这个数列。下面是一个简单的C语言程序,使用循环来计算并打印前n个斐波那契数:
```c
#include <stdio.h>
void fibonacci(int n) {
int t1 = 0, t2 = 1;
if (n <= 0) {
printf("Invalid input. Fibonacci sequence starts with 0 and 1.\n");
} else if (n == 1) {
printf("%d\n", t1);
} else if (n == 2) {
printf("%d %d\n", t1, t2);
} else {
printf("%d ", t1);
for (int i = 3; i <= n; i++) {
int next = t1 + t2;
printf("%d ", next);
t1 = t2;
t2 = next;
}
}
}
int main() {
int num_terms;
printf("Enter the number of terms to generate in the Fibonacci sequence: ");
scanf("%d", &num_terms);
fibonacci(num_terms);
return 0;
}
```
在这个程序中,用户输入想要生成的斐波那契数列的项数,然后函数`fibonacci()`会按顺序打印出来。
阅读全文