欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

Python:输入与输出

程序员文章站 2022-04-11 13:18:36
...

Python:输入与输出

1. 输入

1.1 基本使用方法

函数input() 让程序暂停运行,等待用户输入一些文本。获取用户输入后,Python将其存储在一个变量中,以方便使用。

message = input("Tell me something, and I will repeat it back to you: ") 
print(message)

函数input() 接受一个参数:即要向用户显示的提示或说明,让用户知道该如何做。在这个示例中,Python运行第1行 代码 时,用户将看到提示Tell me something, and I will repeat it back to you: 。程序等待用户输入,并在用户按回车键后继续运行。输入存储在变量message 中,接下来的print(message) 将输入呈现给用户。

1.2 使用int()

使用函数input() 时,Python将用户输入解读为字符串。

>>> age = input("How old are you? ") 
How old are you? 21 
>>> age 
'21'

用户输入的是数字21,但我们请求Python提供变量age 的值时,它返回的是’21’ 。用户输入的数值的字符串表示。我们怎么知道Python将输入解读成了字符串呢?因为这个数字用引号括起了。如果我们只想打印输入,这一点问题都没有;但如果你试图将输入作为数字使用,就会引发错误:

>>> age = input("How old are you? ") 
How old are you? 21 
>>> age >= 18 
Traceback (most recent call last): 
    File "<stdin>", line 1, in <module> 
TypeError: unorderable types: str() >= int()

为解决这个问题,可使用函数int() ,它让Python将输入视为数值。函数int() 将数字的字符串表示转换为数值表示,如下所示:

>>> age = input("How old are you? ")
How old are you? 21 
>>> age = int(age) 
>>> age >= 18
True

2. 输出

2.1 输出方式一

输出方式一:使用“+”拼接输出

name = "张三"
age = 18
money = 9987.9
# 使用"+"拼接的方式,只能拼接同一类型的数据
# 若想要拼接不同类型,只能使用类型的转换,如:str()
print(name + "今年" + str(age) + "岁" + ",工资为" + str(money)

2.2 输出方式二

输出方式二:使用占位符%

name = "张三"
age = 18
money = 9987.9
# 使用占位符"%"的方式,直接将数据转换为制定类型%s,%d,%f
print("%s今年%s岁,工资为%s" % (name,age,money))

2.3 输出方式三

输出方式三:使用格式化format

name = "张三"
age = 18
money = 9987.9
# 使用方法format(),填入{}中的数据
message = '{}今年{}岁,工资为{}'.format(name,age,money)
print(message)