📜  代码片段 - Python (1)

📅  最后修改于: 2023-12-03 14:49:30.116000             🧑  作者: Mango

代码片段 - Python

Python 是一种非常流行的高级编程语言,它被广泛应用于各种应用和领域。本文将介绍一些常用的 Python 代码片段,包括字符串操作、列表操作、文件操作、函数定义等。

字符串操作
字符串长度

获取字符串的长度非常简单,只需要使用 len 函数即可。

string = "Hello World"
length = len(string)
print("The length of the string is:", length)

输出:

The length of the string is: 11
字符串拼接

将两个字符串拼接起来,常用的方法是使用 + 运算符。

string1 = "Hello"
string2 = "World"
result = string1 + " " + string2
print(result)

输出:

Hello World
字符串分割

将字符串按照指定的分隔符进行分割,可以使用 split 方法。

string = "apple,banana,orange"
result = string.split(",")
print(result)

输出:

['apple', 'banana', 'orange']
列表操作
列表长度

获取列表的长度与获取字符串的长度一样,也是使用 len 函数。

fruits = ["apple", "banana", "orange"]
length = len(fruits)
print("The length of the list is:", length)

输出:

The length of the list is: 3
列表索引

使用索引访问列表中的元素非常方便,使用方法与字符串相同。

fruits = ["apple", "banana", "orange"]
print(fruits[1])

输出:

banana
列表添加元素

在列表的末尾添加元素,可以使用 append 方法。

fruits = ["apple", "banana", "orange"]
fruits.append("watermelon")
print(fruits)

输出:

['apple', 'banana', 'orange', 'watermelon']
文件操作
读取文件

使用 open 函数可以打开一个文件,将其内容读取出来。

file = open("example.txt", "r")
content = file.read()
print(content)
file.close()

输出:

This is an example file.

It contains some text.
写入文件

使用 open 函数打开一个文件,使用 write 方法将字符串写入文件。

file = open("example.txt", "w")
file.write("This is a new line.\n")
file.close()
函数定义
定义函数

使用 def 关键字定义一个函数,指定函数名和参数列表。

def gcd(a, b):
    if b == 0:
        return a
    else:
        return gcd(b, a % b)

result = gcd(48, 60)
print(result)

输出:

12
函数默认值

当函数有多个参数时,可以为其中的参数指定默认值。

def greet(name, greeting="Hello"):
    print(greeting, name)

greet("Bob")
greet("Alice", "Hi")

输出:

Hello Bob
Hi Alice

以上就是 Python 中一些常用的代码片段,希望本文能对程序员有所帮助。