8

如何循环控制场景?我尝试使用 getChildrenUnmodifiable() 但它只返回第一级儿童。

public void rec(Node node){

    f(node);

    if (node instanceof Parent) {
        Iterator<Node> i = ((Parent) node).getChildrenUnmodifiable().iterator();

        while (i.hasNext()){
            this.rec(i.next());
        }
    }
}
4

3 回答 3

9

这是我正在使用的amru 答案的修改版本,此方法为您提供特定类型的组件:

private <T> List<T> getNodesOfType(Pane parent, Class<T> type) {
    List<T> elements = new ArrayList<>();
    for (Node node : parent.getChildren()) {
        if (node instanceof Pane) {
            elements.addAll(getNodesOfType((Pane) node, type));
        } else if (type.isAssignableFrom(node.getClass())) {
            //noinspection unchecked
            elements.add((T) node);
        }
    }
    return Collections.unmodifiableList(elements);
}

获取所有组件:

List<Node> nodes = getNodesOfType(pane, Node.class);

仅获取按钮:

List<Button> buttons= getNodesOfType(pane, Button.class);
于 2015-07-09T18:02:02.373 回答
8

您需要递归扫描。例如:

private void scanInputControls(Pane parent) {
    for (Node component : parent.getChildren()) {
        if (component instanceof Pane) {
            //if the component is a container, scan its children
            scanInputControls((Pane) component);
        } else if (component instanceof IInputControl) {
            //if the component is an instance of IInputControl, add to list
            lstInputControl.add((IInputControl) component);
        }
    }
}
于 2012-10-22T12:37:34.213 回答
0

你也可以传入一个谓词,它允许任何类型的选择。

Predicate<Node> p= n -> null ≃ n.getId() && n instanceof TextInputControl 

将获得所有 TextFields 和 TextAreas。

您可以将其全部打包在一个接口中,Java 8 样式,然后您只需要Parent getRoot() 在 Pane 或其他容器中实现。

@FunctionalInterface
public interface FXUIScraper {
    // abstract method.
    Parent getRoot();

    default List<Node> scrape( Predicate<Node> filter ) {
        Parent top = getRoot();

        List<Node> result = new ArrayList<>();
        scrape( filter, result, top );
        return result;
    }

    static void scrape( Predicate<Node> filter, List<Node> result, Parent top ) {
        ObservableList<Node> childrenUnmodifiable = top.getChildrenUnmodifiable();
        for ( Node node : childrenUnmodifiable ) {
            if ( filter.test( node ) ) {
                result.add( node );
            }
            if ( node instanceof Parent ) {
                scrape( filter, result, (Parent)node );
            }
        }
    }
}

假设您的窗格称为窗格:

   FXUIScraper scraper = () ->pane;
   List<Node> textNodesWithId = 
        scraper.scrape(n -> null ≃ n.getId()
                    && n instanceof TextInputControl);

如果您有有意义的 id,例如实体的字段名称或 json 对象中的键名,则将结果处理为所需的形式变得微不足道。github上有一个项目,其中包含 fxuiscraper作为一个单独的项目。

于 2021-05-13T08:26:37.163 回答