当我将应用程序从单线程转移到多个时,我正在努力确保我的ObjC多线程实现是正确的。
现在我已经设置了单元测试,以确保在单线程环境中一切正常。
我可以做些什么来确保它在多线程中成立?我想继续使用单元测试,但不确定如何在单元测试中测试多线程。
澄清:我正在使用NSBlockOperation / NSOperationQueue实现多线程。
答案 0 :(得分:3)
要测试这样的内容,您需要在测试中控制NSOperationQueue
。
假设您正在测试的类名为MySubject
。首先,你需要重构它,以便我们可以注入NSOperationQueue
- 这将允许用它来替换它进行测试。因此,除去所有出现的[NSOperationQueue mainQueue]
并用类变量替换它们。从MySubject
的构造函数中的参数初始化该类变量。因此,您必须更改MySubject
的所有实例化以传递[NSOperationQueue mainQueue]
。
@interface MySubject: NSObject {
NSOperationQueue* operationQueue;
}
@end
@implementation MySubject
-(MySubject*)initWithOperationQueue:(NSOperationQueue*)queue {
if ( self = [super init] ) {
self.operationQueue = [queue retain];
}
return self;
}
-(void)dealloc {
[operationQueue release];
}
-(void)startOperations {
[operationQueue addOperation:...];
[operationQueue addOperation:...];
}
@end
客户现在看起来像这样:
subject = [[MySubject alloc] initWithOperationQueue:[NSOperationQueue mainQueue]];
[subject startOperations];
现在,对于测试,您可以创建一个简单的队列进行测试......它需要实现您的主题使用的任何方法。
@interface MyTestOperationQueue: NSMutableArray {
}
@end
@implementation MySubject
-(void)addOperation:(NSOperation*)operation {
[self addObject:operation];
}
@end
现在你的测试看起来像这样:
testQueue = [[MyTestOperationQueue alloc] init];
subject = [[MySubject alloc] initWithOperationQueue:testQueue];
[subject startOperations];
// You may want to have other tests that execute the queue operations
// in a different order
[[testQueue objectAtIndex:0] start];
[[testQueue objectAtIndex:0] waitUntilFinished];
[[testQueue objectAtIndex:1] start];
[[testQueue objectAtIndex:1] waitUntilFinished];
// Verify results
当然,这种测试无法验证并发操作是否可以安全地同时执行,但这可以涵盖您在尝试设计类时感兴趣的许多情况
答案 1 :(得分:2)
对于单元测试,您通常希望阻止单元测试,直到线程子系统执行它需要做的任何事情。通常,单元测试线程将异步生成需要完成的任何工作,然后阻塞直到发生信号(线程类型的信号,而不是signal())。显然,有许多不同的方法可以做到这一点,而且大部分细节都将特定于您的应用;需要运行循环?使用GCD(希望如此)?等....