什么是 Python 字节串?
Python 字节串是字节序列。在 Python 3 中,字节串使用“bytes”数据类型表示。字节串用于表示不适合 Unicode 字符集的二进制数据,例如图像、音频和视频文件。
以下是一些演示如何使用 Python 字节串的代码示例
创建字节串
要在 Python 中创建字节串,我们可以在字符串字面量之前使用“b”前缀。
示例
在此示例中,我们创建了一个内容为“This is a bytestring.”的字节串,并将其分配给变量“bytestring”。然后我们将字节串打印到控制台。“b”前缀在字符串字面量之前告诉 Python 将字符串解释为字节串。
bytestring = b"This is a bytestring." print(bytestring)
输出
b'This is a bytestring.'
将字符串转换为字节串
我们可以使用“encode()”方法将普通字符串转换为字节串。
示例
在此示例中,我们有一个内容为“This is a string.”的普通字符串,我们希望将其转换为字节串。我们使用“encode()”方法将字符串转换为字节串,并将其分配给变量“bytestring”。然后我们将字节串打印到控制台。
string = "This is a string." bytestring = string.encode() print(bytestring)
输出
b'This is a string.'
将字节串转换为字符串
我们可以使用“decode()”方法将字节串转换为普通字符串。
示例
在此示例中,我们有一个内容为“This is a bytestring.”的字节串,我们希望将其转换为普通字符串。我们使用“decode()”方法将字节串转换为字符串,并将其分配给变量“string”。然后我们将字符串打印到控制台。
bytestring = b"This is a bytestring." string = bytestring.decode() print(string)
输出
This is a bytestring.
使用字节串方法
字节串有许多与普通字符串类似的方法。这是一个使用“startswith()”方法与字节串的示例
示例
bytestring = b"This is a bytestring." if bytestring.startswith(b"This"): print("The bytestring starts with 'This'") else: print("The bytestring doesn't start with 'This'")
输出
The bytestring starts with 'This'
将字节串写入和读取到文件
我们可以使用“wb”模式将字节串写入文件,并使用“rb”模式将其读回。
示例
在此示例中,我们首先使用“wb”模式将字节串写入名为“bytestring.txt”的文件。然后我们使用“rb”模式再次打开文件,并将内容读回一个名为“read_bytestring”的变量中。然后我们将字节串打印到控制台。
bytestring = b"This is a bytestring." with open("bytestring.txt", "wb") as file: file.write(bytestring) with open("bytestring.txt", "rb") as file: read_bytestring = file.read() print(read_bytestring)
输出
b'This is a bytestring.'
连接字节串
我们可以使用“+”运算符连接字节串。这是一个示例
示例
在此示例中,我们有两个字节串,我们希望将它们连接起来。我们使用“+”运算符连接字节串,并将结果分配给一个名为“concatenated_bytestring”的新变量。然后我们将连接后的字节串打印到控制台。
bytestring1 = b"This is the first bytestring. " bytestring2 = b"This is the second bytestring." concatenated_bytestring = bytestring1 + bytestring2 print(concatenated_bytestring)
输出
b'This is the first bytestring. This is the second bytestring.'