Python 練習(xí)實(shí)例6

Python 100例 Python 100例

題目:斐波那契數(shù)列。

程序分析:斐波那契數(shù)列(Fibonacci sequence),又稱黃金分割數(shù)列,指的是這樣一個(gè)數(shù)列:0、1、1、2、3、5、8、13、21、34、……。

在數(shù)學(xué)上,費(fèi)波那契數(shù)列是以遞歸的方法來定義:

F0 = 0     (n=0)
F1 = 1    (n=1)
Fn = F[n-1]+ F[n-2](n=>2)

程序源代碼:

方法一

#!/usr/bin/python
# -*- coding: UTF-8 -*-

def fib(n):
	a,b = 1,1
	for i in range(n-1):
		a,b = b,a+b
	return a

# 輸出了第10個(gè)斐波那契數(shù)列
print fib(10)

方法二

#!/usr/bin/python
# -*- coding: UTF-8 -*-

# 使用遞歸
def fib(n):
	if n==1 or n==2:
		return 1
	return fib(n-1)+fib(n-2)

# 輸出了第10個(gè)斐波那契數(shù)列
print fib(10)

以上實(shí)例輸出了第10個(gè)斐波那契數(shù)列,結(jié)果為:

55

方法三

如果你需要輸出指定個(gè)數(shù)的斐波那契數(shù)列,可以使用以下代碼:

#!/usr/bin/python
# -*- coding: UTF-8 -*-

def fib(n):
    if n == 1:
        return [1]
    if n == 2:
        return [1, 1]
    fibs = [1, 1]
    for i in range(2, n):
        fibs.append(fibs[-1] + fibs[-2])
    return fibs

# 輸出前 10 個(gè)斐波那契數(shù)列
print fib(10) 

以上程序運(yùn)行輸出結(jié)果為:

[1, 1, 2, 3, 5, 8, 13, 21, 34, 55]

Python 100例 Python 100例