Interaction beyond bounds of UIView

Yes. You can override the hitTest:withEvent: method to return a view for a larger set of points than that view contains. See the UIView Class Reference.

Edit: Example:

- (UIView *)hitTest:(CGPoint)point withEvent:(UIEvent *)event
{
    CGFloat radius = 100.0;
    CGRect frame = CGRectMake(-radius, -radius,
                              self.frame.size.width + radius,
                              self.frame.size.height + radius);

    if (CGRectContainsPoint(frame, point)) {
        return self;
    }
    return nil;
}

Edit 2: (After clarification:) In order to ensure that the button is treated as being within the parent’s bounds, you need to override pointInside:withEvent: in the parent to include the button’s frame.

- (BOOL)pointInside:(CGPoint)point withEvent:(UIEvent *)event
{
    if (CGRectContainsPoint(self.view.bounds, point) ||
        CGRectContainsPoint(button.view.frame, point))
    {
        return YES;
    }
    return NO;
}

Note the code just there for overriding pointInside is not quite correct. As Summon explains below, do this:

-(BOOL)pointInside:(CGPoint)point withEvent:(UIEvent *)event
    {
    if ( CGRectContainsPoint(self.oversizeButton.frame, point) )
        return YES;

    return [super pointInside:point withEvent:event];
    }

Note that you’d very likely do it with self.oversizeButton as an IBOutlet in this UIView subclass; then you can just drag the “oversize button” in question, to, the special view in question. (Or, if for some reason you were doing this a lot in a project, you’d have a special UIButton subclass, and you could look through your subview list for those classes.) Hope it helps.

Leave a Comment