我有按字母顺序排列的项目列表:
mylist = [a,b,c,d,e,f,g,h,i,j]
我可以在html表格中输出列表,如下所示:
| a , b , c , d |
| e , f , g , h |
| i , j , , |
垂直创建表格的算法是什么:
| a , d , g , j |
| b , e , h , |
| c , f , i , |
我正在使用python,但你的答案可以是任何语言,甚至是伪代码。
答案 0 :(得分:9)
>>> l = [1,2,3,4,5,6,7,8,9,10]
>>> [l[i::3] for i in xrange(3)]
[[1, 4, 7, 10], [2, 5, 8], [3, 6, 9]]
将3
替换为您想要的行数:
>>> [l[i::5] for i in xrange(5)]
[[1, 6], [2, 7], [3, 8], [4, 9], [5, 10]]
答案 1 :(得分:1)
import itertools
def grouper(n, iterable, fillvalue=None):
# Source: http://docs.python.org/library/itertools.html#recipes
"grouper(3, 'ABCDEFG', 'x') --> ABC DEF Gxx"
return itertools.izip_longest(*[iter(iterable)]*n,fillvalue=fillvalue)
def format_table(L):
result=[]
for row in L:
result.append('| '+', '.join(row)+' |')
return '\n'.join(result)
L = ['a','b','c','d','e','f','g','h','i','j']
L_in_rows=list(grouper(3,L,fillvalue=' '))
L_in_columns=zip(*L_in_rows)
print(format_table(L_in_columns))
# | a, d, g, j |
# | b, e, h, |
# | c, f, i, |
答案 2 :(得分:0)
这是一个有效的粗略解决方案(打印从0到N-1的数字):
import math
NROWS = 3
N = 22
for nr in xrange(NROWS):
for nc in xrange(int(math.ceil(1.0 * N/NROWS))):
num = nc * NROWS + nr
if num < N:
print num,
print ''
这只是打印号码,例如NROWS = 3
和N = 22
:
0 3 6 9 12 15 18 21
1 4 7 10 13 16 19
2 5 8 11 14 17 20
您可以轻松地调整它以打印您想要的任何内容并添加所需的格式。
答案 3 :(得分:0)
int array_size = 26;
int col_size = 4;
for (int i = 0; i <= array_size/col_size; ++i) {
for (int j = i; j < array_size; j += col_size-1) {
print (a[j]);
}
print("\n");
}
答案 4 :(得分:0)
我就是这样做的。给出l
(整数,在示例中)的列表。
见下面的代码:
import math
l = [0,1,2,3,4,5,6,7,8,9]
num_cols=4
num_rows=int(math.ceil(1.0*len(l)/num_cols))
for r in range(num_rows):
for c in range(num_cols):
i = num_rows*c + r
if i<len(l):
print '%3d ' % l[i],
else:
print ' - ', # no value
print # linebreak
最佳,
菲利普
答案 5 :(得分:0)
>>> import numpy as np
>>> L=['a','b','c','d','e','f','g','h','i','j']
>>> width=4
>>> height = (len(L)-1)/width+1
>>> L=L+[' ']*(width*height-len(L)) #Pad to be even multiple of width
>>> A = np.array([L])
>>> A.shape=(width,height)
>>> A.transpose()
array([['a', 'd', 'g', 'j'],
['b', 'e', 'h', ' '],
['c', 'f', 'i', ' ']],
dtype='|S1')