it is actually really difficult to write a suitable title for this question, so please correct if you find something more percise.
My problem is basically, that I have a txt file
with a pattern which i want to sort.
Consider the following string
JavaScript
x
13
13
1
url1
2
cust1
3
number1
4
url2
5
cust2
6
number2
7
url3
8
cust3
9
number3
10
url4
11
cust4
12
number4
13
So all the lines are seperated and the pattern is the same. What i want to do now is to make 3 lists
one for url
one for cust
and the last for number
.
I have basically no idea how to do that as there is no pattern which I could search for with regex
. So my idea was to do something like this:
JavaScript
1
3
1
for i in range(1, 3, len(txt)):
2
l1.append(i)
3
And this i would do for all the 3 lists. Is there some other easier and more advanced solution?
Advertisement
Answer
JavaScript
1
5
1
with open('path/to/input') as infile:
2
lines = (line.strip() for line in infile)
3
4
urls, custs, nums = zip(*zip(lines, lines, lines))
5
Output:
JavaScript
1
9
1
In [241]: urls
2
Out[241]: ('url1', 'url2', 'url3', 'url4')
3
4
In [242]: custs
5
Out[242]: ('cust1', 'cust2', 'cust3', 'cust4')
6
7
In [243]: nums
8
Out[243]: ('number1', 'number2', 'number3', 'number4')
9