Powershell 在出现错误时不显示其他条件

Powershell doesnt shows else condition when get error

当我尝试 运行 脚本时 仅触发第一个和第二个条件 当我尝试在不存在随机文件夹的情况下尝试“例如 D:\random”时,我收到了错误消息,而不是触发第三个条件“else”

function listChildFolder($folderPath) 
{

    #write your script here
    $folderPath = Read-Host "input"
    
    if ((Get-ChildItem $folderPath) -ne $null)
        { $folderPath| Get-ChildItem |Sort-Object -Property LastWriteTime -Descending |Format-Table name }

    elseif ((Get-ChildItem $folderPath) -eq $null)
        { "Folder Empty" }
    else {"Error: <Error message>"}
        
  
    return 

}

由于 Get-ChildItem 在文件夹路径不存在时抛出终止错误,函数将在那里结束,其余的 elseif 或 else 条件永远不会执行。

我建议在 try{..} catch{..} 中执行此操作,这样您就可以捕获这样的异常:

类似

function listChildFolder {
    [CmdletBinding()]
    param (
        [Parameter(Mandatory = $true, ValueFromPipeline = $true)]
        [string]$folderPath
    )    

    # capture the terminating error message when the path does not exist
    # by specifying -ErrorAction Stop
    try {
        # since we do not add switch '-File' or '-Directory', 
        # the Get-ChildItem cmdlet will return both types
        $filesAndFolders = Get-ChildItem -Path $folderPath -ErrorAction Stop
        # next, find out if we found any files or folders in the path
        # the '@()' forces the $filesAndFolders variable into an array, so we can use the .Count property
        if (@($filesAndFolders).Count) {
            $filesAndFolders | Sort-Object LastWriteTime -Descending | Select-Object Name
        }
        else {
            Write-Host "No files or subfolders found in '$folderPath'"
        }
    }
    catch {
        Write-Warning "Error: $($_.Exception.Message)"
    }
}


$folderPath = Read-Host "Please enter a folder path"
# call the function
listChildFolder $folderPath

另一个建议是您使用 PowerShell Verb-Noun 函数命名约定


根据你说你不能使用 try{..} catch{..} 的评论,当然还有其他方法。

这个怎么样:

function listChildFolder {
    [CmdletBinding()]
    param (
        [Parameter(Mandatory = $true, ValueFromPipeline = $true)]
        [string]$folderPath
    )    

    # test if the given folder path exists
    if (Test-Path -Path $folderPath -PathType Container) {
        # since we do not add switch '-File' or '-Directory', 
        # the Get-ChildItem cmdlet will return both types
        $filesAndFolders = Get-ChildItem -Path $folderPath
        # next, find out if we found any files or folders in the path
        # the '@()' forces the $filesAndFolders variable into an array, so we can use the .Count property
        if (@($filesAndFolders).Count) {
            $filesAndFolders | Sort-Object LastWriteTime -Descending | Select-Object Name
        }
        else {
            Write-Host "No files or subfolders found in '$folderPath'"
        }
    }
    else {
        Write-Warning "Error: '$folderPath' does not exist"
    }
}


$folderPath = Read-Host "Please enter a folder path"
# call the function
listChildFolder $folderPath