python编写base64加密解密
时间: 2023-11-08 15:53:15 浏览: 90
你可以使用 Python 内置的 base64 模块来进行 Base64 编码和解码。以下是示例代码:
```python
import base64
# 加密字符串
def base64encode(s):
return base64.b64encode(s.encode('utf-8')).decode('utf-8')
# 解密字符串
def base64decode(s):
return base64.b64decode(s.encode('utf-8')).decode('utf-8')
# 测试
s = 'hello, world!'
encoded = base64encode(s)
print(encoded) # aGVsbG8sIHdvcmxkIQ==
decoded = base64decode(encoded)
print(decoded) # hello, world!
```
在上面的代码中,`base64encode` 函数将输入字符串编码为 Base64 字符串,`base64decode` 函数将输入字符串解码为原始字符串。在编码和解码时,我们需要先将字符串编码为字节串,然后再进行 Base64 编码或解码。最后,使用 `decode` 方法将字节串转换为字符串。
相关问题
python base64加密解密
Base64是一种常用的编码方式,可以将二进制数据转换为可打印的ASCII字符。在Python中,可以使用`base64`模块进行Base64编码和解码操作。
要进行Base64编码,可以使用`base64.b64encode()`函数。示例如下:
```python
import base64
data = b'Hello World' # 要进行编码的二进制数据
encoded_data = base64.b64encode(data)
print(encoded_data) # 输出编码后的数据
```
要进行Base64解码,可以使用`base64.b64decode()`函数。示例如下:
```python
import base64
encoded_data = b'SGVsbG8gV29ybGQ=' # 要进行解码的Base64数据
decoded_data = base64.b64decode(encoded_data)
print(decoded_data) # 输出解码后的二进制数据
```
需要注意的是,编码前的数据应为二进制类型,而解码后的数据是以二进制形式返回的。如果需要将解码后的二进制数据转换为字符串,可以使用`.decode()`方法。
希望对你有所帮助!如果你还有其他问题,请随时提问。
python 基于base64完成加密解密
以下是Python中使用base64进行加密解密的示例代码:
1. 加密字符串
```python
import base64
# 待加密的字符串
str = 'Hello, world!'
# 将字符串转换为bytes类型
str_bytes = str.encode('utf-8')
# 使用base64进行加密
enc_bytes = base64.b64encode(str_bytes)
# 将加密后的bytes类型转换为字符串
enc_str = enc_bytes.decode('utf-8')
print(enc_str) # 输出:SGVsbG8sIHdvcmxkIQ==
```
2. 解密字符串
```python
import base64
# 待解密的字符串
enc_str = 'SGVsbG8sIHdvcmxkIQ=='
# 将字符串转换为bytes类型
enc_bytes = enc_str.encode('utf-8')
# 使用base64进行解密
dec_bytes = base64.b64decode(enc_bytes)
# 将解密后的bytes类型转换为字符串
dec_str = dec_bytes.decode('utf-8')
print(dec_str) # 输出:Hello, world!
```
阅读全文