Reputation: 5
I have two files, 1 contains a two column array of numbers
File 1:
1 3
2 3
2 1
34 2
...
File 2:
1 CA1
2 CB1
3 CC1
34 DD1
...
Therefore I would like my output file to look like this
CA1 CC1
CB1 CC1
CC1 CA1
DD1 CB1
Upvotes: 0
Views: 32
Reputation: 641
# Here is another approach
name = dict()
with open('file2', 'r') as f:
lines = f.readlines()
for line in lines:
col = line.split()
name[col[0]] = col[1]
with open('file1', 'r') as f:
lines = f.readlines()
for line in lines:
col = line.split()
print('{} {}'.format(name[col[0]], name[col[1]]))
Upvotes: 1
Reputation: 22302
>>> with open('file2') as f:
... values = [i.strip() for i in f if i.strip() != '']
>>> d = dict([i.split() for i in values])
>>> with open('file1') as f:
... keys = [i.strip() for i in f if i.strip() != '']
>>> with open('file3', 'w') as f:
... for i, j in [i.split() for i in keys]:
... f.write(d[i]+' '+d[j]+'\n')
And check the file3
.
Upvotes: 0