Python必背100源代码
Python是一种高级编程语言,因其简洁、易读和功能强大而受到广泛的欢迎。对于初学者来说,熟悉Python的语法和常用的源代码是非常重要的。本文将介绍Python必背的100个源代码,涵盖了从基本的数据类型到高级的算法和数据结构。
基本数据类型
1. 整数(int):在Python中,整数是用来表示没有小数部分的数字。可以进行加、减、乘、除等基本数学运算。
```python
x = 10
y = 5
print(x + y) # 输出:15
print(x - y) # 输出:5
print(x * y) # 输出:50
print(x / y) # 输出:2.0
```
2. 浮点数(float):浮点数用来表示带有小数部分的数字。同样可以进行基本的数学运算。
x = 3.14
y = 2.5
print(x + y) # 输出:5.64
print(x - y) # 输出:0.64
print(x * y) # 输出:7.85
print(x / y) # 输出:1.256
3. 字符串(str):字符串是由一系列字符组成的,可以用单引号或双引号括起来。
name = "Alice"
message = 'Hello, ' + name + '!'
print(message) # 输出:Hello, Alice!
4. 列表(list):列表是Python中最常用的数据结构之一,用于存储多个元素。
numbers = [1, 2, 3, 4, 5]
print(numbers) # 输出:[1, 2, 3, 4, 5]
5. 元组(tuple):元组与列表类似,但是元组的元素不可修改。
point = (3, 4)
print(point) # 输出:(3, 4)
控制流程
6. 条件语句(if-else):根据条件执行不同的代码块。
if x % 2 == 0:
print("偶数")
else:
print("奇数")
7. 循环语句(for):重复执行特定的代码块。
for number in numbers:
print(number)
8. 循环语句(while):在满足条件的情况下重复执行代码。
count = 0
while count < 5:
print(count)
count += 1
函数
9. 自定义函数:可以在程序中定义自己的函数,以便重复使用特定的代码块。
def square(x):
return x * x
result = square(5)
print(result) # 输出:25
10. 内置函数:Python提供了许多内置函数,可以直接使用。
print(len("Hello")) # 输出:5
print(max(1, 2, 3)) # 输出:3
print(min(4, 5, 6)) # 输出:4
文件操作
11. 打开文件:可以使用open()函数打开文件,指定文件名和打开模式。
file = open("data.txt", "r")
12. 读取文件内容:可以使用read()函数读取文件的全部内容。
content = file.read()
print(content)
13. 写入文件内容:可以使用write()函数将内容写入文件。
file.write("Hello, World!")
14. 关闭文件:使用close()函数关闭文件。
file.close()
算法和数据结构
15. 斐波那契数列:计算斐波那契数列的前n个数字。
def fibonacci(n):
if n <= 0:
return []
elif n == 1:
return [0]
elif n == 2:
return [0, 1]
else:
sequence = [0, 1]
while len(sequence) < n:
next_number = sequence[-1] + sequence[-2]
sequence.append(next_number)
return sequence
result = fibonacci(10)
print(result) # 输出:[0, 1, 1, 2, 3, 5, 8, 13, 21, 34]
16. 排序算法(冒泡排序):使用冒泡排序算法对列表进行排序。
def bubble_sort(numbers):
n = len(numbers)
for i in range(n):
for j in range(n - i - 1):
if numbers[j] > numbers[j + 1]:
numbers[j], numbers[j + 1] = numbers[j + 1], numbers[j]
return numbers
numbers = [5, 3, 8, 2, 1]
result = bubble_sort(numbers)
print(result) # 输出:[1, 2, 3, 5, 8]
17. 查找算法(二分查找):使用二分查找算法在有序列表中查找指定的元素。
def binary_search(numbers, target):
low = 0
high = len(numbers) - 1
while low <= high:
mid = (low + high) // 2
if numbers[mid] == target:
return mid
elif numbers[mid] < target:
low = mid + 1
else:
high = mid - 1
return -1
result = binary_search(numbers, 3)
print(result) # 输出:2
通过学习和掌握这100个Python源代码的例子,你将能够熟练运用Python的基本数据类型、控制流程、函数、文件操作以及常见的算法和数据结构。继续深入学习和实践,你将成为一名更熟练的Python开发者。
网友留言(0)