Python-Cheatsheet
Python Quick Tutorial
The Zen of Python
Explicit is better than implicit.
Simple is better than complex.
Complex is better than complicated.
Flat is better than nested.
Sparse is better than dense.
Readability counts.
Special cases aren't special enough to break the rules.
Although practicality beats purity.
Errors should never pass silently.
Unless explicitly silenced.
In the face of ambiguity, refuse the temptation to guess.
There should be one-- and preferably only one --obvious way to do it.
Although that way may not be obvious at first unless you're Dutch.
Now is better than never.
Although never is often better than right now.
If the implementation is hard to explain, it's a bad idea.
If the implementation is easy to explain, it may be a good idea.
Namespaces are one honking great idea -- let's do more of those!
这是Python快速教程系列的第一篇,内容覆盖:Python中的各种数据类型/循环/函数/面向对象编程等基础的语法知识。
Table of Contents
- Data Types
- String
- Basic Data Structures
- List
- Tuple
- Dictionaries
- Loops
- Functions
- OOP
Data Types
在 Python 中,数据类型可以分为 可变数据类型(Mutable Data Types)和 不可变数据类型(Immutable Data Types)。它们的区别在于是否可以在创建后修改其内容。
Immutable Data Types
不可变数据类型是指一旦创建,其内容就不能被修改的数据类型。如果尝试修改不可变对象,Python 会创建一个新的对象,而不是修改原对象。
整数(
int
):1
2x = 10
x = x + 5 # 创建一个新的整数对象,x 指向新对象浮点数(
float
):1
2y = 3.14
y = y + 1.0 # 创建一个新的浮点数对象,y 指向新对象字符串(
str
):1
2s = "hello"
s = s + " world" # 创建一个新的字符串对象,s 指向新对象元组(
tuple
):1
2t = (1, 2, 3)
t = t + (4,) # 创建一个新的元组对象,t 指向新对象布尔值(
bool
):1
2b = True
b = False # 创建一个新的布尔对象,b 指向新对象冻结集合(
frozenset
):1
2fs = frozenset([1, 2, 3])
fs = fs.union([4]) # 创建一个新的冻结集合对象,fs 指向新对象
Mutable Data Types
可变数据类型是指可以在创建后修改其内容的数据类型。修改可变对象时,不会创建新的对象,而是直接修改原对象。
列表(
list
):1
2lst = [1, 2, 3]
lst.append(4) # 直接修改原列表字典(
dict
):1
2d = {"a": 1, "b": 2}
d["c"] = 3 # 直接修改原字典集合(
set
):1
2s = {1, 2, 3}
s.add(4) # 直接修改原集合字节数组(
bytearray
):1
2ba = bytearray(b"hello")
ba[0] = 72 # 直接修改原字节数组自定义类的对象:
1
2
3
4
5
6class MyClass:
def __init__(self, value):
self.value = value
obj = MyClass(10)
obj.value = 20 # 直接修改对象的属性
String in Python
在 C/C++ 中,字符串的实现的核心是char*
(依靠指针操作内存)来实现的。但是在Python中,字符串在使用上相对来说更加灵活,方法也更丰富。
- 大小写转换
str.capitalize()
:将字符串的第一个字符大写,其余字符小写。1
2name = "hello world"
print(name.capitalize()) # 输出: Hello worldstr.casefold()
:将字符串转换为小写,支持更多语言(如德语)。1
2name = "HELLO WORLD"
print(name.casefold()) # 输出: hello worldstr.lower()
:将字符串转换为小写。1
2name = "HELLO WORLD"
print(name.lower()) # 输出: hello worldstr.upper()
:将字符串转换为大写。1
2name = "hello world"
print(name.upper()) # 输出: HELLO WORLDstr.swapcase()
:将字符串中的大小写互换。1
2name = "Hello World"
print(name.swapcase()) # 输出: hELLO wORLDstr.title()
:将字符串中每个单词的首字母大写。1
2name = "hello world"
print(name.title()) # 输出: Hello World
- 对齐与填充
str.center(width[, fillchar])
:将字符串居中,并用指定字符填充至指定宽度。1
2name = "hello"
print(name.center(10, "-")) # 输出: --hello---str.ljust(width[, fillchar])
:将字符串左对齐,并用指定字符填充至指定宽度。1
2name = "hello"
print(name.ljust(10, "-")) # 输出: hello-----str.rjust(width[, fillchar])
:将字符串右对齐,并用指定字符填充至指定宽度。1
2name = "hello"
print(name.rjust(10, "-")) # 输出: -----hellostr.zfill(width)
:用0
填充字符串至指定宽度。1
2num = "42"
print(num.zfill(5)) # 输出: 00042
- 查找与替换
str.find(sub[, start[, end]])
:查找子字符串,返回第一次出现的索引,未找到返回-1
。1
2name = "hello world"
print(name.find("world")) # 输出: 6str.rfind(sub[, start[, end]])
:从右向左查找子字符串,返回第一次出现的索引,未找到返回-1
。1
2name = "hello world"
print(name.rfind("o")) # 输出: 7str.index(sub[, start[, end]])
:查找子字符串,返回第一次出现的索引,未找到抛出ValueError
。1
2name = "hello world"
print(name.index("world")) # 输出: 6str.rindex(sub[, start[, end]])
:从右向左查找子字符串,返回第一次出现的索引,未找到抛出ValueError
。1
2name = "hello world"
print(name.rindex("o")) # 输出: 7str.replace(old, new[, count])
:替换字符串中的子字符串。1
2name = "hello world"
print(name.replace("world", "python")) # 输出: hello python
- 分割与连接
str.split(sep=None, maxsplit=-1)
:根据分隔符分割字符串,返回列表。1
2name = "hello,world,python"
print(name.split(",")) # 输出: ['hello', 'world', 'python']str.rsplit(sep=None, maxsplit=-1)
:从右向左分割字符串,返回列表。1
2name = "hello,world,python"
print(name.rsplit(",", 1)) # 输出: ['hello,world', 'python']str.splitlines([keepends])
:按行分割字符串,返回列表。1
2text = "hello\nworld\npython"
print(text.splitlines()) # 输出: ['hello', 'world', 'python']str.join(iterable)
:将可迭代对象中的元素用字符串连接。1
2words = ["hello", "world", "python"]
print("-".join(words)) # 输出: hello-world-python
- 去除空白字符
str.strip([chars])
:去除字符串两端的空白字符或指定字符。1
2name = " hello world "
print(name.strip()) # 输出: hello worldstr.lstrip([chars])
:去除字符串左端的空白字符或指定字符。1
2name = " hello world "
print(name.lstrip()) # 输出: hello worldstr.rstrip([chars])
:去除字符串右端的空白字符或指定字符。1
2name = " hello world "
print(name.rstrip()) # 输出: hello world
- 判断与验证
str.startswith(prefix[, start[, end]])
:判断字符串是否以指定前缀开头。1
2name = "hello world"
print(name.startswith("hello")) # 输出: Truestr.endswith(suffix[, start[, end]])
:判断字符串是否以指定后缀结尾。1
2name = "hello world"
print(name.endswith("world")) # 输出: Truestr.isalnum()
:判断字符串是否只包含字母和数字。1
2name = "hello123"
print(name.isalnum()) # 输出: Truestr.isalpha()
:判断字符串是否只包含字母。1
2name = "hello"
print(name.isalpha()) # 输出: Truestr.isdigit()
:判断字符串是否只包含数字。1
2num = "123"
print(num.isdigit()) # 输出: Truestr.islower()
:判断字符串是否全部为小写。1
2name = "hello"
print(name.islower()) # 输出: Truestr.isupper()
:判断字符串是否全部为大写。1
2name = "HELLO"
print(name.isupper()) # 输出: Truestr.isspace()
:判断字符串是否只包含空白字符。1
2name = " "
print(name.isspace()) # 输出: True
- 格式化
str.format(*args, kwargs)
**:格式化字符串。1
2name = "world"
print("hello {}".format(name)) # 输出: hello worldf-string
:Python 3.6 引入的格式化方法。1
2name = "world"
print(f"hello {name}") # 输出: hello world
- 其他方法
str.count(sub[, start[, end]])
:统计子字符串出现的次数。1
2name = "hello world"
print(name.count("o")) # 输出: 2str.encode(encoding="utf-8", errors="strict")
:将字符串编码为字节。1
2name = "hello"
print(name.encode()) # 输出: b'hello'str.maketrans(x[, y[, z]])
:创建字符映射表,用于translate()
。1
2trans = str.maketrans("aeiou", "12345")
print("hello".translate(trans)) # 输出: h2ll4str.translate(table)
:根据映射表替换字符。1
2trans = str.maketrans("aeiou", "12345")
print("hello".translate(trans)) # 输出: h2ll4
Basic Data Structures in Python
List in Python
在Python中,列表是动态的,可以随着列表的运行增删元素。
以下是 Python 列表(list
)的常用操作整理,涵盖了列表的创建、访问、修改、排序、遍历、切片、列表推导式等操作。
Python列表的底层实现本质上就是一个C语言的动态数组。
- 列表的创建
- 使用方括号
[]
创建列表。 - 使用
list()
函数将其他可迭代对象转换为列表。
1 |
|
- 访问列表元素
- 使用索引访问列表元素(索引从
0
开始)。 - 使用负数索引从列表末尾访问元素。
1 |
|
- 修改列表元素
- 通过索引直接修改列表元素。
1 |
|
- 列表的常用方法
添加元素
append()
:在列表末尾添加一个元素。1
2
3fruits = ["apple", "banana"]
fruits.append("cherry")
print(fruits) # 输出: ['apple', 'banana', 'cherry']extend()
:将另一个可迭代对象的元素添加到列表末尾。1
2
3fruits = ["apple", "banana"]
fruits.extend(["cherry", "orange"])
print(fruits) # 输出: ['apple', 'banana', 'cherry', 'orange']insert()
:在指定位置插入一个元素。1
2
3fruits = ["apple", "banana"]
fruits.insert(1, "cherry")
print(fruits) # 输出: ['apple', 'cherry', 'banana']
删除元素
remove()
:删除列表中第一个匹配的元素。1
2
3fruits = ["apple", "banana", "cherry"]
fruits.remove("banana")
print(fruits) # 输出: ['apple', 'cherry']pop()
:删除并返回指定位置的元素(默认删除最后一个元素)。1
2
3fruits = ["apple", "banana", "cherry"]
fruits.pop(1) # 删除索引为 1 的元素
print(fruits) # 输出: ['apple', 'cherry']clear()
:清空列表。1
2
3fruits = ["apple", "banana", "cherry"]
fruits.clear()
print(fruits) # 输出: []
查找元素
index()
:返回指定元素的索引(如果存在)。1
2fruits = ["apple", "banana", "cherry"]
print(fruits.index("banana")) # 输出: 1count()
:返回指定元素在列表中出现的次数。1
2fruits = ["apple", "banana", "cherry", "banana"]
print(fruits.count("banana")) # 输出: 2
排序与反转
sort()
:对列表进行排序(默认升序)。1
2
3numbers = [3, 1, 4, 1, 5, 9]
numbers.sort()
print(numbers) # 输出: [1, 1, 3, 4, 5, 9]reverse()
:反转列表中的元素。1
2
3fruits = ["apple", "banana", "cherry"]
fruits.reverse()
print(fruits) # 输出: ['cherry', 'banana', 'apple']sorted()
:对列表进行临时排序
1 |
|
Python 中的自定义比较函数
1 |
|
1 |
|
- 列表的遍历
- 使用
for
循环遍历列表。
1 |
|
- 列表的切片
- 使用切片操作获取列表的子集。
- 语法:
list[start:stop:step]
1 |
|
- 列表的复制
- 使用切片或
copy()
方法复制列表。
1 |
|
- 列表推导式
- 使用列表推导式快速生成列表。
1 |
|
- 列表的嵌套
- 列表可以包含其他列表,形成嵌套列表。
1 |
|
- 列表的其他操作
len()
:获取列表的长度。1
2fruits = ["apple", "banana", "cherry"]
print(len(fruits)) # 输出: 3in
和not in
:检查元素是否在列表中。1
2fruits = ["apple", "banana", "cherry"]
print("banana" in fruits) # 输出: True+
和*
:列表的拼接和重复。1
2
3
4list1 = [1, 2, 3]
list2 = [4, 5, 6]
print(list1 + list2) # 输出: [1, 2, 3, 4, 5, 6]
print(list1 * 2) # 输出: [1, 2, 3, 1, 2, 3]
Tuple in Python
在 Python 中,元组(Tuple) 是一种不可变的序列类型,用于存储一组有序的元素。元组与列表(list
)类似,但元组一旦创建,其内容不可修改。
- 不可变性:元组一旦创建,其元素不能被修改、添加或删除。
- 有序性:元组中的元素是有序的,可以通过索引访问。
- 异构性:元组可以存储不同类型的元素(如整数、字符串、列表等)。
- 支持嵌套:元组可以嵌套其他元组或列表。
元组使用圆括号 ()
定义,元素之间用逗号 ,
分隔。
元组的创建
1 |
|
- 如果元组只有一个元素,需要在元素后面加一个逗号
,
,否则会被认为是普通括号。元组的遍历1
2single_element_tuple = (42,) # 这是一个元组
not_a_tuple = (42) # 这是一个整数
1 |
|
元组是不可变的,因此不能修改、添加或删除元素。
1 |
|
1 |
|
元组的基本操作
1 |
|
元组与列表的区别
特性 | 元组 (tuple ) |
列表 (list ) |
---|---|---|
可变性 | 不可变 | 可变 |
语法 | 使用圆括号 () |
使用方括号 [] |
性能 | 访问速度更快,占用内存更少 | 访问速度较慢,占用内存较多 |
适用场景 | 存储不可变数据(如常量、配置等) | 存储可变数据(如动态集合等) |
Dictionaries in Python
在Python中,字典是一种基于键值对的数据结构,底层原理是哈希表(Hash Table)。字典中的键必须是唯一的,而值可以是任意类型的数据。字典是无序的(在 Python 3.7 及以上版本中,字典保持了插入顺序),并且通过键来快速查找对应的值。以下是字典的详细介绍:
字典的创建
1 |
|
通过键来访问字典的值
1 |
|
修改,插入,删除
1 |
|
其他操作
1 |
|
字典推导式
1 |
|
Loops in Python
While-loops
在Python中,while
循环的基本用法和C/C++基本相同,唯一需要注意的是Python中不加花括号并且要注意缩进。
1 |
|
while
循环可以有一个可选的 else
子句。当循环正常结束(即条件变为 False
)时,else
子句会被执行。如果循环是通过 break
退出的,else
子句不会执行。
1 |
|
For-loops
1 |
|
range 的使用
在 Python 中,range
是一个内置函数,用于生成一个整数序列。它通常用于 for
循环中,也可以用于创建列表或其他需要整数序列的场景。range
函数有三种调用方式:
(1)range(stop)
生成从 0
开始到 stop-1
的整数序列。
1 |
|
(2)range(start, stop)
生成从 start
开始到 stop-1
的整数序列。
1 |
|
(3)range(start, stop, step)
生成从 start
开始到 stop-1
的整数序列,步长为 step
。
1 |
|
- 惰性求值:
range
返回的是一个range
对象,而不是一个列表。它只在需要时生成值,因此非常节省内存。 - 不可变性:
range
对象是不可变的,不能直接修改其内容。 - 支持负步长:
step
可以为负数,表示反向生成序列。
可以通过 list()
函数将 range
对象转换为列表。
1 |
|
遍历字典:
- 你可以使用
for
循环直接遍历字典的键、值,或者键值对。
1
2
3
4
5
6my_dict = {'a': 1, 'b': 2, 'c': 3}
for key in my_dict:
print(key, my_dict[key])
for key, value in my_dict.items():
print(key, value)- 你可以使用
**使用
enumerate()
**:enumerate()
函数可以在遍历列表时获取元素的索引。
1
2
3
4
5
6
7
8my_list = ['apple', 'banana', 'cherry']
for index, value in enumerate(my_list):
print(index, value)
'''
0 apple
1 banana
2 cherry
'''使用
zip()
:zip()
函数可以同时遍历多个序列。
1
2
3
4names = ['Alice', 'Bob', 'Charlie']
scores = [85, 90, 95]
for name, score in zip(names, scores):
print(f'{name} scored {score}')列表推导式:
- 列表推导式是一种简洁的方式来生成列表。
1
2squares = [x**2 for x in range(10)]
print(squares)生成器表达式:
- 与列表推导式类似,但生成器表达式使用圆括号,生成元素时不会立即存储在内存中。
1
2
3squares_gen = (x**2 for x in range(10))
for square in squares_gen:
print(square)条件过滤:
- 你可以在
for
循环中使用条件语句来过滤元素。
1
2
3
4
5even_squares = [x**2 for x in range(10) if x % 2 == 0]
print(even_squares)
'''
[0, 4, 16, 36, 64]
'''- 你可以在
嵌套循环:
- 列表推导式和生成器表达式中可以包含嵌套循环。
1
2
3
4
5pairs = [(x, y) for x in range(3) for y in range(3)]
print(pairs)
'''
[(0, 0), (0, 1), (0, 2), (1, 0), (1, 1), (1, 2), (2, 0), (2, 1), (2, 2)]
'''
Functions in Python
在Python中,自定义函数的语法格式和运行逻辑有较大的不同。
Basic Usage
1 |
|
这是一个最基本的函数定义,包括函数名,文档字符串(Optional)和具体的函数代码。
值得注意的是,python中的函数不需要显式声明返回类型。
python中也存在形参和实参的传递,但并不完全是拷贝传递(可变对象和不可变对象)
不可变对象(如整数、字符串、元组)在传递时,形参和实参指向同一个对象。但如果形参尝试修改对象,Python 会创建一个新的对象,形参会指向这个新对象,而实参仍然指向原来的对象。
可变对象(如列表、字典、集合)在传递时,形参和实参指向同一个对象。如果形参修改了对象的内容,实参也会受到影响。
- 可以使用切片的方法实现拷贝传参
1
function_name(list_name[:])
Advanced Usage
关键词实参(参数列表的一一对应)
返回值的多样性
- Python 函数可以返回 字典、列表 或 元组,甚至可以返回它们的组合。
- Python 的函数非常灵活,可以返回任意类型的对象,包括复杂的数据结构。
使用
def function(*args)
可以创建一个名为nums
的元组。在函数定义中,
*
和**
可以用于接收任意数量的位置参数和关键字参数。1
2
3
4
5
6def print_args(*args, **kwargs):
print("Positional arguments:", args)
print("Keyword arguments:", kwargs)
# 调用函数
print_args(1, 2, 3, name="Alice", age=25)1
2Positional arguments: (1, 2, 3)
Keyword arguments: {'name': 'Alice', 'age': 25}*args
接收所有位置参数,并将其存储为一个元组。**kwargs
接收所有关键字参数,并将其存储为一个字典。
OOP in Python
在Python中,也可以实现面向对象编程。下文笔者将从C++的视角出发,向读者展示Python中相对应的用法。
A simple class for Matrix
下文给出一个简单的矩阵类实现(C++语言)
1 |
|
下面改写成Python的版本进行迁移学习:
1 |
|
Data and functions?
在C++中,类的定义主要包括两个方面的定义:数据成员和方法(即数据类型和成员函数)。但是在Python的代码中,我们没有看到明确的一块区域来专门定义数据成员。
实际上,Python中的类实现更加的灵活,数据成员的定义可以直接在构造函数中实现,也可以在后续的使用中添加新的数据成员。
1 |
|
值得注意的是,Python中存在类一级的数据成员,类似于C++中的静态数据成员。
1 |
|
Public and Private?
继续观察Python代码,发现Python中没有private和public的区别了!
这实际上是一个很严重的问题,因为OOP的核心精神之一就是封装,而不同访问权限的设置是封装精神实现的基础。
在 Python 中,确实没有像 C++ 或 Java 那样严格的 private
和 public
访问控制关键字。Python 采用了一种更加灵活的方式来控制成员的访问权限,主要通过命名约定和特殊机制来实现类似的功能。
默认情况下,类的所有成员(属性和方法)都是公有的。没错,Python中的类实现牺牲了封装性。也没有友元的实现。
Python为什么要这么做?请看这个链接: Pythonic
I came across a quote “we are all consenting adults here“ I think in explaining why it is not necessary to have type declaration statements in Python, in contrast to other strongly-typed languages.
This expression is also used in the object-oriented python literature to explain python’s attitudes about private class members, which python doesn’t have.
When you create an instance of some class there is nothing to prevent you from poking around inside and using various internal,
private methods that are (a) necessary for the class to function, BUT (b) not intended for direct use/access.
Nothing is really private in python. No class or class instance can keep you away from all what’s inside (this makes introspection possible and powerful). Python trusts you. It says “hey, if you want to go poking around in dark places, I’m gonna trust that you’ve got a good reason and you’re not making trouble.”
After all, we’re all consenting adults here. C++ and Java don’t have this philosophy (not to the same extent). They allow you create private methods and static members. Perl culture is like python in this respect, but Perl expresses the sentiment a bit differently. As the Camel book puts it,
“a Perl module would prefer that you stayed out of its living room because you weren’t invited, not because it has a shotgun.” But the sentiment is identical.
–karl
我偶然看到一句话:“we are all consenting adults here”(我们都是成年人),这句话通常用来解释为什么 Python 不需要像其他强类型语言那样有类型声明语句。
这个表达也用在 Python 面向对象编程的文献中,用来解释 Python 对于私有类成员的态度——Python 并没有真正的私有成员。当你创建某个类的实例时,没有什么能阻止你去探索类的内部并使用各种内部的、私有的方法,这些方法(a)是类正常运行所必需的,但(b)并不打算让你直接使用或访问。
在 Python 中,没有什么东西是真正私有的。没有任何类或类的实例能阻止你访问内部的所有内容(这使得 Python 的内省机制变得可能且强大)。Python 信任你。它说:“嘿,如果你想深入探索那些黑暗的角落,我会相信你有充分的理由,而不是在捣乱。”
毕竟,我们都是成年人。C++ 和 Java 并没有这种哲学(至少不像 Python 这样)。它们允许你创建私有方法和静态成员。Perl 的文化在这方面与 Python 类似,但 Perl 的表达方式略有不同。正如《骆驼书》(Perl 的经典书籍)中所说:
“Perl 模块更希望你远离它的客厅,因为你没有被邀请,而不是因为它有一把猎枪。”
但两者的理念是相同的。
——Karl
不过实际上,Python中也允许一些类似私有成员的实现方式,不过并没有像C++一样那么严格。
Protected Members
定义:通过在成员名前加一个下划线
_
来表示受保护成员。特点:
- 这是一种命名约定,表示该成员不应该在类的外部直接访问,但 Python 并不会阻止你访问。
- 主要用于提示开发者:“这是一个内部实现细节,请谨慎使用”。
1
2
3
4
5
6
7
8
9
10class MyClass:
def __init__(self):
self._protected_var = 20 # 受保护变量
def _protected_method(self):
print("This is a protected method.") # 受保护方法
obj = MyClass()
print(obj._protected_var) # 可以访问,但不推荐
obj._protected_method() # 可以调用,但不推荐
Private Members
定义:通过在成员名前加两个下划线
__
来表示私有成员。特点:
- Python 会对私有成员进行名称改写(Name Mangling),使其在类的外部无法直接访问。
- 名称改写规则:
__var
会被改写为_ClassName__var
。 - 这是一种更严格的访问控制,但仍然可以通过改写后的名称访问(不推荐)。
1
2
3
4
5
6
7
8
9
10
11
12
13
14class MyClass:
def __init__(self):
self.__private_var = 30 # 私有变量
def __private_method(self):
print("This is a private method.") # 私有方法
obj = MyClass()
# print(obj.__private_var) # 直接访问会报错:AttributeError
# obj.__private_method() # 直接调用会报错:AttributeError
# 通过名称改写访问(不推荐)
print(obj._MyClass__private_var) # 输出:30
obj._MyClass__private_method() # 输出:This is a private method
Constructor
Default Constructor and parameterized Constructor
1 |
|
1 |
|
讲面向对象编程肯定得从构造函数讲起,下面着重分析两种语言中在语法上的差异:
self
:self
是类的方法(包括构造函数__init__
)中的第一个参数,用于表示当前对象的实例。有点类似于C++中的隐式this指针!- Python中的数据成员的声明主要都是在构造函数中进行的,并且没有提供访问权限的控制。
Copy Constructor
在C++中,由于涉及到指针,使用复制构造函数是非常有必要的!在 Python 中,没有显式的拷贝构造函数(Copy Constructor),因为 Python 的内存管理和对象复制机制与 C++ 不同。但是在Python的copy
库中,也有类似的实现方式。
Shallow Copy
定义:浅拷贝创建一个新对象,但不会递归复制对象内部的子对象。
实现方式:
- 使用
copy.copy()
函数。 - 使用对象的
copy()
方法(如果对象支持)。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26import copy
class MyClass:
def __init__(self, value,valist):
self.value = value
self.valist= valist
obj1 = MyClass(42,[1,2,3,4])
obj2 = copy.copy(obj1)
print(obj1.value)
print(obj2.value)
print(obj1.valist)
print(obj2.valist)
# obj2.valist=[1,2,3,3,4] 这样会让obj2.valist指向一个新的列表对象
obj2.value+=1
obj2.valist.append(33)
print(obj1.valist)
print(obj2.valist)
print(obj1.value)
print(obj2.value)1
2
3
4
5
6
7
842
42
[1, 2, 3, 4]
[1, 2, 3, 4]
[1, 2, 3, 4, 33]
[1, 2, 3, 4, 33]
42
43- 如果对象包含可变子对象(如列表、字典),浅拷贝会共享这些子对象。
分析:在上述代码中,
obj2 = copy.copy(obj1)
让两个对象的valist
数据成员指向了同一个列表!因此对obj2进行修改的时候obj1也会修改。这一点和C++一样,相当于一条绳上的蚂蚱!
- 使用
Deep Copy
定义:深拷贝创建一个新对象,并递归复制对象内部的所有子对象。
实现方式:
- 使用
copy.deepcopy()
函数。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26import copy
class MyClass:
def __init__(self, value,valist):
self.value = value
self.valist= valist
obj1 = MyClass(42,[1,2,3,4])
obj2 = copy.deepcopy(obj1) #仅修改这一处
print(obj1.value)
print(obj2.value)
print(obj1.valist)
print(obj2.valist)
# obj2.valist=[1,2,3,3,4] 这样会让obj2.valist指向一个新的列表对象
obj2.value+=1
obj2.valist.append(33)
print(obj1.valist)
print(obj2.valist)
print(obj1.value)
print(obj2.value)- 使用
注意:
- 深拷贝会递归复制所有子对象,因此不会共享任何可变子对象。
Define Copy Constructor explicitly
1 |
|
注意!在这里本质上还是进行浅拷贝(和C++有很大不同)。因为Python允许thenumlist[i][j]
是任何数据类型(甚至是可变数据,例如列表)。如果是不可变数据例如一个int
整数,深拷贝和浅拷贝的行为没有差别,但如果是一个可变数据类型例如列表,那么其本质上还是指向同一个列表,是一条绳上的蚂蚱!
不过,Python也支持自定义深拷贝函数。但我们为什么不用copy
库中给好的函数呢?
1 |
|
特性 | Python 中的对象复制 | C++ 中的拷贝构造函数 |
---|---|---|
实现方式 | 通过 copy.copy() 或 copy.deepcopy() |
通过显式的拷贝构造函数 |
默认行为 | 浅拷贝(共享子对象) | 深拷贝(递归复制子对象) |
自定义行为 | 通过 __copy__ 和 __deepcopy__ |
通过自定义拷贝构造函数 |
内存管理 | 自动垃圾回收 | 手动内存管理 |
Destructor
Python中不用实现具体的动态内存分配的回收,不过可以实现一些其他的功能。(例如输出特定的信息)
1 |
|
Operator Overloading
在 Python 中,运算符重载(Operator Overloading)是通过定义类的特殊方法(Magic Methods 或 Dunder Methods)来实现的。这些特殊方法以双下划线 __
开头和结尾,例如 __add__
、__sub__
等。通过实现这些方法,可以让自定义类的对象支持 Python 的内置运算符(如 +
、-
、*
等)。
运算符 | 方法名 | 描述 |
---|---|---|
+ |
__add__ |
加法运算 |
- |
__sub__ |
减法运算 |
* |
__mul__ |
乘法运算 |
/ |
__truediv__ |
除法运算 |
// |
__floordiv__ |
整除运算 |
% |
__mod__ |
取模运算 |
** |
__pow__ |
幂运算 |
== |
__eq__ |
等于运算 |
!= |
__ne__ |
不等于运算 |
< |
__lt__ |
小于运算 |
<= |
__le__ |
小于等于运算 |
> |
__gt__ |
大于运算 |
>= |
__ge__ |
大于等于运算 |
[] |
__getitem__ |
索引操作 |
[]= |
__setitem__ |
索引赋值操作 |
len() |
__len__ |
获取对象长度 |
str() |
__str__ |
返回对象的字符串表示 |
repr() |
__repr__ |
返回对象的官方字符串表示 |
in |
__contains__ |
检查元素是否在对象中 |
() |
__call__ |
使对象可调用(像函数一样) |
以上文的矩阵类为例,看一看具体是如何实现的:
1 |
|
Static Members
对于静态数据成员来说,可以通过类一级的数据成员实现,在上文有讲。[跳转链接](#Data and functions?)
对于静态成员函数来说,使用 @staticmethod
装饰器定义静态方法。
1 |
|
Class Inheritance
在Python中,也可以实现类的继承。
1 |
|
下文以一个简化的矩阵类为示例,演示一下类的继承:
是公有继承,即一种is-a关系。
1 |
|
super()
函数:- 在
SquareMatrix
的构造函数中,使用super().__init__(size, size)
调用父类的构造函数。
- 在
派生类对象可以使用基类对象的方法
- 上述代码的输出:
1
2
3
4
5
60 1 2 3 4 5
1 2 3 4 5 6
2 3 4 5 6 7
3 4 5 6 7 8
4 5 6 7 8 9
5 6 7 8 9 10本质上是使用了基类重载的
def __str__(self)
在派生类中实现和基类同名的方法可以实现对基类方法的覆盖。
Advanced Usage
Property Decorator
Property Decorator(属性装饰器)是 Python 中用于将方法转换为属性的机制。它允许你像访问属性一样访问方法,同时可以在访问时执行额外的逻辑(如验证、计算等)。属性装饰器通过 @property
、@属性名.setter
和 @属性名.deleter
来实现。
将方法转换为只读属性:
- 使用
@property
装饰器,可以将一个方法转换为只读属性。 - 这样,你可以像访问属性一样调用方法,而不需要使用
()
。
- 使用
实现属性的写操作:
- 使用
@属性名.setter
装饰器,可以为属性添加写操作逻辑。 - 这样,你可以在赋值时执行额外的逻辑(如验证、计算等)。
- 使用
实现属性的删除操作:
- 使用
@属性名.deleter
装饰器,可以为属性添加删除操作逻辑。
- 使用
只读属性
1 |
|
- 可读写属性
1 |
|
- 删除属性
1 |
|
特性 | 属性装饰器 (@property ) |
普通方法 |
---|---|---|
访问方式 | 像访问属性一样(无括号) | 需要调用方法(带括号) |
逻辑封装 | 可以在访问时执行额外逻辑 | 需要显式调用方法 |
只读性 | 可以通过 @property 实现只读 |
需要额外逻辑实现只读 |
写操作 | 通过 @setter 实现写操作 |
需要额外方法实现写操作 |
删除操作 | 通过 @deleter 实现删除操作 |
需要额外方法实现删除操作 |
The END
更多Python的高级操作的教程见后续的更新。