我有一个RSA公钥/私钥对和密码。我正在尝试使用上面的密钥解码加密的文本。编码文本总是512个字符长的字母数字字符串。
我尝试使用SOF问题Decrypt using an RSA public key with PyCrypto
提供的代码首先,我使用了来自PEM文件的AES-256-CBC编码的私钥。 这是privkey.pem的开始,这使我认为它的AES-256加密
-----BEGIN RSA PRIVATE KEY-----
Proc-Type: 4,ENCRYPTED
DEK-Info: AES-256-CBC
<rest of the data>
-----END RSA PRIVATE KEY-----
但我收到以下错误消息。
ValueError: PEM encryption format not supported.
所以我向源代码询问了他们给我的没有AES加密的私钥。现在使用此密钥解密的作品和解密的文本如下所示(我只显示一些文本)
b'\x93\n(\x92\x02\x9aF*?\x18"\x19\x12Gn\xc2\<rest of the text>'
这不是我的纯文本。我究竟做错了什么?有人可以帮我解码这个文本。
编辑1:
根据Maarten的回答,我尝试了以下代码,但我仍然遇到错误。
这是我的解密代码
from Crypto.Cipher import PKCS1_OAEP
from Crypto.PublicKey import RSA
import ast
encrypted_text = "39085fc25e<HIDDEN>2fcce845760391ff"
key = RSA.importKey(open("\\path_to_key\\private.der", encoding="utf8").read())
cipher = PKCS1_OAEP.new(key)
message = cipher.decrypt(ast.literal_eval(str(uid)))
我收到错误:
UnicodeDecodeError: 'utf-8' codec can't decode byte 0x82 in position 1: invalid start byte
请注意,我必须使用下面的代码将我的私钥从PEM转换为DER,因为我正在使用PEM文件SyntaxError: unexpected EOF while parsing
openssl rsa -in private_key.pem -out private_key.der -outform DER
因为
答案 0 :(得分:1)
这是我找到的解决方案。
首先,我使用pycryptodome librray而不是pycrypto。
以下是我的编码和解码功能。
from Crypto.Cipher import PKCS1_OAEP
from Crypto.PublicKey import RSA
def encode_rsa(message, key_path):
key = RSA.importKey(open(key_path).read())
cipher = PKCS1_OAEP.new(key)
ciphertext = cipher.encrypt(message)
return ciphertext
def decode_rsa(ciphertext, key_path):
key = RSA.importKey(open(key_path).read())
cipher = PKCS1_OAEP.new(key)
# before decrypt convert the hex string to byte_array
message = cipher.decrypt(bytearray.fromhex(ciphertext))
return message
使用以上两个函数,我能够正确编码/解码数据。