如何在 PowerShell 制表符补全中隐藏文件扩展名?

如何在 PowerShell 制表符补全中隐藏文件扩展名?

如何更改默认的 Powershell CLI 行为以忽略$Env:Path环境变量中文件类型的文件扩展名?

如果我只是输入python,它就会正常工作并将我带入 Python 解释器,正如我期望的那样,因为扩展是环境变量的一部分。

问题是,当我pyth在 PowerShell 中键入并按 Tab 键完成时,它总是会附加.exe。我只希望它完成命令的第一部分,而不使用扩展名。

这可能吗?也许是一个脚本?

答案1

您可以用自己的函数覆盖标准制表符补全函数。在最新版本的 PowerShell 中,该函数是TabExpansion2。对它的修改似乎可以满足您的要求:

Function TabExpansion2 {
    [CmdletBinding(DefaultParameterSetName = 'ScriptInputSet')]
    Param(
        [Parameter(ParameterSetName = 'ScriptInputSet', Mandatory = $true, Position = 0)]
        [string] $inputScript,

        [Parameter(ParameterSetName = 'ScriptInputSet', Mandatory = $true, Position = 1)]
        [int] $cursorColumn,

        [Parameter(ParameterSetName = 'AstInputSet', Mandatory = $true, Position = 0)]
        [System.Management.Automation.Language.Ast] $ast,

        [Parameter(ParameterSetName = 'AstInputSet', Mandatory = $true, Position = 1)]
        [System.Management.Automation.Language.Token[]] $tokens,

        [Parameter(ParameterSetName = 'AstInputSet', Mandatory = $true, Position = 2)]
        [System.Management.Automation.Language.IScriptPosition] $positionOfCursor,

        [Parameter(ParameterSetName = 'ScriptInputSet', Position = 2)]
        [Parameter(ParameterSetName = 'AstInputSet', Position = 3)]
        [Hashtable] $options = $null
    )

    End
    {
        $source = $null
        if ($psCmdlet.ParameterSetName -eq 'ScriptInputSet')
        {
            $source = [System.Management.Automation.CommandCompletion]::CompleteInput(
                <#inputScript#>  $inputScript,
                <#cursorColumn#> $cursorColumn,
                <#options#>      $options)
        }
        else
        {
            $source = [System.Management.Automation.CommandCompletion]::CompleteInput(
                <#ast#>              $ast,
                <#tokens#>           $tokens,
                <#positionOfCursor#> $positionOfCursor,
                <#options#>          $options)
        }
        $field = [System.Management.Automation.CompletionResult].GetField('completionText', 'Instance, NonPublic')
        $source.CompletionMatches | % {
            If ($_.ResultType -eq 'Command' -and [io.file]::Exists($_.ToolTip)) {
                $field.SetValue($_, [io.path]::GetFileNameWithoutExtension($_.CompletionText))
            }
        }
        Return $source
    }    
}

我在以 开头的行后面添加了这些行$field;它会遍历默认的制表符完成选项,并删除那些看起来来自 的扩展PATH。我使用以下命令获取原始源代码:

(Get-Command 'TabExpansion2').ScriptBlock

如果您将新函数放入.ps1文件中并点执行该脚本(例如. .\tabnoext.ps1),它将成为当前会话的制表符完成处理程序。要在每次打开 PowerShell 窗口时加载它,只需将所有代码粘贴到PowerShell 配置文件脚本

如果你使用的是旧版本的 PowerShell,则需要覆盖TabExpansion函数仅返回一个字符串数组。

相关内容