我正在尝试创建一个自动检查BitLocker状态的脚本,然后在未启用时发送电子邮件。
这是我到目前为止所做的:
Get-BitlockerVolume -MountPoint "C:" | Select ProtectionStatus
这显示了我的状态,但现在我正在努力处理输出。我试过这样做:
$OutputVariable = (Get-BitlockerVolume -MountPoint "C:" | Select
ProtectionStatus)
If ($OutputVariable -like "Off") {Echo "Oops"}
Else {Echo "Wow!"}
如果我正确地理解它,哪个应该输出“哎呀”,但它一直让我“哇!”
也许我做错了,所以我正在寻找一些指导。
编辑:
感谢下面的评论,我能够让它发挥作用。这是我的完整脚本:
# Bitlocker Script
set-alias ps64 "$env:windir\sysnative\WindowsPowerShell\v1.0\powershell.exe"
set-alias ps32 "$env:windir\syswow64\WindowsPowerShell\v1.0\powershell.exe"
ps64 {Import-Module BitLocker; Get-BitlockerVolume}
$wmiDomain = Get-WmiObject Win32_NTDomain -Filter "DnsForestName = '$( (Get-WmiObject Win32_ComputerSystem).Domain)'"
$domain = $wmiDomain.DomainName
$OutputVariable = (ps64 {Get-BitlockerVolume -MountPoint "C:"})
If ($OutputVariable.volumestatus -like "FullyEncrypted")
{
Exit
}
ElseIf ($OutputVariable.volumestatus -NotLike "FullyEncrypted")
{
$date = Get-Date
$emailSmtpServer = "smtp.xxx.com"
$emailSmtpServerPort = "xxx"
$emailSmtpUser = "xxx@xxx.nl"
$emailSmtpPass = "xxx"
$emailMessage = New-Object System.Net.Mail.MailMessage
$emailMessage.From = "Report <xxx@xxx.nl>"
$emailMessage.To.Add( "xxx@xxx.net" )
$emailMessage.Subject = "Bitlocker Status Alert | $domain $env:COMPUTERNAME"
$emailMessage.Body = "Bitlocker niet actief op $domain $env:COMPUTERNAME getest op $date"
$SMTPClient = New-Object System.Net.Mail.SmtpClient( $emailSmtpServer , $emailSmtpServerPort )
$SMTPClient.EnableSsl = $true
$SMTPClient.Credentials = New-Object System.Net.NetworkCredential( $emailSmtpUser , $emailSmtpPass );
$SMTPClient.Send( $emailMessage)
}
答案 0 :(得分:3)
PowerShell返回对象。您可以使用Select
cmdlet将这些对象的属性减少为您感兴趣的对象。
如下命令:
Get-BitlockerVolume -MountPoint "C:" | Select ProtectionStatus
返回一个具有单个&#34; ProtectionStatus&#34;的对象。属性,因此将其与字符串进行比较不会导致匹配。
您可以通过点表示法(例如$OutputVariable.protectionstatus
)访问该属性,以对其内容进行比较。或者,您可以修改Select
cmdlet以使用-ExpandProperty
,这将返回指定属性的值作为其类型的对象:
$OutputVariable = Get-BitlockerVolume -MountPoint "C:" | Select -ExpandProperty ProtectionStatus
实现相同结果的另一种方法是:
$OutputVariable = (Get-BitlockerVolume -MountPoint "C:").ProtectionStatus
这里括号使cmdlet执行,但是我们使用点表示法只返回指定的属性。