Reputation: 2050
I'm having trouble migrating a store entity attribute from String to Integer 16. Here are the steps I take:
Here is the error:
Unresolved error Error Domain=NSCocoaErrorDomain Code=134140 "The operation couldn’t be completed. (Cocoa error 134140.)" UserInfo=0xbd5cd20 {reason=Can't find or automatically infer mapping model for migration, destinationModel=...
The mapping model is there in the compiled .app:
and in the Project:
Migration works for attributes like Integer 16 > Integer 32, or when changing attribute names.
I tried creating a simple Core Data Project and migration worked automatically (with and without mapping model) from String to Integer 16 and back.
The strangest part is I tried looking programatically for all mapping models in the bundle and none are found for the current source/destination models.
Upvotes: 17
Views: 9285
Reputation: 2570
For those, who broked thousands of spears on "Can't find mapping model for migration" error, this might help:
In my case, app automagically found the mapping model after clean/rebuild =\
Upvotes: 1
Reputation: 21902
This happens because Core Data is unable to automatically migrate your attribute. This is because it can't guarantee that a string will always fit in an int (even though you know your data does).
So what you need to do is use a mapping model. Here's how to do it:
NSEntityMigrationPolicy
)createDestinationInstancesForSourceInstance:entityMapping:manager:error:
which will give you the source instance so you can convert that string into an int and store it in the new store.Your code should look something like this:
- (BOOL)createDestinationInstancesForSourceInstance:(NSManagedObject *)sInstance entityMapping:(NSEntityMapping *)mapping manager:(NSMigrationManager *)manager error:(NSError **)error
{
NSManagedObject *newObject = [NSEntityDescription insertNewObjectForEntityForName:[mapping destinationEntityName] inManagedObjectContext:[manager destinationContext]];
// Copy all the values from sInstance into newObject, making sure to apply the conversion for the string to int when appropriate. So you should have one of these for each attribute:
[newObject setValue:[sInstance valueForKey:@"xyz"] forKey:@"xyz"];
[manager associateSourceInstance:sInstance withDestinationInstance:newObject forEntityMapping:mapping];
}
Be sure to change the migration settings to remove automatic type inference wherever you init Core Data
NSDictionary *options = [NSDictionary dictionaryWithObjectsAndKeys:[NSNumber numberWithBool:YES], NSMigratePersistentStoresAutomaticallyOption, nil];
That should be it...
Upvotes: 23