我使用的一个选项是stub:withBlock:
NSArray* capturedArray; // declare this as __block if needed
[aMockObject stub:@selector(doSomething:)
withBlock:^id(NSArray *params) {
capturedArray = params[0];
// this is necessary even if the doSomething method returns void
return nil;
}];
// exercise your object under test, then:
[[capturedArray should] haveCountOf:3U];
这很好用,而且我发现它比间谍模式更容易实现。但是你的问题让我想知道使用消息模式的期望。例如:
[[[aMockObject should] receive] doSomething:myArray];
[[[aMockObject should] receive] doSomething:any()];
第一个示例将验证aMockObject
接收到doSomething:
带有参数的消息isEqual:myArray
。第二个示例将简单地验证doSomething:
已发送,而不期望数组参数。如果我们可以在消息模式中指定某种类型的 Matcher 那就太好了,以表示我们不在乎在消息中发送什么特定的数组实例,只关心它的 acount
为 3。
我还没有找到任何能够做到这一点的例子,但看起来有一些可能性。为了验证消息发送期望,Kiwi 使用KWMessagePattern
类,特别是matchesInvocation:
andargumentFiltersMatchInvocationArguments:
方法。这将检查三种类型的“参数过滤器”:
- 文字对象值(如
myArray
上面的示例中),与消息中发送的实际值进行比较,使用isEqual:
- 一个类型的对象
KWAny
(any()
例如上面示例中的宏),它将匹配任何参数值
- 满足
[KWGenericMatchEvaluator isGenericMatcher:argumentFilter]
的对象,这基本上意味着对象响应matches:(id)obj
因此,您应该能够使用matches:
在消息模式期望中实现的对象来执行诸如验证发送到存根方法的数组长度之类的事情,而无需求助于 spys 或块。这是一个非常简单的实现:(作为 Gist 提供)
// A reusable class that satisfies isGenericMatcher:
@interface SOHaveCountOfGenericMatcher : NSObject
- (id)initWithCount:(NSUInteger)count;
- (BOOL)matches:(id)item; // this is what KWMessagePattern looks for
@property (readonly, nonatomic) NSUInteger count;
@end
@implementation SOHaveCountOfGenericMatcher
- (id)initWithCount:(NSUInteger)count
{
if (self = [super init]) {
_count = count;
}
return self;
}
- (BOOL)matches:(id)item
{
if (![item respondsToSelector:@selector(count)])
return NO;
return [item count] == self.count;
}
@end
// Your spec:
it(@"should receive an array with count 3", ^{
NSArray* testArray = @[@"a", @"b", @"c"];
id argWithCount3 = [[SOHaveCountOfGenericMatcher alloc] initWithCount:3];
id aMockObject = [SomeObj nullMock];
[[[aMockObject should] receive] doSomething:argWithCount3];
[aMockObject doSomething:testArray];
});
能够在这里重用 Kiwi 的内置匹配器类会很好,但我还没有确切地知道如何做到这一点。