如何使用RhinoMocks模拟以下行为?
测试方法在接口上调用ReceivePayment方法。
public void TestedMethod(){
bool result = interface.ReceivePayment();
}
Interface具有CashAccepted事件。 如果多次(或通过条件)调用此事件,则ReceivePayment返回true。
如何完成这项任务?
更新
现在我执行以下操作:
UpayError error;
paymentSysProvider.Stub(i => i.ReceivePayment(ticketPrice,
App.Config.SellingMode.MaxOverpayment, uint.MaxValue, out error))
.Do( new ReceivePaymentDel(ReceivePayment));
paymentSysProvider.Stub(x => x.GetPayedSum()).Return(ticketPrice);
session.StartCashReceiving(ticketPrice);
paymentSysProvider.Raise(x => x.CashInEvent += null, cashInEventArgs);
public delegate bool ReceivePaymentDel(uint quantityToReceive, uint maxChange, uint maxTimeout, out UpayError error);
public bool ReceivePayment(uint quantityToReceive, uint maxChange, uint maxTimeout, out UpayError error) {
Thread.Sleep(5000);
error = null;
return true;
}
StartCashReceiving立即返回,因为里面有任务启动。 但下一行:paymentSysProvider.Raise(...)正在等待ReceivePayment存根的完成!
答案 0 :(得分:2)
你在测试ReceivePayment吗?如果没有,您真的不应该担心该接口是如何实现的(参见http://blinkingcaret.wordpress.com/2012/11/20/interaction-testing-fakes-mocks-and-stubs/)。
如果必须,可以使用.Do扩展方法,例如:
interface.Stub(i => i.ReceivePayment()).Do((Func<bool>) (() => if ... return true/false;));
请参阅: http://ayende.com/blog/3397/rhino-mocks-3-5-a-feature-to-be-proud-of-seamless-do http://weblogs.asp.net/psteele/archive/2011/02/02/using-lambdas-for-return-values-in-rhino-mocks.aspx
答案 1 :(得分:2)
您可以使用WhenCalled
。实际上我不明白你的问题(模拟或被测单位是否触发了事件?谁在处理事件?)
有一些示例代码:
bool fired = false;
// set a boolean when the event is fired.
eventHandler.Stub(x => x.Invoke(args)).WhenCalled(call => fired = true);
// dynamically return whether the eventhad been fired before.
mock
.Stub(x => x.ReceivePayment())
.WhenCalled(call => call.ReturnValue = fired)
// make rhino validation happy, the value is overwritten by WhenCalled
.Return(false);
当您在测试中触发事件时,您还可以在触发后重新配置模拟:
mock
.Stub(x => x.ReceivePayment())
.Return(false);
paymentSysProvider.Raise(x => x.CashInEvent += null, cashInEventArgs);
mock
.Stub(x => x.ReceivePayment())
.Return(true)
.Repeat.Any(); // override previous return value.