如何不在for循环的语句末尾打印换行符

时间:2018-09-06 03:57:55

标签: python loops newline

r, c = input().split()
r=int(r)
c=int(c)
list1=[]
v=1
for i in range(r):
    list2=[]
    for j in range(c):
        list2.append(v)
        v=v+1
    list1.append(list2)


for i in range(r):
    for j in range(c):
        print(list1[i][j],end=" ")
    print()        

这是显示实际输出和输出I的图像 正在得到:

3 个答案:

答案 0 :(得分:1)

问题在于,您需要在最外层循环的末尾跳过换行符,并在每行的末尾跳过空格。对于一般的迭代器,这需要一些额外的工作,但是对于您的简单情况,只需检查ij就可以了:

for i in range(r):
    for j in range(c):
        print(list1[i][j], end=" " if j < c - 1 else "")
    if i < r - 1:
        print()

答案 1 :(得分:1)

我遇到了同样的问题,这就是我所做的: >>> help(print)

Help on built-in function print in module builtins:
print(...)

    print(value, ..., sep=' ', end='\n', file=sys.stdout, flush=False)

    Prints the values to a stream, or to sys.stdout by default.
    Optional keyword arguments:
    file:  a file-like object (stream); defaults to the current sys.stdout.
    sep:   string inserted between values, default a space.
    end:   string appended after the last value, default a newline.
    flush: whether to forcibly flush the stream.

我是python的新手,但这是我的代码,用于在print语句的末尾消除新行:

for ch in message:
    print (ord(ch), end=' ')

如果我想在语句的每一行末尾消除“”,因为这是默认值(sep =“”),那么我将使用以下内容:

for ch in message:
        print (ord(ch), ch, sep = '' if ch==message[-1] else ' ', end=' ', )

#请注意,消息是字符串。

答案 2 :(得分:0)

您可以创建子列表,以对需要打印的数据进行分区。 在打印每个零件之前,请测试是否需要为上一行打印'\n'并打印没有'\n'的分区:

r, c = map(int, input().split())

# create the parts that go into each line as sublist inside partitioned
partitioned = [ list(range(i+1,i+c+1)) for i in range(0,r*c,c)]
#                       ^^^^ 1 ^^^^              ^^^^ 2 ^^^^

for i,data in enumerate(partitioned):
    if i>0: # we need to print a newline after what we printed last
        print("")

    print(*data, sep = " ", end = "") # print sublist with spaces between numbers and no \n
  • ^^^^ 1 ^^^^创建每个分区需要打印的所有数字的范围
  • ^^^^ 2 ^^^^创建^^^^ 1 ^^^^中使用的每个“行”的起始编号(减少1,但固定在1的范围内)
  • enumerate(partitioned)返回序列内部的位置以及该位置的数据-您只想在完成第一个输出后打印'\n'

最后一个partitioned-输出for ...之后,将不再输入-因此之后没有\ n。


'6 3'的输出(出于明确原因添加\ n):

1 2 3\n
4 5 6\n
7 8 9\n
10 11 12\n
13 14 15\n
16 17 18

其中partitioned为:

[[1, 2, 3], [4, 5, 6], [7, 8, 9], [10, 11, 12], [13, 14, 15], [16, 17, 18]]