Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to print list elements in one line?

Tags:

python

I need to print the sorted list of integers, but it should be in a line and without the list square brackets and without any '\n' in the end...

import random
n = int(input(""))
l=[]
for i in range(n):
    x = int(input())
    l.append(x)
not_sorted = True
while not_sorted:    
    x = random.randint(0,n-1)
    y = random.randint(0,n-1)
    while x==y:
        y = random.randint(0,n-1)
    if x>y:
        if l[x]<l[y]:
            (l[x],l[y])=(l[y],l[x])
    if x<y:
        if l[x]>l[y]:
            (l[x],l[y])=(l[y],l[x])
    for i in range(0,n-1):
        if l[i]>l[i+1]:
            break
    else:
       not_sorted = False
for i in range(n):
    print(l[i])

output should be like this::: 1 2 3 4 5 and not like this :::: [1,2,3,4,5]

like image 718
Hououin Kyouma Avatar asked Aug 30 '18 12:08

Hououin Kyouma


1 Answers

You can unpack the list to print using * which will automatically split by a space

print(*l)

if you want a comma, use the sep= argument

print(*l, sep=', ')
like image 142
FHTMitchell Avatar answered Oct 11 '22 16:10

FHTMitchell