views:

44

answers:

3

I'm fetching some objects out of a data store but the results aren't what I'm expecting. I'm new to CoreData but I'm fairly certain this should work. What am I missing?

Note that User is a valid managed object and that I include its header file in this code, and that UserID is a valid property of that class.

NSFetchRequest *requestLocal = [[NSFetchRequest alloc] init];
NSEntityDescription *entity = [NSEntityDescription entityForName:@"User" inManagedObjectContext:messageManagedObjectContext];
[requestLocal setEntity:entity];
// Set the predicate
NSPredicate *predicate = [NSPredicate predicateWithFormat:@"ANY UserID IN %@", userList];
[requestLocal setPredicate:predicate];
// Set the sorting
... sorting details removed but exist and are fine ...
// Request the data
NSArray *fetchResults = [messageManagedObjectContext executeFetchRequest:requestLocal error:&error];
[requestLocal release];

for (int i; i < [fetchResults count]; i++) {
    [fetchResults objectAtIndex:i].UserID = ...<----HERE
}

Isn't fetchResults an array of User objects? Wouldn't [fetchResults objectAtIndex:i] be a User object? Why do I get an error when building that "request for member 'UserID' in something not a structure or union"?

Sorry if this is a basic error, I'm clearly missing some basic concept. I've done a ton of searching and it seems like it should be right. (I also tried fast enumeration but it complained that fetchResults items weren't valid Objective C objects, effectively the same error, I think.)


Update:

(from comment below)

My goal is to update the object, calling saveAction after changing it. Does the KVC method still refer to the actual object? I tried fast enumeration with:

for (User thisUser in fetchResults) {

... but it didn't like that.

I used the more generic version:

(id thisUser in fetchResults)

...but it won't let me set

[thisUser valueForKey:@"FirstName"] = anything

... insisting that there's no Lvalue.

Will:

[[thisUser valueForKey:@"FirstName"] stringWithString:@"Bob"]

... do the trick or is there a better way? Sorry, I know it's nearly a new question, but I still don't get what is in the fetchResults array.

+1  A: 

Accessing your CoreData attributes by property Accessors (dot notation) will only work if you have defined a custom NSManagedObject subclass in your Model and defined properties on that class. The implementation should be @dynamic. You'll then have to cast the object to the proper class:

//Assume this exists:

@interface User : NSManagesObject 
{
}
@property (nonatomic, retain) NSString* UserID;

@end

@implementation User

@dynamic UserID

@end

// You could do:

for (int i; i < [fetchResults count]; i++) {
    ((User*)[fetchResults objectAtIndex:i]).UserID = ... // This works
}

Or you may use KVC to access your models properties like this (without needing a class):

for (int i; i < [fetchResults count]; i++) {
    [[fetchResults objectAtIndex:i] valueForKey:@"UserID"] = ... // This too
}

You would set the value using [object setValue:newValue forKey:@"UserID"] please note, that newValue needs to be an object in general and one of NSString, NSNumber, NSDate, NSSet for CoreData.

Two additional thoughts:

Your could and should use fast Enumeration on the results array:

for (id object in fetchResults) {
    [object valueForKey:@"UserID"] = ...
}

I do not understand the ANY keyword in your predicate. "UserID IN %@" should do as well.

tonklon
My goal is to update the object, calling saveAction after changing it. Does the KVC method still refer to the actual object? I tried fast enumeration with "for (User thisUser in fetchResults) {" but it didn't like that. I used the more generic version "(id thisUser in fetchResults)" but it won't let me set "[thisUser valueForKey:@"FirstName"] =" anything, insisting that there's no Lvalue. Will [[thisUser valueForKey:@"FirstName"] stringWithString:@"Bob"] do the trick or is there a better way? Sorry, I know it's nearly a new question, but I still don't get what is in the fetchResults array.
Matthew Frederick
Please read the Key-Value Coding Programming Guide:http://developer.apple.com/iphone/library/documentation/Cocoa/Conceptual/KeyValueCoding/KeyValueCoding.html and my additions to the answer.
tonklon
Thanks, you definitely put me on the right track, and though I've read the KVC programming guide, your suggestion to do so again got me to check it out again, and the first sentence literally made a light bulb come on.
Matthew Frederick
(Ok, not literally, but figuratively!)
Matthew Frederick
+3  A: 

Your fetchedResults variable contains a NSArray object. However, a NSArray can hold any arbitrary group of objects. Unlike a standard C array, there is no requirement that the NSArray objects all be of a single class.

The dot notation you are using here:

[fetchResults objectAtIndex:i].UserID =

... while a legal syntax, nevertheless confuses the compiler because the compiler has no idea what class of object is returned by [fetchResults objectAtIndex:i]. Without knowing the class it has no idea what the heck UserID is. Hence the error "request for member 'UserID' in something not a structure or union". At the very least you have to cast the return of [fetchResults objectAtIndex:i] to some class so that the complier has a clue as to what 'UserID' is.

However, you simply shouldn't use this construction even though it legal because it is dangerous. See below for the best practice form.

Understanding NSManagedObject and its subclasses can be tricky because NSManagedObject itself uses a trick called associative storage which allows any generic NSManagedObject instances to store any property of any entity defined in any model. This can confuse novices because there are multiple ways to refer to the same entities, instances and properties. Sometimes the examples use generic NSMangedObjects and setValue:forKey:/valueForKey: and other times they use objectInstance.propertyName.

Associative storage works like a dictionary attached to every instance of the NSManagedObject class. When you insert a generic NSManagedObject like this:

NSManagedObject *mo=[NSEntityDescription insertNewObjectForEntityForName:@"User" 
                                                  inManagedObjectContext:self.managedObjectContext];

... you get an instance of the NSManageObject class whose associative storage keys are set to the properties of the User entity as defined in your data model. You can then set and retrieve the values using key-value coding (which has the same syntax as dictionaries) thusly:

[mo setValue:@"userid0001" forKey:@"UserID"];
NSString *aUserID=[mo valueForKey:@"UserID"];

Associative storage allows you represent any complex data model in code without having to write any custom NSManagedObject subclasses. (In Cocoa, it allows you to use bindings which let you create entire programs without writing any data management code at all.)

However, the generic NSManagedObject class is little better than a glorified dictionary whose saving and reading is handled automatically. If you need data objects with customized behaviors you need to explicitly define a NSManagedObject subclass. If you let Xcode generate the class from the entity in the data model you end up with a source file something like:

User.h
@interface User :  NSManagedObject  
{
}

@property (nonatomic, retain) NSString * firstName;
@property (nonatomic, retain) NSString * userID;
@property (nonatomic, retain) NSString * lastName;

@end

User.m
#import "User.h"


@implementation User 

@dynamic firstName;
@dynamic userID;
@dynamic lastName;

@end

Now, you are no longer limited by to the key-value syntax of associative storage. You can use the dot syntax because the complier has a class to refer to:

User *aUser=[NSEntityDescription insertNewObjectForEntityForName:@"User" 
                                                  inManagedObjectContext:self.managedObjectContext];
aUser.userID=@"userID0001";
NSString *aUserID=aUser.userID;

With all this in mind, the proper forms of reference to the fetchedResults array become clear. Suppose you want to set all userID properties to a single default value. If you use the generic NSManagedObject class you use:

for (NSManagedObject *aMO in fetchedResults) {
    [aMO setValue:@"userid0001" forKey:@"UserID"];
    NSString *aUserID=[aMO valueForKey:@"UserID"];
}

If you use a dedicated subclass you would use:

for (User *aUserin fetchedResults) {
    aUser.userID=@"userID0001";
    NSString *aUserID=aUser.userID;
}

(Note: you can always use the generic form for all NSManagedObject subclasses as well.)

TechZen
A good description of how manged objects work, but it doesn't explain why you think it is dangerous to refer to a property of an instance of a subclass of NSManagedObject directly.
JeremyP
It's not. It's dangerous to to use the dot notation to refer a property of object returned from array when you are not absolutely certain of class of the item returned. Especially, for a novice, its an easy way to go wrong.
TechZen
Thanks very much for your detailed explanation, it made all the difference in my finally understanding how everything works. The associative storage note was especially enlightening.
Matthew Frederick
+1  A: 

Your basic problem is that -objectAtIndex: returtns an object of type id. No accessors are defined for type id so when you use dot notation with the object returned by -objectAtIndex: the compiler assumes you mean to access a C structure member. id is a pointer type, not a structure type, hence the error you are getting.

The whole core data stuff is a red herring with regard to this issue. You'd get the same error if User was derived from NSObject and you had populated the array yourself manually.

The ways out of it are:

  1. Use fast enumeration

    for (User* aUser in theArray)
    {
        ....
    }
    

    which is the preferred idiom if you need to iterate through the whole array

  2. Cast the result of -objectAtIndex: to the correct type.

    ((User*)[theArray objectAtIndex: i]).userId;
    
  3. Use the message sending syntax instead of dot notation

      [[theArray objectAtIndex: i] setUserId: ...];
    

Personally, I'd go with 1 and 3.

for (User* aUser in theArray)
{
   [aUser setUserId: ...]
}

Clearly any of the above are dangerous if you are not certain that the objects in the array are User objects. You can use -respondsToSelector: to make sure it will work if you like.

JeremyP
Excellent, thank you. Succinct and to the point.
Matthew Frederick