我正在尝试重新创建一个TypeLoadException
用于演示目的,所以我有一个可笑的愚蠢的库设置,如下所示:
TestProject --> TheLibrary [1.0]
\-> ProxyForV2 -> TheLibrary [2.0]
TheLibrary
版本1具有以下相关接口:
public interface IConsistentThing
{
int ConsistentProperty { get; set; }
}
public interface IShrinkingThing
{
int RemovedProperty { get; set; }
}
虽然TheLibrary
的接口版本2看起来像:
public interface IConsistentThing
{
int ConsistentProperty { get; set; }
}
public interface IShrinkingThing
{ }
ProxyForV2
有一个实现版本2.0 IShrinkingThing
:
public class ShrinkingThingImpl : IShrinkingThing
{
public int ConsistentProperty { get; set; }
}
所以,在TestProject
中,如果有人试图分配TypeLoadException
,我希望会导致ProxyForV2.ShrinkingThingImpl
,因为接口的第一个版本有一个未实现的属性第二个版本。为了证明这一点,我有一个单元测试,看起来像:
[TestMethod]
public void ShrinkingThingBreaks()
{
try
{
IShrinkingThing thing = new ProxyForV2.ShrinkingThingImpl();
Assert.Fail("This should have caused a TypeLoadException");
}
catch (TypeLoadException)
{
// valid
}
}
这是我的问题:这个单元测试失败了。但不是由于我的Assert.Fail
,正如我所期望的那样。测试输出如下所示:
测试方法TestProject.LoadTester.ShrinkingThingBreaks引发异常:System.TypeLoadException:程序集'ProxyForV2.ShrinkingThingImpl'中的方法'get_RemovedProperty'来自程序集'ProxyForV2,Version = 1.0.0.0,Culture = neutral,PublicKeyToken = null'没有实施..
因此,TypeLoadException
被抛出,虽然它可能可能被抛出的唯一地方是try
块catch (TypeLoadException)
,但异常拒绝被抓住了除此之外,即使我使用了catch-all,单元测试也会失败并出现与之前相同的错误:
[TestMethod]
public void ShrinkingThingBreaks()
{
try
{
IShrinkingThing thing = new ProxyForV2.ShrinkingThingImpl();
Assert.Fail("This should have caused a TypeLoadException");
}
catch
{
// valid
}
}
发生了什么事?显然,这是一个完全做作的场景,但我仍然想知道发生了什么,以便在运行时可以避免这个错误,或者至少在发生时处理(是的,我知道最终的解决方案是确保所有库版本都相同。)
最糟糕的是对该类的所有访问权限,例如typeof(ProxyForV2.ConsistentThingImpl)
或ProxyForV2.ConsistentThingImpl.SomeStaticFunction()
会导致此无法捕获TypeLoadException
,因此它是明确表示问题源于.NET尝试加载类时,而不是来自任何赋值。
我唯一想要缓解此问题的方法是尝试在不同的应用程序域中加载该类型,以便它不会干扰,然后做一些疯狂的反射,看看界面是否与实现兼容,但这似乎是完全和完全矫枉过正。
总结:为什么以“正常”方式捕获此问题似乎是不可能的,如何在运行时解决此类问题?
答案 0 :(得分:6)
在使用它们的方法执行开始之前加载类型。为此,您需要:
[TestMethod]
public void ShrinkingThingBreaks()
{
try
{
InnerShrinkingThingBreaks();
Assert.Fail("This should have caused a TypeLoadException");
}
catch
{
// valid
}
}
[MethodImpl(MethodImplAttributes.NoInlining)]
private void InnerShrinkingThingBreaks()
{
IShrinkingThing thing = new ProxyForV2.ShrinkingThingImpl();
}