我想在Powershell中生成一个RSA公共私钥对而不使用外部软件,并且我想对其进行测试。它应该能够在任何在线公钥/私钥验证服务上加密/解密数据。
目的-严格教育。我非常清楚,出于安全考虑,您不应该在线导出私钥。
到目前为止,我已经尝试过 ssh-keygen 和
$RSA = New-Object System.Security.Cryptography.RSACryptoServiceProvider(2048)
[System.Convert]::ToBase64String($rsa.ExportCspBlob(1))
[System.Convert]::ToBase64String($rsa.ExportCspBlob(0))
System.Security.Cryptography.RSACryptoServiceProvider创建P,Q等所有用于计算公钥/私钥的原材料,但我不希望使用该原材料。
ExportCspBlob(x)提供了一个密钥,但是当我尝试在线对其进行验证时,密钥对验证失败。
因此,有什么方法可以在Powershell中创建RSA公共私钥对而无需使用任何外部程序,可以直接将其复制粘贴为证书格式(带有 ----- BEGIN PRIVATE KEY的证书格式) ---- 的东西)?
答案 0 :(得分:1)
如果您只想使用Powershell实施公钥加密/解密,则可以使用内置工具。要生成密钥对,只需使用New-SelfSignedCertificate cmdlet,然后可以使用生成的证书通过Protect / Unprotect-CmsMessage来加密/解密数据(这是类似PGP的cmdlet,这意味着您不必自己处理对称密钥部分) 。然后,要将密钥共享或移动到其他计算机,可以使用Import / Export-Certificate cmdlet。参见下面的示例
$store = "cert:\CurrentUser\My"
$params = @{
CertStoreLocation = $store
Subject = "CN=Test1"
KeyLength = 2048
KeyAlgorithm = "RSA"
KeyUsage = "DataEncipherment"
Type = "DocumentEncryptionCert"
}
# generate new certificate and add it to certificate store
$cert = New-SelfSignedCertificate @params
# list all certs
# Get-ChildItem -path $store
# Encryption / Decryption
$message = "My secret message"
$cipher = $message | Protect-CmsMessage -To "CN=Test1"
Write-Host "Cipher:" -ForegroundColor Green
$cipher
Write-Host "Decrypted message:" -ForegroundColor Green
$cipher | Unprotect-CmsMessage
# Exporting/Importing certificate
$pwd = ("P@ssword" | ConvertTo-SecureString -AsPlainText -Force)
$privateKey = "$home\Documents\Test1.pfx"
$publicKey = "$home\Documents\Test1.cer"
# Export private key as PFX certificate, to use those Keys on different machine/user
Export-PfxCertificate -FilePath $privateKey -Cert $cert -Password $pwd
# Export Public key, to share with other users
Export-Certificate -FilePath $publicKey -Cert $cert
#Remove certificate from store
$cert | Remove-Item
# Add them back:
# Add private key on your machine
Import-PfxCertificate -FilePath $privateKey -CertStoreLocation $store -Password $pwd
# This is for other users (so they can send you encrypted messages)
Import-Certificate -FilePath $publicKey -CertStoreLocation $store