Core Data를 사용하고있는 지금 모델을 단위 테스트하는 방법은 무엇입니까?
나는 도메인 모델을 사용하여 아이폰 애플리케이션을 개발해 왔고 지금까지 앱의 지속성 측면을 미루었다. Core Data는 이미 잘 정의 된 모델을 가지고 있기 때문에 정말 좋은 솔루션처럼 보이지만 기존 단위 테스트에 문제가 있습니다.
다음은 내가 지금 가지고있는 간단한 예입니다.
- (void)test_full_name_returns_correct_string {
Patient *patient = [[Patient alloc] init];
patient.firstName = @"charlie";
patient.lastName = @"chaplin";
STAssertTrue([[patient fullName] isEqualToString:@"charlie chaplin"], @"should have matched full name");
}
내 Patient 개체가 NSManagedObject에서 확장되고 firstName 및 lastName 속성에 @dynamic을 사용하면 어떻게해야합니까?
다른 사람이 Core Data로 이런 유형의 문제를 겪은 적이 있습니까? 감사.
각 방법 내에서 또는 내부에서 핵심 데이터 스택을 구축 한 -setUp
다음 해체해야합니다. 를 사용하면 NSInMemoryPersistentStore
단위 테스트를 위해 일을 빠르고 메모리에 보관할 수 있습니다. @property (nonatomic,retain) NSManagedObjectContext *moc
TestCase 서브 클래스에를 추가하십시오 . 그때:
- (void)setUp {
NSManagedObjectModel *mom = [NSManagedObjectModel mergedModelFromBundles:[NSArray arrayWithObject:bundleContainingXCDataModel]];
NSPersistentStoreCoordinator *psc = [[NSPersistentStoreCoordinator alloc] initWithManagedObjectModel:mom];
STAssertTrue([psc addPersistentStoreWithType:NSInMemoryStoreType configuration:nil URL:nil options:nil error:NULL] ? YES : NO, @"Should be able to add in-memory store");
self.moc = [[NSManagedObjectContext alloc] init];
self.moc.persistentStoreCoordinator = psc;
[mom release];
[psc release];
}
- (void)tearDown {
self.moc = nil;
}
테스트 방법은 다음과 같습니다.
- (void)test_full_name_returns_correct_string {
Patient *patient = [NSEntityDescription insertNewObjectForEntityForName:@"Person" inManagedObjectContext:self.moc];
patient.firstName = @"charlie";
patient.lastName = @"chaplin";
STAssertTrue([[patient fullName] isEqualToString:@"charlie chaplin"], @"should have matched full name");
}
엔티티의 이름이이라고 가정합니다 Person
. 그건 그렇고, 당신의 메서드 버전에 메모리 누수가있었습니다. 환자는 -release
코어 데이터가 아닌 버전에 있어야합니다 (자동 릴리스 된 insertNewObjectForEntityForName:managedObjectContext:
인스턴스를 반환 함).
위의 Barry Wark의 답변을 사용했지만 현재 프로젝트 Xcode 5, iOS 7에서 작동하도록 몇 가지 수정을해야했습니다.
속성은 동일하게 유지되었습니다.
@interface SIDataTest : XCTestCase
@property (nonatomic, retain) NSManagedObjectContext *moc;
@end
설정은 실제로 먼저 릴리스되지 않도록 변경하고 두 번째로 모델 URL을 제공해야했습니다.
- (void)setUp
{
[super setUp];
NSURL *modelURL = [[NSBundle mainBundle] URLForResource:@"SimpleInvoice" withExtension:@"momd"];
NSManagedObjectModel *mom = [[NSManagedObjectModel alloc] initWithContentsOfURL:modelURL];
NSPersistentStoreCoordinator *psc = [[NSPersistentStoreCoordinator alloc] initWithManagedObjectModel:mom];
XCTAssertTrue([psc addPersistentStoreWithType:NSInMemoryStoreType configuration:nil URL:nil options:nil error:NULL] ? YES : NO, @"Should be able to add in-memory store");
self.moc = [[NSManagedObjectContext alloc] init];
self.moc.persistentStoreCoordinator = psc;
}
다음은 예제 테스트 케이스입니다.
- (void)testCreateNew
{
Invoice *newInvoice = [NSEntityDescription insertNewObjectForEntityForName:@"Invoice" inManagedObjectContext:self.moc];
newInvoice.dueDate = [NSDate date];
NSString* title = [[NSString alloc] initWithFormat:@"Invoice %@", @112];
newInvoice.title = title;
// Save the context.
NSError *error = nil;
if (![self.moc save:&error]) {
// Replace this implementation with code to handle the error appropriately.
// abort() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.
XCTFail(@"Error saving in \"%s\" : %@, %@", __PRETTY_FUNCTION__, error, [error userInfo]);
}
XCTAssertFalse(self.moc.hasChanges,"All the changes should be saved");
}
참조 URL : https://stackoverflow.com/questions/1849802/how-to-unit-test-my-models-now-that-i-am-using-core-data
'Programing' 카테고리의 다른 글
Rails 외부의 Ruby 스크립트에서 ActiveRecord를 사용하는 방법은 무엇입니까? (0) | 2020.12.30 |
---|---|
Java에서 서명되지 않은 짧은 (0) | 2020.12.30 |
.Net과 호환되는 GZIPOutputStream을 사용하여 문자열을 압축 및 압축 해제하려면 어떻게해야합니까? (0) | 2020.12.30 |
PHP의 트레이 트 내에서 클래스 생성자를 오버로드하는 방법> = 5.4 (0) | 2020.12.30 |
안드로이드의 이해 (0) | 2020.12.30 |