web-dev-qa-db-ja.com

「for」ループの結果を単一の変数に保存するにはどうすればよいですか?

私はforループを持っています:

for x in range(1,13):
   print ("This was the average temperature in month number " + str(x) + " in Boston, 2014: ", Boston_monthly_temp(x))

これにより、2014年のボストンの月間平均気温が次のように出力されます。

This was the average temperature in month number 1 in Boston, 2014:  26.787096774193547

月数12(12月)まで:

This was the average temperature in month number 12 in Boston, 2014:  38.42580645161291.

全体として、このforループは12行を生成します。

ただし、この "for"ループの結果を(output_number_one)のように単一の変数に格納する方法がわかりません。

結果を単一の変数に保存しようとしているので、変数(とその内容)を、次のようなピクルファイルにダンプ/書き込みできます。

output.pkl
6
Python noob

これを試して

result = []
for x in range(1,13):
    result.append((x, Boston_monthly_temp(x)))

結果にはxavgが含まれます

for x, avg in result:
    print ("This was the average temperature in month number " + str(x) + " in Boston, 2014: ", avg)

sample.pklに保存できます

import pickle
pickle.dump(result, open("sample.pkl","w"))

次に確認する

res = pickle.load(open('sample.pkl'))
>>>for i in res:
       print i
This was the average temperature ...
This was the average temperatu ...
.....
6
itzMEonTV

結果をディクショナリに保存し、それを漬けて保存するだけです。

import pickle

d = {}
for x in range(1,13):
   d[x] = Boston_monthly_temp(x)
res = pickle.dumps(d)
# write res to a file
4
Saksham Varma