PowerShell ISE 配置文件在选项卡中加载脚本

PowerShell ISE Profile loading scripts in tabs

我想在 PowerShell ISE 配置文件 (Microsoft.PowerShellISE_profile.ps1) 中添加一个部分,它执行以下操作:

  1. 用给定的名称创建几个新标签
  2. 在每个选项卡中打开一个或多个独特的脚本文件(不是 运行 脚本,只需打开文件)

我想过像下面的代码片段那样做一些事情,但是当打开 ISE 时它会创建无穷无尽的新选项卡,我需要让它按照我想要的方式去做。

$tab1 = $psISE.PowerShellTabs.Add()
$tab1.DisplayName = "First-tab"

While (-not $tab1.CanInvoke) {
    Start-Sleep -m 100
}

所需构建示例:

  1. 第一个标签
    • 脚本 1
    • 脚本 2
  2. 第二个标签
    • 脚本 3
  3. 第三个选项卡
    • 脚本 4
    • 脚本 5

它用您当前的代码无休止地打开新标签的原因是每个新标签都会设置自己的运行空间并(再次)加载配置文件

一种方法是让配置文件脚本的每次执行负责加载自己的脚本,打开下一个(如果有的话),然后return:

# Define tabs and their content
$Tabs = [ordered]@{
    'Tab One' = @(
        '.\path\to\Script1.ps1'
        '.\path\to\Script2.ps1'
    )
    'Tab Two' = @(
        '.\path\to\Script3.ps1'
    )
    'Tab Three' = @(
        '.\path\to\Script4.ps1'
    )
}

foreach($tabDef in $Tabs.GetEnumerator()){
    # Loop through the tab definitions until we reach one that hasn't been configured yet
    if(-not $psISE.PowerShellTabs.Where({$_.DisplayName -eq $tabDef.Name})){

        # Set the name of the tab that was just created
        $psISE.CurrentPowerShellTab.DisplayName = $tabDef.Name

        # Open the corresponding files
        foreach($file in Get-Item -Path $tabDef.Value){
            $psISE.CurrentPowerShellTab.Files.Add($file.FullName)
        }

        if($psISE.PowerShellTabs.Count -lt $Tabs.Count){
            # Still tabs to be opened
            $newTab = $psISE.PowerShellTabs.Add()        
        }

        # Nothing more to be done - if we just opened a new tab it will take care of itself
        return
    }
}