2022-07-20 Python学习笔记8

一、总体计划

开始时间:2022-07-13

计划完成时间:2022-08-12

计划每日完成量:15页/天,或0.7章/天

二、今日(2022-07-20)学习进度:

今日已学习24页,完成1章,日任务达标。

总体进度137页/460页,8章/20章。

三、学习笔记:

1、函数input() 的工作原理的工作原理,函数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) 将输入呈现给用户:

Tell me something, and I will repeat it back to you: Hello everyone!
Hello everyone!

2、使用int() 来获取数值输入,使用函数input() 时,Python将用户输入解读为字符串,可使用函数int() ,它让Python将输入视为数值。函数int() 将数字的字符串表示转换为数值表示。

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

3、求模运算符,处理数值信息时,求模运算符求模运算符 (%)是一个很有用的工具,它将两个数相除并返回余数。

>>> 4 % 3
1
>>> 5 % 3
2
>>> 6 % 3
0
>>> 7 % 3
1

4、判断一个数是奇数还是偶数,偶数都能被2整除,因此对一个数(number )和2执行求模运算的结果为零,即number % 2 == 0 ,那么这个数就是偶数;否则就是奇数。

number = input("Enter a number, and I'll tell you if it's even or odd: ")
number = int(number)
if number % 2 == 0:    
    print("/nThe number " + str(number) + " is even.")
else:    
    print("/nThe number " + str(number) + " is odd.")

输出结果:
Enter a number, and I'll tell you if it's even or odd: 42
The number 42 is even.

5、while 循环,for 循环用于针对集合中的每个元素都一个代码块,而while 循环不断地运行,直到指定的条件不满足为止。


current_number = 1
while current_number <= 5:    
    print(current_number)    
    current_number += 1

输出结果:
1
2
3
4
5

6、让用户选择何时退出,可使用while 循环让程序在用户愿意时不断地运行,如下面的程序parrot.py所示。我们在其中定义了一个退出值,只要用户输入的不是这个值,程序就接着运行。

prompt = "/nTell me something, and I will repeat it back to you:"
prompt += "/nEnter 'quit' to end the program. "
message = ""
while message != 'quit':      
    message = input(prompt)
    print(message)

输出结果:
Tell me something, and I will repeat it back to you:
Enter 'quit' to end the program. Hello everyone!
Hello everyone!

Tell me something, and I will repeat it back to you:
Enter 'quit' to end the program. Hello again.
Hello again.

Tell me something, and I will repeat it back to you:
Enter 'quit' to end the program. quit
quit

7、 使用标志,在要求很多条件都满足才继续运行的程序中,可定义一个变量,用于判断整个程序是否处于活动状态。这个变量被称为标志标志 ,充当了程序的交通信号灯。你可让程序在标志为True 时继续运行,并在任何事件导致标志的值为False 时让程序停止运行。这样,在while 语句中就只需检查一个条件——标志的当前值是否为True ,并将所有测试(是否发生了应将标志设置为False 的事件)都放在其他地方,从而让程序变得更为整洁。

 prompt = "/nTell me something, and I will repeat it back to you:"  
prompt += "/nEnter 'quit' to end the program. "
active = True
while active:      
    message = input(prompt)
    if message == 'quit':          
        active = False
    else:
        print(message)

输出结果:

版权声明:
作者:zhangchen
链接:https://www.techfm.club/p/48303.html
来源:TechFM
文章版权归作者所有,未经允许请勿转载。

THE END
分享
二维码
< <上一篇
下一篇>>