3

我想在 python 中打印一个没有逗号的二维列表。

而不是打印

[[0,0,0,0,0,1,1,1,1,1,1],[0,0,0,0,0,0,1,1,1,1,0,0,0,1,1,0,0,1,1,0,1],[1,1,1] ... ]

我要打印

[[0 0 0 0 0 1 1 1 1 1 1 1] [0 0 0 0 0 0 1 1 1 1 0 0 0 1 1 0 0 1 1 0 1] [1 1 1] ... ]

关于我应该如何做的任何见解?

谢谢!

4

7 回答 7

5

简单:用 . 转换为字符串后,只需用空格替换逗号即可repr

def repr_with_spaces(lst):
    return repr(lst).replace(",", " ")

(这适用于整数列表,但不一定适用于其他任何东西。)

于 2012-07-31T18:18:55.710 回答
3

这是一个通用的解决方案。使用指定的分隔符和指定的左右括号字符将序列转换为字符串。

lst = [[0,0,0,0,0,1,1,1,1,1,1],[0,0,0,0,0,0,1,1,1,1,0,0,0,1,1,0,0,1,1,0,1],[1,1,1]]

import sys
if sys.version_info[0] >= 3:
    basestring = str

try:
    from collections.abc import Iterable
except ImportError:
    from collections import Iterable


def str_seq(seq, sep=' ', s_left='[', s_right=']'):
    if isinstance(seq, basestring):
        return seq
    if isinstance(seq, Iterable):
        s = sep.join(str_seq(x, sep, s_left, s_right) for x in seq) 
        return s_left + s + s_right
    else:
        return str(seq)

print(str_seq(lst))

为什么代码有那个isinstance(seq, basestr)检查?原因如下:

如何检查对象是列表还是元组(但不是字符串)?

于 2012-07-31T18:33:35.387 回答
2

一个通用的、安全的和递归的解决方案,如果数据包含逗号则有效:

def my_repr(o):
    if isinstance(o, list):
        return '[' + ' '.join(my_repr(x) for x in o) + ']'
    else:
        return repr(o)

CPython 的实现list_repr使用了这个算法(使用_PyString_Join)。

于 2012-07-31T18:23:25.150 回答
0

str([1,2],[3,4]).replace(","," ")

你想要什么?

于 2012-07-31T18:30:38.543 回答
0

有几种方法:

your_string.replace(',',' ') 

' '.join(your_string.split(','))
于 2012-07-31T18:21:08.627 回答
0

好吧,作为应用于变量“a”中的数组的单线:

print "[" + ' '.join(map(lambda row: "[" + ' '.join(map(str, row)) + "] ", a)) + "]"
于 2012-07-31T18:21:33.450 回答
0

您可以使用str.join()

lists = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]

def format_list(items):
    list_contents = ' '.join(str(it) for it in items) # convert contents to string too
    return '[{}]'.format(list_contents) # wrap in brackets

formatted = format_list(format_list(l) for l in lists)

ideone 示例:http: //ideone.com/g1VdE

于 2012-07-31T18:23:33.027 回答