我是Nunit.please帮忙写一个测试用例的新手。 这是我的班级
public CommandModule(ICommandFetcher fetcher,ICommandBus commandBus)
{
//Get["/"] = p =>
//{z
// return Response.AsText((string)Request.Form.Username);
//};
Post["/"] = parameters =>
{
var commandRequest = this.Bind<MessageEnvelope>();
var command = fetcher.FetchFrom(commandRequest);
commandBus.Send((ICommand)command, commandRequest.MetaData);
return HttpStatusCode.OK;
};
}
}
我想测试检查这个方法
commandBus.Send((ICommand)command, commandRequest.MetaData);
谢谢你!
我按照以下方式尝试
[Test]
public void whern_reseiving_command_it_sent_to_the_command_bus()
{
var rCommand = new DummyCommand() { SomeProp = 2 };
var serializedCommand = JsonConvert.SerializeObject(rCommand);
var envelope = new MessageEnvelope() { MetaData = new MetaData() { MessageType = "DummyCommand", MessageTypeVersion = 1 }, MessageData = serializedCommand };
var fakeCommand = A.Fake<ICommandBus>();
var browser = new Browser(with =>
{
with.Module<CommandModule>();
with.Dependency<ICommandBus>(fakeCommand);
});
var result = browser.Post("/", with =>
{
with.HttpRequest();
with.JsonBody(envelope);
});
A.CallTo(() => fakeCommand.Send(rCommand,envelope.MetaData)).MustHaveHappened();
但A.CallTo(() => fakeCommand.Send(rCommand,envelope.MetaData)).MustHaveHappened();
它在rcommand值
答案 0 :(得分:1)
听起来您希望明确测试代码执行时调用ICommandBus.Send
。
一种方法是模拟ICommandBus
依赖项。也就是说,插入一个实现ICommandBus
的模拟对象,它能够检测是否使用正确的参数值调用该方法。
如果采用这种方法,通常使用模拟框架(例如Moq或RhinoMocks)来执行此操作。
为了解释如何简单地使用模拟,我将通过自己显式实现一个记录方法调用并在之后测试它们的模拟对象对象来展示如何做到这一点。
E.g。
MockCommandBus : ICommandBus
{
ICommand PassedCommand { get; set; }
MetaData PassedMetaData { get; set; }
public void Send(ICommand command, MetaData metaData)
{
this.PassedCommand = command;
this.PassedMetaData = metaData;
}
}
然后您的测试用例将如下所示:
[TestCase]
public void PostSendsCommandOnBus()
{
// ARRANGE
var mockCommandBus = new MockCommandBus();
ICommand expectedCommand = <whatever you expect>;
MetaData expectedMetaData = <whatever you expect>;
// Code to construct your CommandModule with mockCommandBus.
// ACT
// Code to invoke the method being tested.
// ASSERT
Assert.AreEqual(expectedCommand, mockCommandBus.PassedCommand);
Assert.AreEqual(expectedMetaData , mockCommandBus.PassedMetaData );
}
<强>警告:强>
请注意,这只是单元测试的一种方法,恰好符合您的要求。过度使用模拟来测试与低级别的依赖关系的显式交互可能导致开发非常脆弱的测试套件,这些测试套件正在测试底层实现而不是系统行为。