我相信这是一个非常基本的问题,但我开始使用JavaScript和RSA进行研究,所以我有点迷失了。我刚刚下载了Cryptico库,它为我提供了一个易于使用的RSA密钥生成/加密/解密。只需使用以下命令即可轻松提取生成的RSA密钥的公共部分:
publicKeyString(RsaKey)
这是:
my.publicKeyString = function(rsakey)
{
pubkey = my.b16to64(rsakey.n.toString(16));
return pubkey;
}
在函数中生成密钥时定义了rsakey.n:
function RSAGenerate(B, E)
{
var rng = new SeededRandom();
var qs = B >> 1;
this.e = parseInt(E, 16);
var ee = new BigInteger(E, 16);
for (;;)
{
for (;;)
{
this.p = new BigInteger(B - qs, 1, rng);
if (this.p.subtract(BigInteger.ONE).gcd(ee).compareTo(BigInteger.ONE) == 0 && this.p.isProbablePrime(10)) break;
}
for (;;)
{
this.q = new BigInteger(qs, 1, rng);
if (this.q.subtract(BigInteger.ONE).gcd(ee).compareTo(BigInteger.ONE) == 0 && this.q.isProbablePrime(10)) break;
}
if (this.p.compareTo(this.q) <= 0)
{
var t = this.p;
this.p = this.q;
this.q = t;
}
var p1 = this.p.subtract(BigInteger.ONE);
var q1 = this.q.subtract(BigInteger.ONE);
var phi = p1.multiply(q1);
if (phi.gcd(ee).compareTo(BigInteger.ONE) == 0)
{
this.n = this.p.multiply(this.q);
this.d = ee.modInverse(phi);
this.dmp1 = this.d.mod(p1);
this.dmq1 = this.d.mod(q1);
this.coeff = this.q.modInverse(this.p);
break;
}
}
}
但是密钥的私密部分,我只是无法理解如何提取,因此我将能够保存公钥/私钥部分并可供以后使用。
答案 0 :(得分:4)
RSA以这样的方式定义,公钥中包含的值构成私钥中包含的值的子集。所以您的私钥已经rsakey
。其他公钥方案在公钥和私钥完全不同的情况下的工作方式不同。
此外rsakey.n
未完全定义公钥。您至少需要公开指数e
。但由于它通常只设置为65537.它是E
中的RSAGenerate
。在这种情况下,它会被忽略because
使用Tom Wu的RSA密钥生成器生成一个(种子)随机RSA密钥,其中3为硬编码公共指数。
您可以选择私钥的类似编码作为公钥,但由于它必须包含多个值,因此我选择了JSON序列化:
(function(c){
var parametersBigint = ["n", "d", "p", "q", "dmp1", "dmq1", "coeff"];
c.privateKeyString = function(rsakey) {
var keyObj = {};
parametersBigint.forEach(function(parameter){
keyObj[parameter] = c.b16to64(rsakey[parameter].toString(16));
});
// e is 3 implicitly
return JSON.stringify(keyObj);
}
c.privateKeyFromString = function(string) {
var keyObj = JSON.parse(string);
var rsa = new RSAKey();
parametersBigint.forEach(function(parameter){
rsa[parameter] = parseBigInt(c.b64to16(keyObj[parameter].split("|")[0]), 16);
});
rsa.e = parseInt("03", 16);
return rsa
}
})(cryptico)