Is it possible to read csv files in columns instead of rows in python?
e.g. if i have a csv file like this:
a b c 1 0 1 1 4 1
How would one get a list of [a,1,1],[b,0,4],[c,1,1] or something of the sorts?
Is it possible to read csv files in columns instead of rows in python?
e.g. if i have a csv file like this:
a b c 1 0 1 1 4 1
How would one get a list of [a,1,1],[b,0,4],[c,1,1] or something of the sorts?
You are looking for transpose functionality. To solve your problem,
[(a,b,c),(1,0,1),(1,4,1)..]Post transpose , your data will look like [(a,1,1),(b,0,4)..]
You can use something like this:
# Open file and read lines
input_file = open('filename.csv')
lines = input_file.readlines()
# Create list with n sublists (n - number of columns)
l = [[] for _ in lines[0].split('\t')]
# Fill in sublists
for line in lines:
for i, column in enumerate(line.split('\t')):
l[i].append(column)