我想测试以下代码:
private bool TestException(Exception ex)
{
if ((Marshal.GetHRForException(ex) & 0xFFFF) == 0x4005)
{
return true;
}
return false;
}
我想以Exception
某种方式设置对象以返回正确的 HResult,但我在类中看不到Exception
允许这样做的字段。
我该怎么做?
我想测试以下代码:
private bool TestException(Exception ex)
{
if ((Marshal.GetHRForException(ex) & 0xFFFF) == 0x4005)
{
return true;
}
return false;
}
我想以Exception
某种方式设置对象以返回正确的 HResult,但我在类中看不到Exception
允许这样做的字段。
我该怎么做?
我找到了三种方法来做到这一点:
使用System.Runtime.InteropServices.ExternalException
该类,将错误代码作为参数传递:
var ex = new ExternalException("-", 0x4005);
感谢@HansPassant的评论解释了这一点。
使用继承传递模拟异常以访问受保护的字段:
private class MockException : Exception
{
public MockException() { HResult = 0x4005; }
}
var ex = new MockException();
使用 .NET Reflection 设置基础字段:
BindingFlags flags = BindingFlags.Instance | BindingFlags.NonPublic;
FieldInfo hresultFieldInfo = typeof(Exception).GetField("_HResult", flags);
var ex = new Exception();
hresultFieldInfo.SetValue(ex, 0x4005);
将这些异常中的任何一个传递给问题中的方法,将导致该方法返回true
. 我怀疑第一种方法最有用。
我发现创建一个扩展来做到这一点很有用。
using System.Reflection;
namespace Helper
{
public static class ExceptionHelper
{
public static Exception SetCode(this Exception e, int value)
{
BindingFlags flags = BindingFlags.Instance | BindingFlags.NonPublic;
FieldInfo fieldInfo = typeof(Exception).GetField("_HResult", flags);
fieldInfo.SetValue(e, value);
return e;
}
}
然后抛出异常:
using Helper;
public void ExceptionTest()
{
try
{
throw new Exception("my message").SetCode(999);
}
catch (Exception e)
{
string message = e.Message;
int code = e.HResult;
}
}