我有这样的代码:
score = 100
name = 'Alice'
print('Total score for %s is %s', name, score)
我想打印出Alice的总分是100,但是我得到了%s的总分是%s Alice 100。我怎样才能让所有东西都以正确的顺序和正确的格式打印出来?
请参见:如何在同一行上打印多个内容,一次打印一个?; 我如何把一个变量的值在一个字符串(插值到字符串)?
我有这样的代码:
score = 100
name = 'Alice'
print('Total score for %s is %s', name, score)
我想打印出Alice的总分是100,但是我得到了%s的总分是%s Alice 100。我怎样才能让所有东西都以正确的顺序和正确的格式打印出来?
请参见:如何在同一行上打印多个内容,一次打印一个?; 我如何把一个变量的值在一个字符串(插值到字符串)?
当前回答
print("Total score for %s is %s " % (name, score))
%s可以替换为%d或%f
其他回答
如果分数是一个数字,那么
print("Total score for %s is %d" % (name, score))
如果score是一个字符串,那么
print("Total score for %s is %s" % (name, score))
如果score是一个数字,那么它是%d,如果它是字符串,那么它是%s,如果score是一个浮点数,那么它是%f
有很多种打印方法。
让我们看另一个例子。
a = 10
b = 20
c = a + b
#Normal string concatenation
print("sum of", a , "and" , b , "is" , c)
#convert variable into str
print("sum of " + str(a) + " and " + str(b) + " is " + str(c))
# if you want to print in tuple way
print("Sum of %s and %s is %s: " %(a,b,c))
#New style string formatting
print("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}')
这就是我所做的:
print("Total score for " + name + " is " + score)
记住在for和is后面加空格。
最简单的方法如下
print(f"Total score for {name} is {score}")
只要在前面加个“f”就行了。
在Python 3.6中,f-string更加简洁。
在早期版本中:
print("Total score for %s is %s. " % (name, score))
在Python 3.6中:
print(f'Total score for {name} is {score}.')
会做的事情。
它更加高效和优雅。