Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Print 2 lists side by side

Tags:

python

I'm trying to output the values of 2 lists side by side using list comprehension. I have an example below that shows what I'm trying to accomplish. Is this possible?

code:

#example lists, the real lists will either have less or more values
a = ['a', 'b', 'c,']
b = ['1', '0', '0']

str = ('``` \n'
       'results: \n\n'
       'options   votes \n'
       #this line is the part I need help with: list comprehension for the 2 lists to output the values as shown below
       '```')

print(str)

#what I want it to look like:
'''
results:

options  votes
a        1
b        0
c        0
''' 
like image 249
qwiqwiqwiqwiqwi Avatar asked Jan 01 '18 23:01

qwiqwiqwiqwiqwi


2 Answers

You can use the zip() function to join lists together.

a = ['a', 'b', 'c']
b = ['1', '0', '0']
res = "\n".join("{} {}".format(x, y) for x, y in zip(a, b))

The zip() function will iterate tuples with the corresponding elements from each of the lists, which you can then format as Michael Butscher suggested in the comments.

Finally, just join() them together with newlines and you have the string you want.

print(res)
a 1
b 0
c 0
like image 190
SCB Avatar answered Oct 14 '22 00:10

SCB


This works:

a = ['a', 'b', 'c']
b = ['1', '0', '0']

print("options  votes")

for i in range(len(a)):
    print(a[i] + '\t ' + b[i])

Outputs:

options  votes
a        1
b        0
c        0
like image 33
Ivan86 Avatar answered Oct 14 '22 00:10

Ivan86