iphoneunit-testinguialertviewocunit

Using OCUnit to test if an UIAlertView is presented


I'm working on an app that will display a UIAlertView upon hitting it's exit button, only if progress in the game has been made. I was wondering how you would use OCUnit to intercept the UIAlertView and interact with it, or even detect if it has been presented. The only thing I can think of is to monkeypatch [UIAlertViewDelegate willPresentAlertView], but that makes me want to cry.

Does anyone know of a better method of doing this?


Solution

  • Update: See my blog post How to Unit Test Your Alerts and Action Sheets

    The problem with my other answer is that the -showAlertWithMessage: method itself is never exercised by unit tests. "Use manual testing to verify it once" isn't too bad for easy scenarios, but error handling often involves unusual situations that are difficult to reproduce. …Besides, I got that nagging feeling that I had stopped short, and that there might be a more thorough way. There is.

    In the class under test, don't instantiate UIAlertView directly. Instead, define a method

    + (Class)alertViewClass
    {
        return [UIAlertView class];
    }
    

    that can be replaced using "subclass and override." (Alternatively, use dependency injection and pass this class in as an initializer argument.)

    Invoke this to determine the class to instantiate to show an alert:

    Class alertViewClass = [[self class] alertViewClass];
    id alert = [[alertViewClass alloc] initWithTitle:...etc...
    

    Now define a mock alert view class. Its job is to remember its initializer arguments, and post a notification, passing itself as the object:

    - (void)show
    {
        [[NSNotificationCenter defaultCenter] postNotificationName:MockAlertViewShowNotification
                                                            object:self
                                                          userInfo:nil];
    }
    

    Your testing subclass (TestingFoo) redefines +alertViewClass to substitute the mock:

    + (Class)alertViewClass
    {
        return [MockAlertView class];
    }
    

    Make your test class register for the notification. The invoked method can now verify the arguments passed to the alert initializer and the number of times -show was messaged.

    Additional tip: In addition to the mock alert, I defined an alert verifier class that:

    So all my alert tests do now is create the verifier, set the expectations, and exercise the call.