在学习 js 加密的过程中,关于 RSA 加密知识有所接触,因此记录一下实际过程中遇到的问题。
在这里我们主要讲解当没有公钥,已知公钥模数和指数的情况下,实现 RSA 加密。
一、cryptography 包获取 RSA 公钥
首先需要安装 cryptography ,pip3 install cryptography
。
from cryptography.hazmat.backends import default_backend
from cryptography.hazmat.primitives.asymmetric import rsa
from cryptography.hazmat.primitives import serialization
#方法一
def populate_public_key(rsaExponent, rsaModulus):
'''
根据cryptography包下的rsa模块,对指数模数进行处理生成公钥
:param rsaExponent:指数
:param rsaModulus:模数
:return:公钥
'''
rsaExponent = int(rsaExponent, 16) # 十六进制转十进制
rsaModulus = int(rsaModulus, 16)
pubkey = rsa.RSAPublicNumbers(rsaExponent, rsaModulus).public_key(default_backend())
return pubkey
if __name__ == '__main__':
rsaExponent = "010001"
rsaModulus = "008baf14121377fc76eaf7794b8a8af17085628c3590df47e6534574efcfd81ef8635fcdc67d141c15f51649a89533df0db839331e30b8f8e4440ebf7ccbcc494f4ba18e9f492534b8aafc1b1057429ac851d3d9eb66e86fce1b04527c7b95a2431b07ea277cde2365876e2733325df04389a9d891c5d36b7bc752140db74cb69f"
pubkey = populate_public_key(rsaExponent, rsaModulus)
二、rsa 包获取 RSA 公钥
需要安装 rsa,pip3 install rsa
import rsa
#方法二
def rsa_ne_key(rsaExponent, rsaModulus):
'''
通过rsa包依据模数和指数生成公钥,实现加密
:param rsaExponent:
:param rsaModulus:
:return:
'''
rsaExponent = int(rsaExponent, 16) # 十六进制转十进制
rsaModulus = int(rsaModulus, 16)
key = rsa.PublicKey(rsaModulus, rsaExponent)
return key
if __name__ == '__main__':
rsaExponent = "010001"
rsaModulus = "008baf14121377fc76eaf7794b8a8af17085628c3590df47e6534574efcfd81ef8635fcdc67d141c15f51649a89533df0db839331e30b8f8e4440ebf7ccbcc494f4ba18e9f492534b8aafc1b1057429ac851d3d9eb66e86fce1b04527c7b95a2431b07ea277cde2365876e2733325df04389a9d891c5d36b7bc752140db74cb69f"
key = rsa_ne_key(rsaModulus, rsaExponent)
Python 具体实现 RSA 加密的内容,后续等总结整理后,再分享大家一起学习。