17

如果我知道坐标(X,Y)像素(通过 OnTouchEvent 方法和 getX(),getY)我如何找到元素 ex。按钮或文本等......通过使用X,Y

4

5 回答 5

23

您可以使用getHitRect(outRect)每个子视图并检查该点是否在生成的矩形中。这是一个快速示例。

for(int _numChildren = getChildCount(); --_numChildren)
{
    View _child = getChildAt(_numChildren);
    Rect _bounds = new Rect();
    _child.getHitRect(_bounds);
    if (_bounds.contains(x, y)
        // In View = true!!!
}

希望这可以帮助,

模糊逻辑

于 2012-06-09T08:16:27.107 回答
8

一个稍微更完整的答案,它接受任何ViewGroup并递归搜索给定 x,y 处的视图。

private View findViewAt(ViewGroup viewGroup, int x, int y) {
    for(int i = 0; i < viewGroup.getChildCount(); i++) {
        View child = viewGroup.getChildAt(i);
        if (child instanceof ViewGroup) {
            View foundView = findViewAt((ViewGroup) child, x, y);
            if (foundView != null && foundView.isShown()) {
                return foundView;
            }
        } else {
            int[] location = new int[2];
            child.getLocationOnScreen(location);
            Rect rect = new Rect(location[0], location[1], location[0] + child.getWidth(), location[1] + child.getHeight());
            if (rect.contains(x, y)) {
                return child;
            }
        }
    }

    return null;
}
于 2016-03-16T14:04:38.477 回答
4

与https://stackoverflow.com/a/10959466/2557258相同的解决方案,但在 kotlin 中:

fun ViewGroup.getViewByCoordinates(x: Float, y: Float) : View? {
    (childCount - 1 downTo 0)
        .map { this.getChildAt(it) }
        .forEach {
            val bounds = Rect()
            it.getHitRect(bounds)
            if (bounds.contains(x.toInt(), y.toInt())) {
                return it
            }
        }
    return null
}
于 2018-01-30T07:27:17.053 回答
1

修改@Luke 提供的答案。区别在于 usinggetHitRect而不是getLocationOnScreen. 我发现getLocationOnScreen选择的视图不准确。还将代码转换为 Kotlin 并将其扩展为ViewGroup

/**
 * Find the [View] at the provided [x] and [y] coordinates within the [ViewGroup].
 */
fun ViewGroup.findViewAt(x: Int, y: Int): View? {
    for (i in 0 until childCount) {
        val child = getChildAt(i)

        if (child is ViewGroup) {
            val foundView = child.findViewAt(x, y)
            if (foundView != null && foundView.isShown) {
                return foundView
            }
        } else {
            val rect = Rect()

            child.getHitRect(rect)

            if (rect.contains(x, y)) {
                return child
            }
        }
    }
    return null
}
于 2020-06-15T19:51:38.693 回答
0

Android 使用 dispatchKeyEvent/dispatchTouchEvent 找到正确的视图来处理按键/触摸事件,这是一个复杂的过程。因为可能有很多视图覆盖 (x, y) 点。

但是,如果您只想找到覆盖 (x, y) 点的最顶部视图,这很简单。

1 使用 getLocationOnScreen() 获取绝对位置。

2 使用getWidth()、getHeight()判断view是否覆盖(x,y)点。

3 计算整个视图树中的视图级别。(递归调用 getParent() 或使用某种搜索方法)

4 找到既涵盖了该点又具有最大层次的视图。

于 2012-06-09T08:38:29.560 回答