ssh 使用的密钥格式在 RFC #4253 中定义。RSA 公钥的格式如下:
string "ssh-rsa"
mpint e /* key public exponent */
mpint n /* key modulus */
所有数据类型编码都在 RFC #4251 的 #5 节中定义。字符串和 mpint(多精度整数)类型是这样编码的:
4-bytes word: data length (unsigned big-endian 32 bits integer)
n bytes : binary representation of the data
例如,字符串“ssh-rsa”的编码是:
byte[] data = new byte[] {0, 0, 0, 7, 's', 's', 'h', '-', 'r', 's', 'a'};
要对公共进行编码:
public byte[] encodePublicKey(RSAPublicKey key) throws IOException
{
ByteArrayOutputStream out = new ByteArrayOutputStream();
/* encode the "ssh-rsa" string */
byte[] sshrsa = new byte[] {0, 0, 0, 7, 's', 's', 'h', '-', 'r', 's', 'a'};
out.write(sshrsa);
/* Encode the public exponent */
BigInteger e = key.getPublicExponent();
byte[] data = e.toByteArray();
encodeUInt32(data.length, out);
out.write(data);
/* Encode the modulus */
BigInteger m = key.getModulus();
data = m.toByteArray();
encodeUInt32(data.length, out);
out.write(data);
return out.toByteArray();
}
public void encodeUInt32(int value, OutputStream out) throws IOException
{
byte[] tmp = new byte[4];
tmp[0] = (byte)((value >>> 24) & 0xff);
tmp[1] = (byte)((value >>> 16) & 0xff);
tmp[2] = (byte)((value >>> 8) & 0xff);
tmp[3] = (byte)(value & 0xff);
out.write(tmp);
}
要对密钥进行字符串重新解析,只需在 Base64 中对返回的字节数组进行编码即可。
对于私钥编码,有两种情况:
- 私钥不受密码保护。在这种情况下,私钥根据PKCS#8标准进行编码,然后使用Base64进行编码。可以通过调用 来获取私钥的 PKCS8 编码。
getEncoded
RSAPrivateKey
- 私钥受密码保护。在这种情况下,密钥编码是OpenSSH专用格式。我不知道是否有任何关于这种格式的文档(当然除了OpenSSH源代码)