We have a method in the iPhone SDK that is a delegate method. Problem is, the OS calls this method twice at the exact same time. This method does some heavy lifting so I don't want to execute the logic twice. What is a good way to detect this and prevent one of the two from running?
Forgot to mention that, it is called from different threads.
One method is a BOOL member that you set when entering the method and clear on leaving it. If the variable is set upon entry, you know it's already executing and can just return.
Assuming you're being called from multiple threads, you'll want to lock access to this critical area of checking/setting. An NSLock is good for this.
The code below has two implementations: myMethod1 which uses NSLock and myMethod2 which shows using @synchronize.
@interface MyClass : NSObject
{
    NSLock* theLock;
    BOOL isRunning;
}
@end
@implementation MyClass
-(id)init
{
    self = [super init];
    if(self != nil)
    {
        theLock = [[NSLock alloc] init];
        isRunning = NO;
    }
    return self;
}
-(void)dealloc
{
    [theLock release];
    [super dealloc];
}
// Use NSLock to guard the critical areas
-(void)myMethod1
{
    [theLock lock];
    if(isRunning == YES)
    {
        [theLock unlock]; // Unlock before returning
        return;
    }
    isRunning = YES;        
    // Do fun stuff here
    isRunning = NO;
    [theLock unlock];    
}
// This method uses @synchronize
-(void)myMethod2
{
    @synchronized(self)
    {
        if(isRunning == YES)
        {
            return;
        }
        isRunning = YES;
        // Do stuff here.
        isRunning = NO;
    }
}
@end
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With