I start a process with the default application for the file type, but if the user has deleted his default application, a Win32Exception is thrown. In addition there are other cases when a Win32Exception is thrown e.g. if the user has no rights to open the default application.
Now I'm looking for the best way to seperate between the exceptions.
How can i check which exception exactly is thrown? Is the only way to check it by its Exception message?
I'm catching it like this:
try
{
process.Start();
}
catch (Win32Exception exc)
{
//How to check which exception exactly is thrown?
return return string.Format("Process cannot be started", exc.Message)
}
This was mit first idea but i think there is a better way to accomplish this task:
catch (Win32Exception exc)
{
if(exc.Message == "Application not found")
{
//Do something
}
else if(exc.Message == "Another exception")
{
//Do something else
}
}
With
Win32Exception
you may need to check bothWin32Exception.NativeErrorCode
and its inheritedExternalException.ErrorCode
values.C# 6 introduces exception filters which allow you to opt-in to handling an exception without needing to rewind the stack prematurely if you intend to re-throw the exception.
There are three main types of error-codes in Windows: HRESULT, Win32 Error Codes, and COM error codes.
HRESULT
:HRESULT
values are actually self-describing bit-fields and the format is documented here: https://learn.microsoft.com/en-us/openspecs/windows_protocols/ms-erref/0642cb2f-2075-4469-918c-4441e69c548aException.HResult
.Exception.HResult
has a default value of-2146233088
(0x80131500
)Win32 error codes:
Win32Exception
in theWin32Exception.NativeErrorCode
property.COM error codes are listed on this page: https://learn.microsoft.com/en-us/windows/win32/com/com-error-codes-1
COMException
in theCOMException.HResult
property.Win32Exception
instead of aCOMException
, and theWin32Exception.NativeErrorCode
will contain the COM error code instead of a Win32 error code.Process.Start()
is one such example. This is explained below.COMException
is also used for SEH (Structured Exception Handling), but normally you won't encounter that in .NET.On to your question: The "Application not found" error message is from COM:
CO_E_APPNOTFOUND
and is0x800401F5
- but curiously it's returned in aWin32Exception
rather than aCOMException
.What's interesting is that the .NET Framework (I haven't checked .NET Core),
Process.Start
always throwsWin32Exception
for both theUseShellExecute == true
andfalse
branches. But whenUseShellExecute == true
then COM is used, so the COM error is simply passed-intoWin32Exception
s constructor and it just magically works (becauseWin32Exception
callsFormatMessage
to get the human-readable error message from the error-code, andFormatMessage
supports returning error-messages for Win32, HRESULT and COM status codes (as they generally don't overlap)....which means we just need to do this: