我一直在尝试使用 PHP 的 openssl 扩展生成 RSA 密钥对,并将结果保存为与 OpenSSH 兼容的密钥对——这意味着私钥是 PEM 编码的(这很容易),而公钥以 OpenSSH 特定格式存储以下形式:
ssh-rsa AAAAB3NzaC1yc2EAAAADAQABA...more base64 encoded stuff...
据我所知,这种格式包括:
- 明文形式的密钥类型,后跟空格(即“openssh-rsa”)
- 表示以下数据的 base64 编码字符串:
- 算法名称的长度,以字节为单位(在本例中为 7),编码为 32 位无符号长大端
- 算法名称,在本例中为“ssh-rsa”
- RSA 'e' 数字的长度(以字节为单位),编码为 32 位无符号长大端
- RSA 'e' 号码
- RSA 'n' 数字的长度(以字节为单位),编码为 32 位无符号长大端
- RSA 'n' 号码
我已经尝试使用 PHP 的 pack() 函数来实现这一点,但无论我尝试什么,结果永远不会等同于我ssh-keygen -y -f
在 openssl 生成的同一个 RSA 私钥上使用该命令所得到的结果。
这是我的代码的简化版本:
<?php
// generate private key
$privKey = openssl_pkey_new(array(
'private_key_bits' => 1024,
'private_key_type' => OPENSSL_KEYTYPE_RSA
));
// convert public key to OpenSSH format
$keyInfo = openssl_pkey_get_details($privKey);
$data = pack("Na*", 7, 'ssh-rsa');
$data .= pack("Na*", strlen($keyInfo['rsa']['e']), $keyInfo['rsa']['e']);
$data .= pack("Na*", strlen($keyInfo['rsa']['n']), $keyInfo['rsa']['n']);
$pubKey = "ssh-rsa " . base64_encode($data);
echo "PHP generated RSA public key:\n$pubKey\n\n";
// For comparison, generate public key using ssh-keygen
openssl_pkey_export($privKey, $pem);
$umask = umask(0066); // this is needed for ssh-keygen to work properly
file_put_contents('/tmp/ssh-keygen-test', $pem);
umask($umask);
exec('ssh-keygen -y -f /tmp/ssh-keygen-test', $out, $ret);
$otherPubKey = $out[0];
echo "ssh-keygen generated RSA public key:\n$otherPubKey\n\n";
echo ($pubKey == $otherPubKey ? "yes! they are the same\n" : "FAIL! they are different\n");
?>
关于如何在不依赖 ssh-keygen 的情况下做到这一点的任何提示?