从异常中获取异常类型
本文关键字:异常 类型 获取 | 更新日期: 2023-09-27 18:13:04
我有一个应用程序连接SAP与RFC调用,我需要在连接失败时向用户显示一个通知,同时尝试建立与SAP的RFC调用。我得到以下异常。
{
SAP.Middleware.Connector.RfcCommunicationException:
LOCATION CPIC (TCP/IP) on local host with Unicode
ERROR partner '151.9.39.8:8010' not reached
TIME Wed Jul 16 10:32:05 2014
RELEASE 720
COMPONENT NI (network interface)
VERSION 40
RC -10
MODULE nixxi.cpp
LINE 3286
DETAIL NiPConnect2: 151.9.39.8:8010
SYSTEM CALL connect
ERRNO 10060
ERRNO TEXT WSAETIMEDOUT: Connection timed out
COUNTER 2
}
通过使用这个异常我需要通知用户。但是我如何识别它是否是SAP.Middleware.Connector.RfcCommunicationException
,因为我也在处理其他异常。是否有办法在不连接上述异常字符串的情况下获得异常的类型?
在我的try catch块中我正在这样做,但它不工作。
catch (Exception ex)
{
if (ex.ToString().ToLower() == "rfccommunicationexception")
{
MessageError = "RFC error";
}
}
显式捕获异常:
catch(SAP.Middleware.Connector.RfcCommunicationException)
{
// RFC exception
}
catch(Exception e)
{
// All other exceptions
}
最好的方法是使用多个catch块:
try
{
// your code
}
catch(RfcCommunicationException rfcEx)
{
// handle rfc communication exception
}
cathc(Exception ex)
{
// handle other exception
}
您可以使用is
: -
catch (Exception exception )
{
if (exception is SAP.Middleware.Connector.RfcCommunicationException)
{
////Your code
}
}
或者像Resharper建议的那样,最好捕获特定的异常,如下所示:-
catch(SAP.Middleware.Connector.RfcCommunicationException)
{
// Your code
}
你可以试试这个:
// Catch the exception
catch(exception e)
{
// Check if the type of the exception is an RFC exception.
if(e is SAP.Middleware.Connector.RfcCommunicationException)
{
}
else // It is not an RFC exception.
{
}
}
或者您可以尝试分别catch
每个异常,如下所示:
catch(SAP.Middleware.Connector.RfcCommunicationException exception)
{
}
catch(exception e)
{
}