Print multiple arguments in Python Print multiple arguments in Python python python

Print multiple arguments in Python


There are many ways to do this. To fix your current code using %-formatting, you need to pass in a tuple:

  1. Pass it as a tuple:

    print("Total score for %s is %s" % (name, score))

A tuple with a single element looks like ('this',).

Here are some other common ways of doing it:

  1. Pass it as a dictionary:

    print("Total score for %(n)s is %(s)s" % {'n': name, 's': score})

There's also new-style string formatting, which might be a little easier to read:

  1. Use new-style string formatting:

    print("Total score for {} is {}".format(name, score))
  2. Use new-style string formatting with numbers (useful for reordering or printing the same one multiple times):

    print("Total score for {0} is {1}".format(name, score))
  3. Use new-style string formatting with explicit names:

    print("Total score for {n} is {s}".format(n=name, s=score))
  4. Concatenate strings:

    print("Total score for " + str(name) + " is " + str(score))

The clearest two, in my opinion:

  1. Just pass the values as parameters:

    print("Total score for", name, "is", score)

    If you don't want spaces to be inserted automatically by print in the above example, change the sep parameter:

    print("Total score for ", name, " is ", score, sep='')

    If you're using Python 2, won't be able to use the last two because print isn't a function in Python 2. You can, however, import this behavior from __future__:

    from __future__ import print_function
  2. Use the new f-string formatting in Python 3.6:

    print(f'Total score for {name} is {score}')


There are many ways to print that.

Let's have a look with another example.

a = 10b = 20c = a + b#Normal string concatenationprint("sum of", a , "and" , b , "is" , c) #convert variable into strprint("sum of " + str(a) + " and " + str(b) + " is " + str(c)) # if you want to print in tuple wayprint("Sum of %s and %s is %s: " %(a,b,c))  #New style string formattingprint("sum of {} and {} is {}".format(a,b,c)) #in case you want to use repr()print("sum of " + repr(a) + " and " + repr(b) + " is " + repr(c))EDIT :#New f-string formatting from Python 3.6:print(f'Sum of {a} and {b} is {c}')


Use: .format():

print("Total score for {0} is {1}".format(name, score))

Or:

// Recommended, more readable codeprint("Total score for {n} is {s}".format(n=name, s=score))

Or:

print("Total score for" + name + " is " + score)

Or:

print("Total score for %s is %d" % (name, score))

Or: f-string formatting from Python 3.6:

print(f'Total score for {name} is {score}')

Can use repr and automatically the '' is added:

print("Total score for" + repr(name) + " is " + repr(score))# or for advanced: print(f'Total score for {name!r} is {score!r}')