Beginners save nanoseconds, real programmers save microseconds.
First, [object count] returns an NSUInteger. If you had turned warnings on in Xcode as you should, you would get two warnings: One for comparing signed and unsigned, and one because an int might not be big enough to hold all values if you are using an array with more than two billion elements. It also means that i has to be extended to 64 bit on every iteration, which is worse than any effect caused by < vs !=
Second, [object count] is a method call. So you are asking us about how to shave off a nanosecond of time, and each single iteration through the loop you are making a method call. You are losing 100 times more time doing that. So if you are worried about speed, write
NSUInteger count = object.count;
for (NSUInteger i = 0; i < count; ++i) ...
Third, when you are using arrays you should use fast enumerators.
for (id whatever in object) ...
will be much much faster again, because you don't need to access the array every time.
Fourth and last, the rule is: If you don't measure it, you won't know what is faster, and if you are too lazy to measure it, then we can assume that it doesn't actually matter.