次のコードを使用して、Project Euler#14を解決しました。
import time
start_time = time.time()
def collatz_problem(n):
count = 0
while n!=1:
if n%2==0:
n = n/2
count = count+1
elif n%2!=0:
n = 3*n+1
count = count +1
return count+1
def longest_chain():
max_len,num = 1,1
for i in xrange(13,1000000):
chain_length = collatz_problem(i)
if chain_length > max_len:
max_len = chain_length
num = i
return num
print longest_chain()
print time.time() - start_time, "seconds"
上記のソリューション~35 seconds
を実行するのに時間がかかりました。今、私はここから別の解決策を試しました。
解決:
import time
start_time = time.time()
cache = { 1: 1 }
def chain(cache, n):
if not cache.get(n,0):
if n % 2: cache[n] = 1 + chain(cache, 3*n + 1)
else: cache[n] = 1 + chain(cache, n/2)
return cache[n]
m,n = 0,0
for i in xrange(1, 1000000):
c = chain(cache, i)
if c > m: m,n = c,i
print n
print time.time() - start_time, "seconds"
さて、この解決策はたったの~3.5 seconds
です。
最初の質問:
さて、私はPythonの初心者なので、これら2つのアプローチに大きな違いがある理由と、コードを変更してより効率的にする方法がわかりません。
2番目の質問:
プロジェクトオイラーの質問を解決する際に留意すべき時間的制約があり、私のコードは本当に非効率的です。