Python 入门到实践 用户输入

# python 入门到实践 第七章 用户输入

*7.1 函数input()的工作原理*

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

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

print(message)

* input()接受一个参数:即要向用户显示的提示或说明,让用户知道该怎么做。

*7.1.1编写清晰的程序*

* 使用input() 准确指出你希望用户提供什么样的信息。

1. name = input(“Please enter your name: “)

2. print(“Hello, “ + name + “!”)

* 通过在提示末尾包含一个空格,可将提示与用户输入分开,让用户清楚知道其输入始于何处。

* 多行字符串的方式

1. prompt = “If you tell us who you are, we can personalize the messages you see.”

2. prompt += “\nWhat is your first name?”

1. name = input(prompt)

2. print(“\nHello, “ + name + “!”)

先将消息前半部分存储到变量prompt里,再用运算符 += 再在prompt的字符串末尾附加一个字符串。

*7.1.2使用int()来获取数值输入*

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

1. age = input(“How old are you? “)

2. How old are you? 21

3. age

4. ‘21’

* 如果试图将输入作为数字使用,就会引发错误:

1. age = input(“How old are you? “)

2. How old are you? 21

3. age >= 18

4. Error

* 无法将字符串和整数做比较,为了解决这个问题,可以用函数int(),它让python将输入视为数值。

1. age = input(“How old are you? “)

2. How old are you? 21

3. age = int(age)

4. age >= 18

5. True

*7.1.3求模运算符*

* 求模运算符(%),将两个数相除并返回余数,不会指出一个数是另一个数的多少倍,而只指出余数是多少

1. 4 % 3

2. 1

3. 5 % 3

4. 2

5. 6 % 3

6. 0

7. 7 % 3

8. 1

*7.1.4 在python 2.7中获取输入*

* 使用函数raw_input()来提示用户输入,也将输入视为字串符。

* 2.7也有函数input(),但它将用户输入解读为python代码,并尝试运行它们。

你可能感兴趣的:(Python 入门到实践 用户输入)