1

我有一个 UIScrollView,里面有 UIViews。UIScrollView 启用了两指滚动。每个 UIView 都有一个 panGestureRecognizer。我想要以下功能:

如果是两点触控平移-> 滚动。

如果单点触摸平移 && 触摸 UIView --> 触发 UIView 的 panGestureRecognizer。

我想通过覆盖 UIScrollView 的 hitTest 来做到这一点。如果触摸次数大于 1,则返回 UIScrollView 以可能滚动。如果触摸次数为 1,则返回正常的 hitTest 结果以可能触发 UIView 的 panGestureRecognizer。但是我的 UIScrollView 的 hitTest 代码从来没有任何接触!(虽然我成功的两指滚动,但 hitTest 没有任何接触。)

- (UIView *)hitTest:(CGPoint)point withEvent:(UIEvent *)event
{
    NSSet *touches = [event touchesForView:self];
    NSLog(@"%@", touches);
    if ([touches count] > 1)
    {
        return self;
    }
    UIView *usualView = [super hitTest:point withEvent:event];
    return usualView;
}
4

1 回答 1

4

HitTest 是一种用于处理触摸的低级可重写方法,或者更好地说,用于检测触摸的目的地。您无法知道此处的触摸次数 -event参数无用。相反,每次触摸都会调用两次,这意味着两次触摸会调用 4 次。它不适用于检测内部的多次触摸或手势,仅适用于触摸的目的地。

默认实现类似于:

- (UIView *)hitTest:(CGPoint)point withEvent:(UIEvent *)event
{
    if (self.hidden || !self.userInteractionEnabled || self.alpha < 0.01 || ![self pointInside:point withEvent:event] || ![self _isAnimatedUserInteractionEnabled]) {
        return nil;
    } else {
        for (UIView *subview in [self.subviews reverseObjectEnumerator]) {
            UIView *hitView = [subview hitTest:[subview convertPoint:point fromView:self] withEvent:event];
            if (hitView) {
                return hitView;
            }
        }
        return self;
    }
}
于 2014-06-05T22:09:50.533 回答