问题
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.
回答1:
myList = ['* *', '*', '* * *', '* * * * *', '* * * * * *', '* * * *']
import itertools
for i in itertools.izip_longest(*myList, fillvalue=" "):
if any(j != " " for j in i):
print " ".join(i)
Output
* * * * * *
* * * * *
* * * *
* * *
* *
*
回答2:
>>> 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
回答3:
If you don't want to import itertools
, you can do it like this:
ell = ['* *', '*', '* * *', '* * * * *', '* * * * * *', '* * * *']
unpadded_ell = [s.replace(' ', '') for s in ell]
height = len(max(unpadded_ell))
for s in zip(*(s.ljust(height) for s in unpadded_ell)):
print(' '.join(s))
Note a couple of things:
- I have renamed the list to
ell
, sincelist
is a built-in word in python. - This works by expanding the strings so that they all have the same length by padding them with spaces, then converting the list of strings into a list of lists representing a rectangular matrix.
- I have used the trick described in this post to do a matrix transpose, which is what you want to print. It uses zip, which is a builtin function for "combining" iterables like lists.
- I also used a couple of comprehensions to keep things short.
- This works in python 2 and 3. If you want it to look more like python 2, take out the parentheses used for the print function.
回答4:
How about this, for a version that mostly uses basic Python operations:
data = ['* *', '*', '* * *', '* * * * *', '* * * * * *', '* * * *']
max_len = max(len(x) for x in data) # find the longest string
for i in range(0, max_len, 2): # iterate on even numbered indexes (to get the *'s)
for column in data: # iterate over the list of strings
if i < len(column):
print column[i], # the comma means no newline will be printed
else:
print " ", # put spaces in for missing values
print # print a newline at the end of each row
Example output:
* * * * * *
* * * * *
* * * *
* * *
* *
*
回答5:
string[] myList = null;
myList = {'*', '* *', '* * *', '* * * *', '* * * * *', '* * * * * *'};
for(int i=myList.Length-1; i>=0, i--) {
Console.WriteLine(myList[i].ToString());
}
来源:https://stackoverflow.com/questions/19920468/how-do-i-print-this-list-vertically