web-dev-qa-db-ja.com

ファイルを辞書に変換する方法は?

2つの列で構成されるファイルがあります。つまり、

1 a 
2 b 
3 c

このファイルを辞書に読み込んで、列1がキー、列2が値、つまり、

d = {1:'a', 2:'b', 3:'c'}

ファイルは小さいため、効率は問題になりません。

80
d = {}
with open("file.txt") as f:
    for line in f:
       (key, val) = line.split()
       d[int(key)] = val
135
Vlad H

これにより、キーは文字列のままになります。

with open('infile.txt') as f:
  d = dict(x.rstrip().split(None, 1) for x in f)

pythonバージョンが2.7+の場合、 dict comprehension のように使用することもできます:

with open('infile.txt') as f:
  {int(k): v for line in f for (k, v) in (line.strip().split(None, 1),)}
7
wim
def get_pair(line):
    key, sep, value = line.strip().partition(" ")
    return int(key), value

with open("file.txt") as fd:    
    d = dict(get_pair(line) for line in fd)
3
tokland

私見ジェネレーターを使用するにはもう少しPythonicです(おそらく2.7+が必要です):

with open('infile.txt') as fd:
    pairs = (line.split(None) for line in fd)
    res   = {int(pair[0]):pair[1] for pair in pairs if len(pair) == 2 and pair[0].isdigit()}

これにより、整数で始まっていない行や、2つのアイテムが含まれていない行も除外されます。

1
Holger Bille

ここに別のオプションがあります...

events = {}
for line in csv.reader(open(os.path.join(path, 'events.txt'), "rb")):
    if line[0][0] == "#":
        continue
    events[line[0]] = line[1] if len(line) == 2 else line[1:]
import re

my_file = open('file.txt','r')
d = {}
for i in my_file:
  g = re.search(r'(\d+)\s+(.*)', i) # glob line containing an int and a string
  d[int(g.group(1))] = g.group(2)
0
VGE

1つのライナーが好きなら、試してみてください:

d=eval('{'+re.sub('\'[\s]*?\'','\':\'',re.sub(r'([^'+input('SEP: ')+',]+)','\''+r'\1'+'\'',open(input('FILE: ')).read().rstrip('\n').replace('\n',',')))+'}')

入力FILE =ファイルへのパス、SEP = Key-Value区切り文字

最もエレガントで効率的な方法ではありませんが、それでもかなり興味深いです:)

0
srami