web-dev-qa-db-ja.com

リストの辞書をCSVファイルに書き込む

リストの辞書を.csvファイルに書き込むのに苦労しています。

これは私の辞書がどのように見えるかです:

dict[key1]=[1,2,3]
dict[key2]=[4,5,6]
dict[key3]=[7,8,9]

.csvファイルを次のようにしたい:

key1  key2  key3
1     4     7  
2     5     8
3     6     9

最初に、ヘッダーを記述します。

outputfile = open (file.csv,'wb')
writefile = csv.writer (outputfile)
writefile.writerow(dict.keys())

これまでのところ良好です...しかし、私の問題は、対応する列に1つのリストを割り当てる方法がわからないことです。例えば。:

for i in range(0,len(dict[key1])):
    writefile.writerow([dict[key1][i],dict[key2][i],dict[key3][i])

列をランダムに埋めます。もう1つの問題は、キーを手動で入力する必要があり、4つのキーを持つ別の辞書にそれを使用できないことです。

25
suschi

列の順序を気にしない場合(辞書は順序付けされていないため)、単にZip()を使用できます。

d = {"key1": [1,2,3], "key2": [4,5,6], "key3": [7,8,9]}
with open("test.csv", "wb") as outfile:
   writer = csv.writer(outfile)
   writer.writerow(d.keys())
   writer.writerows(Zip(*d.values()))

結果:

key3    key2    key1
7       4       1
8       5       2
9       6       3

順序を気にする場合は、キーをソートする必要があります。

keys = sorted(d.keys())
with open("test.csv", "wb") as outfile:
   writer = csv.writer(outfile, delimiter = "\t")
   writer.writerow(keys)
   writer.writerows(Zip(*[d[key] for key in keys]))

結果:

key1    key2    key3
1       4       7
2       5       8
3       6       9
29
Tim Pietzcker

これは、キーのリストの長さが異なる場合でも機能します。

    with myFile:  
        writer = csv.DictWriter(myFile, fieldnames=list(clusterWordMap.keys()))   
        writer.writeheader()
        while True:
            data={}
            for key in clusterWordMap:
                try:
                    data[key] = clusterWordMap[key][ind]
                except:
                    pass
            if not data:
                break
            writer.writerow(data)

pandasを使用してcsvに保存することができます

df = pd.DataFrame({key: pd.Series(value) for key, value in dictmap.items()})
df.to_csv(filename, encoding='utf-8', index=False)
2
Kumar Shubham
key_list = my_dict.keys()    
limit = len(my_dict[key_list[0]])    

for index in range(limit):    
  writefile.writerow([my_dict[x][index] for x in key_list])
1
jcfollower

与えられた

dict = {}
dict['key1']=[1,2,3]
dict['key2']=[4,5,6]
dict['key3']=[7,8,9]

次のコード:

COL_WIDTH = 6
FMT = "%%-%ds" % COL_WIDTH

keys = sorted(dict.keys())

with open('out.csv', 'w') as csv:
    # Write keys    
    csv.write(''.join([FMT % k for k in keys]) + '\n')

    # Assume all values of dict are equal
    for i in range(len(dict[keys[0]])):
        csv.write(''.join([FMT % dict[k][i] for k in keys]) + '\n')

次のようなcsvを生成します。

key1  key2  key3
1     4     7
2     5     8
3     6     9
1
jedwards

Csvモジュールなしで独自にロールします。

d = {'key1' : [1,2,3],
     'key2' : [4,5,6],
     'key3' : [7,8,9]}

column_sequence = sorted(d.keys())
width = 6
fmt = '{{:<{}}}'.format(width)
fmt = fmt*len(column_sequence) + '\n'

output_rows = Zip(*[d[key] for key in column_sequence])

with open('out.txt', 'wb') as f:
    f.write(fmt.format(*column_sequence))
    for row in output_rows:
        f.write(fmt.format(*row))
1
wwii

セーブ:

with open(path, 'a') as csv_file:
    writer = csv.writer(csv_file)
    for key, value in dict_.items():
        writer.writerow([key, ','.join(value)])
csv_file.close()        
print ('saving is complete') 

読み返す:

with open(csv_path, 'rb') as csv_file:
    reader = csv.reader(csv_file);
    temp_dict = dict(reader);
mydict={k:v.split(',') for k,v in temp_dict.items()}    
csv_file.close()
return mydict 
0
Alireza