All objects used as keys in NS(Mutable)Dictionaries must support the NSCopying protocol, and those objects are copied when they're used in the dictionary.
I frequently want to use heavier weight objects as keys, simply to map one object to another. What I really mean when I do that is effectively:
[dictionary setObject:someObject forKey:[NSValue valueWithPointer:keyObject]];
("When I come back and hand you this same key object instance again, get me that same value out.")
...which is exactly what I end up doing to get around this design sometimes. (Yes, I know about NSMapTable in desktop Cocoa; but e.g. iPhone doesn't support this.)
But what I don't really get is why copying the key is necessary or desirable in the first place. What does it buy the implementation or caller?
The copy ensures that the values used as keys don't change "underhand" while being used as keys. Consider the example of a mutable string:
Let's assume that the dictionary did not copy the key, but instead just
retain
ed it. If now, at some later point, the original string is modified, then it is very likely that you are not going to find your stored value in the dictionary again even if you use the very same key object (i.e., the onekey
points to in the example above).In order to protect yourself against such a mistake, the dictionary copies all keys.
Note, by the way, that it is simple enough to define
-copyWithZone:
as just doingreturn [self retain]
. This is allowed and good code if your object is immutable, and theNSCopying
contract is specifically designed such that the object returned has to be (sorta, kinda) immutable:(from NSCopying Reference)
and
(from -copyWithZone: Reference)
Even if your objects are not immutable, you might get away with that implementation if you only ever use identity-based equality/hash implementations, i.e., implementations which are not affected in any way by the object's internal state.
If you want to store pointers as keys then you'll need to wrap them in a
NSValue
object with+valueWithPointer:
.Since iOS 6 if you want to use pointers as keys, you can use the
NSMapTable
object, see http://nshipster.com/nshashtable-and-nsmaptable/You can specify whether keys and/or values are stongly or weakly held:
Another option that could be appropriate sometimes is to use
NSCache
, which holds keys strongly and is actually thread-safe.