python怎么将字符串转为base64
时间: 2024-06-09 15:09:25 浏览: 92
Python有一个内置模块`base64`可以用来进行Base64编码和解码。下面是一个示例:
```python
import base64
# 将字符串编码为Base64
str = 'Hello, world!'
encoded_str = base64.b64encode(str.encode('utf-8'))
print(encoded_str) # b'SGVsbG8sIHdvcmxkIQ=='
# 将Base64编码解码为字符串
decoded_str = base64.b64decode(encoded_str).decode('utf-8')
print(decoded_str) # 'Hello, world!'
```
在上面的示例中,我们首先将字符串`'Hello, world!'`编码为Base64格式,然后将其打印出来。接着,我们将这个Base64编码解码为字符串,并将其打印出来。
相关问题
python将base64字符串转换为mp4
可以使用base64模块和ffmpeg库来实现将base64字符串转换为mp4视频文件,具体实现如下:
```python
import base64
import subprocess
# 读取base64字符串
with open("video.txt", "r") as f:
base64_str = f.read()
# 将base64字符串解码为二进制数据
video_data = base64.b64decode(base64_str)
# 将二进制数据写入临时文件
with open("video.mp4", "wb") as f:
f.write(video_data)
# 使用ffmpeg将临时文件转换为mp4视频文件
subprocess.run(["ffmpeg", "-i", "video.mp4", "-codec", "copy", "output.mp4"])
```
在上述代码中,我们先读取了一个名为video.txt的文件,该文件中存储了我们需要转换的base64字符串。然后使用base64模块将该字符串解码为二进制数据,并将其写入临时文件video.mp4中。最后,我们使用ffmpeg库将临时文件video.mp4转换为mp4视频文件output.mp4。注意,我们在命令行中使用了-codec copy参数,表示直接将视频流从原始文件复制到输出文件中,以避免重新编码导致的质量损失和性能问题。
利用python设计:要求输入字符串可以输出Base64编码,输入Base64编码值可以转为字符串
可以使用Python中的base64模块来实现字符串和Base64编码之间的转换。下面是一个示例代码:
```python
import base64
def str_to_base64(s):
b = s.encode('utf-8')
b64 = base64.b64encode(b)
return b64.decode('utf-8')
def base64_to_str(b64):
b = b64.encode('utf-8')
s = base64.b64decode(b)
return s.decode('utf-8')
```
上述代码中,`str_to_base64`函数接收一个字符串作为输入,并返回其Base64编码。`base64_to_str`函数接收一个Base64编码作为输入,并返回其解码后的字符串。
例如:
```python
s = 'Hello, world!'
b64 = str_to_base64(s)
print(b64) # 'SGVsbG8sIHdvcmxkIQ=='
s2 = base64_to_str(b64)
print(s2) # 'Hello, world!'
```
注意,在将字符串编码为Base64时,需要先将其转换为字节串,然后再进行编码。同样,在将Base64解码为字符串时,需要先将其解码为字节串,然后再进行解码。
阅读全文