Python 是目前最流行的编程语言之一,尤其是随着人工智能技术的兴起。 python 是一种多用途编程语言,用于开发 Web 应用程序、后端服务、数据科学和机器学习等许多东西。
设置
这些是使用 python 编码的准备工作:
- 下载python然后安装。
- 您可以使用任何文本编辑器来编写 python 代码(例如 visual studio code)或专用 ide(例如 PyCharm)。
编写第一个代码
创建一个扩展名为 .py 的新文件,名为 main.py。然后编写这段代码。
运行此命令来执行python代码。
这是输出。
基于上面的代码,print()函数显示hello world!文字.
变量是存储整数、浮点数和字符串(一堆字母数字字符)等值的地方。这是 python 中变量使用的示例。
1
2
3
|
number = 42
username = "john doe"
price = 2.95
|
要显示变量的值,请使用 print() 函数。
1
2
3
4
5
6
7
8
9
|
number = 42
username = "john doe"
price = 2.95
# display a value from variable
print ( "this is a number" , number)
print ( "price: " , price)
# using fORMatting
print (f "hello, my username is {username}" )
|
这是输出。
1
2
3
|
this is a number 42
price: 2.95
hello, my username is john doe
|
这是python中常用数据类型的列表。
数据类型 |
价值 |
整数 |
非十进制数 |
漂浮 |
十进制数 |
字符串 |
字母数字字符 |
布尔值 |
是真是假 |
操作员
python中有很多基本的算术运算符。这些运算符可用于执行整数和浮点等数字数据类型的计算。
立即学习“Python免费学习笔记(深入)”;
操作员 |
描述 |
+ |
添加操作 |
– |
减法运算 |
* |
乘法运算 |
/ |
除法运算 |
// |
楼层划分操作 |
% |
取模运算(除法运算得到余数) |
** |
执行数字的幂运算 |
这是 python 中运算符使用的示例。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
first = 4
second = 2
addition = first + second
subtraction = first - second
multIPlication = first * second
division = first / second
mod = first % second
square_of_first = first ** 2
print (f '{first} + {second} = {addition}' )
print (f '{first} - {second} = {subtraction}' )
print (f '{first} * {second} = {multiplication}' )
print (f '{first} / {second} = {division}' )
print (f '{first} % {second} = {mod}' )
print (f '{first} ** {2} = {square_of_first}' )
|
输出
1
2
3
4
5
6
|
4 + 2 = 6
4 - 2 = 2
4 * 2 = 8
4 / 2 = 2.0
4 % 2 = 0
4 ** 2 = 16
|
// 运算符执行除法,然后返回除法结果的下限。
添加用户输入
input() 函数读取用户的输入。此函数对于在 python 中创建交互式程序非常有用。默认情况下,input() 返回 string 数据类型。
这是使用 input() 函数的基本示例。
1
2
3
4
5
6
7
8
|
# get username from input
username = input( "enter username: " )
# get age from input
# the int() function converts string into integer data type
age = int(input( "enter age: " ))
print (f "username: {username}" )
print (f "age: {age}" )
|
输出
示例 1 – 矩形面积计算
让我们用python 创建一个矩形面积计算程序。该程序允许用户输入矩形的长度和宽度。然后,程序计算矩形的面积,然后将其显示给用户。
1
2
3
4
5
6
7
8
9
10
11
|
# get length from user input
length = int(input( "enter length: " ))
# get width from user input
width = int(input( "enter width: " ))
# calculate the area of rectangle
area = length * width
# display the result
print (f "area of rectangle: {area}" )
|
输出
示例 2 – 获取折扣价
让我们创建一个程序来计算应用折扣后商品的价格。该程序允许用户输入实际价格和折扣。然后,程序返回折扣价。
1
2
3
4
5
6
7
8
9
10
11
12
|
# get price from user input
price = int(input( "enter price: " ))
# get discount from user input
discount = int(input( "enter discount: " ))
# calculate the discounted price
discounted_price = price - (price * (discount / 100))
# display the result
print (f "original price: {price}" )
print (f "discounted price: {discounted_price}" )
|
输出
来源