Python 基础技术要点解析

1. 变量与数据类型

动态类型特性

Python是动态类型语言,变量类型在运行时自动推断:

1
2
3
4
name = "Alice"  # 字符串
age = 25 # 整型
height = 1.75 # 浮点型
is_student = True # 布尔型

类型转换

1
2
3
4
num_str = "123"
num_int = int(num_str) # 字符串转整型
float_num = float("3.14") # 字符串转浮点型
str_num = str(100) # 数字转字符串

2. 列表与元组

列表(可变序列)

1
2
3
4
fruits = ["apple", "banana", "cherry"]
fruits.append("orange") # 添加元素
fruits[1] = "mango" # 修改元素
print(fruits[0:2]) # 切片输出 ['apple', 'mango']

元组(不可变序列)

1
2
3
colors = ("red", "green", "blue")
# colors[0] = "yellow" # 会报错,元组不可修改
coordinates = (12.5, 15.6) # 适用于存储不可变数据

3. 控制结构

条件语句

1
2
3
4
5
6
7
score = 85
if score >= 90:
grade = "A"
elif score >= 80:
grade = "B"
else:
grade = "C"

循环结构

1
2
3
4
5
6
7
8
9
# for循环
for i in range(5): # 0-4
print(i)

# while循环
count = 3
while count > 0:
print(count)
count -= 1

4. 字典与集合

字典(键值对)

1
2
3
4
5
6
7
person = {
"name": "Bob",
"age": 30,
"city": "New York"
}
print(person.get("age", 0)) # 安全获取值
person["email"] = "bob@example.com" # 添加新键值

集合(唯一元素)

1
2
3
unique_numbers = {1, 2, 3, 2, 1}  # 自动去重 → {1,2,3}
vowels = {"a", "e", "i", "o", "u"}
print("a" in vowels) # 成员检测 → True

5. 函数基础

函数定义与参数

1
2
3
4
5
6
def greet(name, times=1):  # 带默认参数
for _ in range(times):
print(f"Hello, {name}!")

greet("Alice") # 使用默认参数
greet("Bob", times=3) # 指定参数

返回值与作用域

1
2
3
4
5
def calculate(x, y):
total = x + y # 局部变量
return total

result = calculate(5, 3) # 获取返回值 → 8

6. 文件操作

基础读写

1
2
3
4
5
6
7
8
# 写入文件
with open("data.txt", "w") as f:
f.write("First line\nSecond line")

# 读取文件
with open("data.txt", "r") as f:
content = f.read() # 读取全部内容
lines = f.readlines() # 按行读取(需重新打开)

7. 异常处理

基本try-except结构

1
2
3
4
5
6
7
8
9
10
try:
num = int(input("输入数字:"))
except ValueError:
print("无效的数字输入!")
except Exception as e:
print(f"未知错误: {e}")
else:
print("输入正确!")
finally:
print("处理完成")

关键要点总结

  1. 动态类型:变量类型自动推断,但需要注意类型转换
  2. 数据结构选择
    • 需要修改时用列表
    • 存储不可变数据用元组
    • 快速查找用字典
    • 去重用集合
  3. 代码结构
    • 使用with语句管理资源
    • 避免过大的try-except块
  4. 函数设计
    • 保持函数单一职责
    • 合理使用默认参数
    • 明确返回值类型