我正在尝试通过Linq Expression methods Api使用Moq的Verify
方法(以验证是否调用了一个方法)。
下面是两个单元测试。 TestMethod1使用的是一个简单的lambda表达式,效果很好。
我想实现与TestMethod2中的TestMethod1完全相同的功能;但是使用Linq Expression方法Api。但是当我运行 TestMethod2 时,它给出了异常:
在Castle.Proxies.ISomeInterfaceProxy类型和Moq.Mock类型之间未定义强制表达。
有人可以告诉我我在做什么错吗?
using System;
using System.Linq.Expressions;
using Microsoft.VisualStudio.TestTools.UnitTesting;
using Moq;
namespace UnitTestProject1
{
[TestClass]
public class UnitTest2
{
public interface ISomeInterface
{
void DoSomething(string param1, string param2);
}
public class ImplementationClass
{
private ISomeInterface _someInterface;
public ImplementationClass(ISomeInterface someInterface)
{
_someInterface = someInterface;
}
public void Investigate(string param1, string param2)
{
_someInterface.DoSomething(param1, param2);
}
}
[TestMethod]
public void TestMethod1()
{
Mock<ISomeInterface> myMock = new Mock<ISomeInterface>();
ImplementationClass myImplementationClass = new ImplementationClass(myMock.Object);
string Arg1 = "Arg1";
string Arg2 = "Arg2";
myImplementationClass.Investigate(Arg1, Arg2);
Expression<Action<ISomeInterface>> lambdaExpression = m => m.DoSomething(Arg1, Arg2);
myMock.Verify(lambdaExpression);
}
[TestMethod]
public void TestMethod2()
{
Mock<ISomeInterface> myMock = new Mock<ISomeInterface>();
ImplementationClass myImplementationClass = new ImplementationClass(myMock.Object);
string Arg1 = "Arg1";
string Arg2 = "Arg2";
myImplementationClass.Investigate(Arg1, Arg2);
var methodInfo = myMock.Object.GetType().GetMethod("DoSomething");
var call = Expression.Call(Expression.Constant(myMock.Object), methodInfo, Expression.Constant(Arg1), Expression.Constant(Arg2));
Expression<Action<ISomeInterface>> expression = Expression.Lambda<Action<ISomeInterface>>(call, Expression.Parameter(typeof(ISomeInterface)));
myMock.Verify(expression); // Exception comes from here.
}
}
}
答案 0 :(得分:1)
第一个问题是您不能使用Mock的.Object
作为类型的来源,因为它不是“正确的”类型。最安全的方法是使用接口本身作为类型的来源。
第二个问题是,您需要为lambda表达式指定一个参数,并且该参数必须是调用该方法的对象。就像您在测试1 m => m.DoSomething
中所做的一样。
作为一个提示,我建议使用nameof()
而不是硬编码的字符串名-这意味着如果输入错误,您将得到编译时错误,而不是运行时错误。 / p>
然后,我抛出“安排行为断言”模式以提高可读性;这点尤其重要,因为这种方法比内嵌到Verify方法的参数中的简单lambda表达式要难得多。
所以固定版本看起来像这样...
[TestMethod]
public void TestMethod2()
{
// Arrange.
Mock<ISomeInterface> myMock = new Mock<ISomeInterface>();
ImplementationClass myImplementationClass = new ImplementationClass(myMock.Object);
string Arg1 = "Arg1";
string Arg2 = "Arg2";
// Act.
myImplementationClass.Investigate(Arg1, Arg2);
// Assert.
var methodInfo = typeof(ISomeInterface).GetMethod(nameof(ISomeInterface.DoSomething));
var parameter = Expression.Parameter(typeof(ISomeInterface), "m");
var call = Expression.Call(parameter, methodInfo, Expression.Constant(Arg1), Expression.Constant(Arg2));
Expression<Action<ISomeInterface>> expression = Expression.Lambda<Action<ISomeInterface>>(call, parameter);
myMock.Verify(expression);
}