I have the following list in Python:
JavaScript
x
2
1
list = [[1, (200, 45)], [2, (53, 543)], [3, (5, 5)], [4,(655, 6456464)],[5, (64564, 45)], [6, (6, 5445)], [7, (546, 46)], [8, (64, 645)]
2
I now want to save these into an Excel and then read them in. How can I do this? I have not found such a “simple” import with Google, mostly it is more complex imports of Excel files.
Thanks
Serpiente32
Advertisement
Answer
Here is a sample code:
JavaScript
1
12
12
1
import pandas as pd
2
3
list_ = [[1, (200, 45)], [2, (53, 543)], [3, (5, 5)], [4,(655, 6456464)],[5, (64564, 45)], [6, (6, 5445)], [7, (546, 46)], [8, (64, 645)]]
4
list_ = [[item[0], *item[1]] for item in list_]
5
# The line above just unpacks the tuple and makes every element a list of 3 numbers
6
7
pd.DataFrame(data=list_).to_excel("data.xlsx", index=False) # save in excel
8
# you now have an excel file in same folder with three columns
9
10
data = pd.read_excel("data.xlsx") # read back from excel
11
print(data)
12
Output:
JavaScript
1
10
10
1
0 1 2
2
0 1 200 45
3
1 2 53 543
4
2 3 5 5
5
3 4 655 6456464
6
4 5 64564 45
7
5 6 6 5445
8
6 7 546 46
9
7 8 64 645
10
Note: You should never use reserved keywords like list
as label names. Can cause unexpected issues in your programs.