Powershell捕获异常类型

时间:2019-01-15 06:20:51

标签: powershell exception exception-handling

是否有方便的方法来捕获异常和内部异常以进行尝试捕获?

示例代码:

$a = 5
$b = Read-Host "Enter number" 
$c = $a / $b #error if $b -eq 0
$d = get-content C:\I\Do\Not\Exist

第3行将生成带有内部异常的运行时错误(编辑:已修复此命令$ Error [1] .Exception.InnerException.GetType()),第4行将生成“标准”(?)类型异常($ Error [0] .Exception.GetType())。

是否可以通过同一行代码从这两者中获得所需的结果?

Ad1:第3行出现错误

At -path-:3 char:1

+ $c = $a / $b #error if $b -eq 0
+ ~~~~~~~~~~~~
    + CategoryInfo          : NotSpecified: (:) [], RuntimeException
    + FullyQualifiedErrorId : RuntimeException

Ad2:第4行出现错误

get-content : Cannot find path 'C:\I\Do\Not\Exist' because it does not exist.

At -path-:4 char:6

+ $d = get-content C:\I\Do\Not\Exist

+      ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~

    + CategoryInfo          : ObjectNotFound: (C:\I\Do\Not\Exist:String) 
[Get-Content], ItemNotFoundException    
    + FullyQualifiedErrorId : PathNotFound,Microsoft.PowerShell.Commands.GetContentCommand

编辑:为了清楚起见,我希望结果以某种方式返回DivideByZeroException和ItemNotFoundException

2 个答案:

答案 0 :(得分:0)

答案 1 :(得分:0)

首先,您可以显式捕获特定的异常类型:

$ErrorActionPreference = "Stop"
try {
    1/0
}
catch [System.DivideByZeroException] {
    $_.Exception.GetType().Name
}
try {
    gi "c:\x"
}
catch [System.Management.Automation.ItemNotFoundException] {
    $_.Exception.GetType().Name
}

DivideByZeroException基本上只是RuntimeException的InnerException,从理论上讲,InnerException可以无休止地嵌套:

catch {
    $exception = $_.Exception
    do {
        $exception.GetType().Name
        $exception = $exception.InnerException
    } while ($exception)
}

,您可以处理RuntimeException作为特殊情况。甚至PowerShell也这样做。看第一个代码示例。即使指定了 inner 异常的类型,也会达到catch块。

您可以自己做类似的事情:

catch {
    $exception = $_.Exception
    if ($exception -is [System.Management.Automation.RuntimeException] -and $exception.InnerException) {
        $exception = $exception.InnerException
    }
    $exception.GetType().Name
}

注意,如果要捕获两个异常,则每个命令需要一个try-catch。否则,如果第一个失败,则第二个将不会执行。另外,您还必须指定$ErrorActionPreference"Stop"才能捕获非终止异常。