我有两个视图,每个视图包含两个子视图。
只要两个顶视图不重叠,命中检测就可以正常工作。 因此,我可以触摸下图中左侧标有A的子视图。
然而,只要前两个视图重叠,A视图就无法接收到触摸,因为视图1位于视图2的“上方”并“触摸”触摸。
View 1和View 2都可以检测到触摸,因为它们可以移动,因此需要检测并对“介于”子视图之间的触摸作出反应。
这意味着我的两个“顶视图”检测器应该说:“哦,等一下,也许我正在超越其他视图,并且应该将事件传递给它,并且只有当且仅当开启时才开始拖动/移动没有其他观点在“我下面”。
我该怎么做?
编辑: 谢谢jaydee3
这首先不起作用,导致无限递归:每个视图都延迟到它的兄弟节点,而这又反过来又回到了起始视图:
- (UIView *) hitTest:(CGPoint)point withEvent:(UIEvent *)event {
UIView * hit = [super hitTest:point withEvent:event] ;
if (hit == self) {
for (UIView * sibling in self.superview.subviews) {
if (sibling != self) {
CGPoint translated = [self convertPoint:point toView:sibling] ;
UIView * other = [sibling hitTest:translated withEvent:event] ;
if (other) {
return other ;
}
}
}
}
return hit ;
}
所以,我添加了一个“标记集”来跟踪已经访问过哪个视图,现在一切正常:)
- (UIView *) hitTest: (CGPoint) point withEvent: (UIEvent *) event {
static NSMutableSet * markedViews = [NSMutableSet setWithCapacity:4] ;
UIView * hit = [super hitTest:point withEvent:event] ;
if (hit == nil) return nil ;
if (hit == self) {
for (UIView * sibling in hit.superview.subviews) {
if (sibling != hit) {
if ([markedViews containsObject:sibling]) {
continue ;
}
[markedViews addObject:sibling] ;
CGPoint translated = [hit convertPoint:point toView:sibling] ;
UIView * other = [sibling hitTest:translated withEvent:event] ;
[markedViews removeObject:sibling] ;
if (other) {
return other ;
}
}
}
}
return hit ;
}
答案 0 :(得分:3)
为您的视图创建一个自定义子类(包含其他两个子视图)并覆盖它的hitTest:
方法。在该方法中,检查hitTest视图是否是两个子视图之一,否则返回nil
。因此,周围的视图将忽略所有触摸。导致触摸下面的视图,它可以自己处理它。
// edit :(通过调用UIView* view = [super hitTest:withEvent:];
获取hitTest视图。)
// edit2:我更喜欢那样的东西::)
- (UIView *) hitTest:(CGPoint)point withEvent:(UIEvent *)event {
UIView * hit = [super hitTest:point withEvent:event] ;
if (hit == self) {
return nil;
}
return hit ;
}
)