Property ” not found on object of type ‘id’

This code:

[anArray objectAtIndex:0].aVariable

Can be broken down into 2 sections:

[anArray objectAtIndex:0]

This returns an id– because you can put any type of object into an array. The compiler doesn’t know what type is going to be returned by this method.

.aVariable

This is asking for the property aVariable on the object returned from the array – as stated above, the compiler has no idea what this object is – it certainly won’t assume that it is an AnObject, just because that is what you added a line or two earlier. It has to evaluate each statement on its own. The compiler therefore gives you the error.

It is a little more forgiving when using accessor methods:

[[anArray objectAtIndex:0] aVariable];

This will give you a warning (that the object may not respond to the selector) but it will still let you run the code, and luckily enough your object does respond to that selector, so you don’t get a crash. However this is not a safe thing to rely on. Compiler warnings are your friends.

If you want to use the dot notation, you need to tell the compiler what type of object is being returned from the array. This is called casting. You can either do this in two steps:

AnObject *returnedObject = [anArray objectAtIndex:0];
int value = returnedObject.aVariable;

Or with a mess of brackets:

int value = ((AnObject*)[anArray objectAtIndex:0]).aVariable;

The extra brackets are required to allow you to use dot notation when casting. If you want to use the accessor methods, you need fewer round brackets but more square brackets:

int value = [(AnObject*)[anArray objectAtIndex:0] aVariable];

Leave a Comment