一般来说,如何找到有关 PowerShell 对象的更多信息?

一般来说,如何找到有关 PowerShell 对象的更多信息?

在研究如何查看计算机 Windows 更新检查状态时,我发现了以下代码:

$UpdateSession = New-Object -ComObject Microsoft.Update.Session
$UpdateSearcher = $UpdateSession.CreateupdateSearcher()
$Updates = @($UpdateSearcher.Search("IsHidden=0 and IsInstalled=0").Updates)
$Updates | Select-Object Title

这段代码本身并不能满足我的需求,但我觉得它可能足够强大。我摆脱了限制Select-Object Title,返回了许多属性,这Type引起了我的兴趣,因为我希望这Type可以区分驱动程序更新、第三方更新(如 Microsoft Silverlight)和真正的“Windows 更新”,但无论我如何努力寻找更多信息,我都找不到任何东西。

我在 google 和 MSDN 上搜索过"Microsoft.Updates.Session",没有找到任何资料真正告诉我它有哪些属性以及枚举的含义(例如 Type=1 与 Type=2)。

是否有我应该搜索的 PowerShell 对象引用,或者,当我需要时,如何查找有关 PowerShell 对象的更多信息?

答案1

首先,该类型[Microsoft.Update.Session]实际上并不是内置的 Powershell 对象,而是Windows 更新代理 (WUA) API。因此,它没有任何内置帮助文件或 powershell 可以向您显示的示例,但可以在 Microsoft 网站上进行搜索。

链接的 MS 文档有一些关于如何使用 api 通过 Windows 更新执行不同操作的很好的例子,并且它大部分可以直接转换为在 Powershell 中使用。

我碰巧以前用过这个,所以这里介绍一下 powershell 中的一些基础知识:

# Create a new update session, and search for updates
$updateObject = New-Object -ComObject Microsoft.Update.Session
$updateObject.ClientApplicationID = "Example Client ID"
$updateSearcher = $updateObject.CreateUpdateSearcher()

# Search for updates using a simple search filter, and save the results to a variable:
$searchResults = $updateSearcher.Search("IsInstalled=0")

# If there are updates available, download them:
if ($searchResults.Updates -and $searchResults.Updates.count -gt 0){
    $count=$searchResults.Updates.count
    Write-Output ( "Found " + $searchResults.Updates.Count + " Updates" )
    $updateDownloader = $updateObject.CreateUpdateDownloader()
    $updateDownloader.Updates = $searchResults.Updates
    Write-Output "Downloading..."
    $updateDownloader.Download()

    # Then install the updates:
    $updateInstaller = $updateObject.CreateUpdateInstaller()
    $updateInstaller.Updates = $searchResults.Updates
    Write-Output "Installing..."
    $result = $updateInstaller.Install()

    # Then output the result
    Write-Output ("Installation Result: " + $Result.ResultCode)
    Write-Output ("Reboot Required: " + $Result.RebootRequired)
}
else { Write-Output "No updates found. Exiting..." }

至于搜索特定更新,您需要将过滤器添加到$UpdateSearcher.搜索()方法。例如,看起来它可以有 type='Software' 或 type='Driver'。

请注意,WUA API 有一个错误/功能,通常需要它在机器上本地运行而不是远程启动,但您可以通过创建运行脚本的计划任务来解决这个问题。

最后,实际上回答您的问题 - 作为一般规则,Get-Member $MyObject并将Get-Help $MyCommand帮助您发现大多数内置的 Powershell 功能。

答案2

最简单的方法是使用Get-Membercmdlet,例如:

$Updates | Get-Member

在这种情况下,它很可能是一个 COM 对象,但它仍然应该向您显示方法和属性

相关内容