0

我想要实现的是,如果输出是一行并且该行被写在一个变量中。这是我现在拥有的代码:

Connect-AzureRmAccount
(get-azurermresourcegroup).ResourceGroupName 
$filter = Read-Host -Prompt "Please filter to find the correct resource group" 
$RGName = get-azurermresourcegroup | Where-Object { $_.ResourceGroupName -match $filter } 
$RGName.resourcegroupname

此代码过滤一次,然后将所有行写在彼此下方,因此结果如下:

ResourceGroup-Test
ResourceGroup-Test-1
ResourceGroup-Test-2 

但首选的输出是继续过滤直到剩下一个

4

1 回答 1

2

Out-GridView

但首选的输出是继续过滤直到剩下一个

根据运行用户为过滤器选择的内容,这可能是一种惩罚方法/不必要的复杂。如果您只想要一个结果,我们如何改为使用类似的东西Out-GridView来允许用户从他们选择的过滤器中选择一个结果。

$filter = Read-Host -Prompt "Please filter to find the correct resource group" 
$RGName = get-azurermresourcegroup | 
    Where-Object { $_.ResourceGroupName -match $filter } | 
    Out-GridView -OutputMode Single 
$RGName.resourcegroupname

您本可以使用-PassThru,但这允许进行多项选择。-OutputMode Single. 因此,如果过于模糊,这仍然有可能产生巨大的选择集,$filter但这是确保您获得一个结果的简单方法。另一个警告是用户可以单击取消。所以你可能仍然需要一些循环逻辑:do{..}until{}. 这取决于您希望使此过程具有多大的弹性。

选择

如果Out-GridView不是你的速度。另一种选择是使用$host.ui.PromptForChoice. 以下是允许用户从集合中选择子文件夹的示例。

$possibilities = Get-ChildItem C:\temp -Directory

If($possibilities.Count -gt 1){
    $title = "Folder Selection"
    $message = "Which folder would you like to use?"

    # Build the choices menu
    $choices = @()
    For($index = 0; $index -lt $possibilities.Count; $index++){
        $choices += New-Object System.Management.Automation.Host.ChoiceDescription  ($possibilities[$index]).Name
    }

    $options = [System.Management.Automation.Host.ChoiceDescription[]]$choices
    $result = $host.ui.PromptForChoice($title, $message, $options, 0) 

    $selection = $possibilities[$result]
}

$selection

您应该能够以与我建议的Out-GridView. 不过要小心这种方法。选项太多会使屏幕混乱。

于 2018-11-06T13:09:51.977 回答