The & symbol is used to pass the address of the variable that is prefixed. It is also called pass by reference as opposed to pass by value. So &error means the address of error.
Since error is defined as a pointer, then &error is the address of the pointer to the actual store of error.
The method you call may have the parameter defined as **error, thus forcing you to pass a pointer to the pointer, or reference to the pointer.
If a method uses *error as the parameter, the method can change the value pointed to by the parameter. This value can be referenced by the caller when the method returns control. However, when the method uses **error as the parameter, the method can also change the pointer itself, making it point to another location. This means that the caller's error variable will hence contain a new pointer.
Here is an example
-(void)changePointerOfString:(NSString **)strVal {
*strVal = @"New Value";
}
-(void)caller {
NSString *myStr = @"Old Value"; // myStr has value 'Old Value'
[self changePointerOfString:&myStr]; // myStr has value 'New Value'
}