我正在编写一个Powershell脚本来浏览我的IIS绑定列表,查找具有特定“旧”证书指纹的任何内容,并将其证书替换为具有“新”指纹的证书。这样我就可以为许多绑定更新证书,因为我们对很多站点使用相同的证书,因此我们需要将具有旧证书的所有绑定更新到新证书。以下是我的想法:
##### EDIT THESE VARIABLES #####
$SiteName = "movc-website-www"
$OldCertThumbprint = "76 ae 0b 2e b9 f7 45 ce 27 c4 02 6e 90 66 62 93 69 d7 5e 4c"
$ReplacementCertThumbprint = "7f fa 9f f3 90 b8 a2 d8 4c 98 51 47 a5 64 1d 90 f6 2f ca 73"
##### FUNCTIONS #####
Function ReplaceWebsiteBinding {
Param(
[string] $SiteName,
[string] $OldCertThumbprint,
[string] $ReplacementCertThumbprint
);
Import-Module WebAdministration;
$ReplacedCount = 0
$IISBindings = (Get-ItemProperty -Path "IIS:\Sites\$SiteName" -Name Bindings)
for ($i=0; $i -lt ($IISBindings.Collection).Length; $i++) {
if (($IISBindings.Collection[$i]).certificateHash -eq $OldCertThumbprint) {
($IISBindings.Collection[$i]).RebindSslCertificate($ReplacementCertThumbprint, "My")
$ReplacedCount++
}
}
Return $ReplacedCount
}
##### MAIN PROGRAM #####
$OldCertThumbprint = $OldCertThumbprint.Replace(" ", "").ToUpper()
$ReplacementCertThumbprint = $ReplacementCertThumbprint.Replace(" ", "").ToUpper()
# Check that cert with given thumbprints exist
$FoundCert = Get-ChildItem -Path Cert:\LocalMachine\My |
Where-Object { $_.Thumbprint -eq $OldCertThumbprint } |
Select-Object -ExpandProperty Thumbprint
if (!$FoundCert) {
Write-Host "Old cert with thumbprint $OldCertThumbprint not found!"
Exit
}
$FoundCert = Get-ChildItem -Path Cert:\LocalMachine\My |
Where-Object { $_.Thumbprint -eq $ReplacementCertThumbprint } |
Select-Object -ExpandProperty Thumbprint
if (!$FoundCert) {
Write-Host "Replacement cert with thumbprint $ReplacementCertThumbprint not found!"
Exit
}
# Associate new cert with bindings that have old cert
$ReplacedCount = ReplaceWebsiteBinding $SiteName $OldCertThumbprint $ReplacementCertThumbprint
Write-Host "Replaced $ReplacedCount binding(s)."
问题是这不起作用,因为调用.RebindSslCertificate(...)
的行给了我以下Powershell错误:
Value does not fall within the expected range.
At (...)
+ ($IISBindings.Collection[$i]).RebindSslCertificate($Repla ...
+ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+ CategoryInfo : OperationStopped: (:) [], ArgumentException
+ FullyQualifiedErrorId : System.ArgumentException
真的不是最有用的错误,我无法弄清楚为什么我会得到它。这些论点对我来说很好;指纹由Get-ChildItem
代码找到,“我的”看起来很好。我唯一能想到的是,它可能会查找当前的用户证书存储而不是本地计算机证书存储,这是所需证书所在的位置。任何人都可以帮我解释为什么会发生这种错误吗?
答案 0 :(得分:5)
事实证明我遇到了与here所述相同的问题(RebindSslCertificate
证书与删除它然后调用AddSslCertificate
相同。出于某些愚蠢的原因从Windows中的证书对话框复制指纹时,它会在字符串的开头插入一个零宽度的LTR字符,因此我的指纹无效。我在脚本的开头添加了一个检查,以防止它:
if ($OldCertThumbprint -match "[\W-[\ ]]") {
Write-Host "Old cert thumbprint contains non-word characters, maybe a zero-width LTR Unicode character at the beginning. You almost certainly don't want this! Aborting!"
Exit
}
if ($ReplacementCertThumbprint -match "[\W-[\ ]]") {
Write-Host "Replacement cert thumbprint contains non-word characters, maybe a zero-width LTR Unicode character at the beginning. You almost certainly don't want this! Aborting!"
Exit
}