Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I print this list vertically?

Let's say I have this list of asterisks, and I say it to print this way:

list = ['* *', '*', '* * *', '* * * * *', '* * * * * *', '* * * *']
for i in list:
    print i

So here, the output is:

* *
*
* * *
* * * * *
* * * * * *
* * * *

But I want the output to be vertical, like this:

* * * * * *
*   * * * *
    * * * *
      * * *
      * * 
        * 

Any tips on doing this? I've tried to conceptualize how to use things like list comprehension or for-loops for this, but haven't got it quite right.

like image 976
UnworthyToast Avatar asked Nov 12 '13 03:11

UnworthyToast


2 Answers

myList = ['* *', '*', '* * *', '* * * * *', '* * * * * *', '* * * *']
import itertools
for i in itertools.izip_longest(*myList, fillvalue=" "):
    if any(j != " " for j in i):
        print " ".join(i)

Output

* * * * * *
*   * * * *
    * * * *
      * * *
      * *  
        *  
like image 126
thefourtheye Avatar answered Sep 24 '22 19:09

thefourtheye


>>> from itertools import izip_longest
>>> list_ = ['a', 'bc', 'def']
>>> for x in izip_longest(*list_, fillvalue=' '):
...   print ' '.join(x)
... 
a b d
  c e
    f
like image 45
wim Avatar answered Sep 22 '22 19:09

wim