문제

vb.net에서 나는 종종 Catch…When:

Try
    …
Catch e As ArgumentNullException When e.ParamName.ToUpper() = "SAMPLES"
    …
End Try

C#에 해당하는 것이 있습니까? Catch…When?

나는 사용에 의지하고 싶지 않습니다 if 내부의 진술 catch 가능하다면.

도움이 되었습니까?

해결책

This functionality was announced for C# 6. It is now possible to write

try { … }
catch (MyException e) when (myfilter(e))
{
    …
}

You can download the preview of Visual Studio 2015 now to check this out, or wait for the official release.

다른 팁

There's no equivalent to Catch…When in C#. You will really have to resort to an if statement inside your catch, then rethrow if your condition isn't fulfilled:

try
{
    …
}
catch (ArgumentNullException e)
{
    if ("SAMPLES" == e.ParamName.ToUpper())
    {
        … // handle exception
    }
    else
    {
        throw;  // condition not fulfilled, let someone else handle the exception
    } 
}

That won't recreate the same semantics as the VB Catch When expression. There is one key difference. The VB When expression is executed before the stack unwind occurs. If you were to examine the stack at the point of a when Filter, you would actually see the frame where the exception was thrown.

Having an if in the catch block is different because the catch block executes after the stack is unwound. This is especially important when it comes to error reporting. In the VB scenario you have the capability of crashing with a stack trace including the failure. It's not possible to get that behavior in C#.

EDIT:

Wrote a detailed blog post on the subject.

라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top