を呼び出すメソッドをテストして-[NSDate date]
おり、システム時間を基準として使用してロジックを実行しています。年の特定の日にロジックが正しいかどうかをテストする必要がありますが、その日まで待ちきれません。単体テスト時にシステム日付をプログラムで変更できますか?
質問する
1486 次
1 に答える
13
モック オブジェクトを使用する必要があります。Objective C では、必要なメソッドのみをオーバーライドすることで、カテゴリを使用して簡単に行うことができます。たとえば、次のカテゴリを使用できます。
// ------------- File: NSDate+NSDateMock.h
@interface NSDate (NSDateMock)
+(void)setMockDate:(NSString *)mockDate;
+(NSDate *) mockCurrentDate;
@end
// -------------- File: NSDate+NSDateMock.m
#import "NSDate+NSDateMock.h"
@implementation NSDate (NSDateMock)
static NSDate *_mockDate;
+(NSDate *)mockCurrentDate
{
return _mockDate;
}
+(void)setMockDate:(NSString *)mockDate
{
_mockDate = [NSDate dateWithString:mockDate];
}
@end
さらに、SwizzleClassMethodが必要になります
void SwizzleClassMethod(Class c, SEL orig, SEL new) {
Method origMethod = class_getClassMethod(c, orig);
Method newMethod = class_getClassMethod(c, new);
c = object_getClass((id)c);
if(class_addMethod(c, orig, method_getImplementation(newMethod), method_getTypeEncoding(newMethod)))
class_replaceMethod(c, new, method_getImplementation(origMethod), method_getTypeEncoding(origMethod));
else
method_exchangeImplementations(origMethod, newMethod);
}
そして、単体テストでは、このように使用できます
SwizzleClassMethod([NSDate class], @selector(date), @selector(mockCurrentDate));
[NSDate setMockDate:@"2007-03-24 10:45:32 +0200"];
NSLog(@"Date is: %@", [NSDate date]);
于 2013-02-09T19:38:48.537 に答える