我目前正在使用JavaFX中的第一个TreeView
。
文档中给出的示例如下:
TreeItem<String> root = new TreeItem<String>("Root Node");
root.setExpanded(true);
root.getChildren().addAll(
new TreeItem<String>("Item 1"),
new TreeItem<String>("Item 2"),
new TreeItem<String>("Item 3")
);
TreeView<String> treeView = new TreeView<String>(root);
在此示例中,我们手动构建TreeItem
树结构,即在每个有子节点的节点上调用getChildren()
并添加这些结构。
是否可以动态地告诉TreeItem
&#34;&#34;建立自己的孩子?如果我可以将父子关系定义为函数,那将是完美的。
我会寻找以下内容:
// Function that generates the child tree items for a given tree item
Function<TreeItem<MyData>, List<TreeItem<MyData>>> childFunction = parent -> {
List<TreeItem<MyData>> children = new ArrayList<>(
parent. // TreeItem<MyData>
getValue(). // MyData
getChildrenInMyData(). // List<MyData>
stream().
map(myDataChild -> new TreeItem<MyData>(myDataChild)))); // List<TreeItem<MyData>>
// The children should use the same child function
children.stream().forEach(treeItem -> treeItem.setChildFunction(childFunction));
return children;
};
TreeItem<MyData> root = new TreeItem<MyData>(myRootData);
root.setExpanded(true);
// THE IMPORTANT LINE:
// Instead of setting the children via .getChildren().addAll(...) I would like to set a "child function"
root.setChildFunction(childFunction);
TreeView<MyData> treeView = new TreeView<String>(root);
答案 0 :(得分:2)
由于没有内置功能(正如@kleopatra在评论中指出的那样),我提出了以下TreeItem
实现:
public class AutomatedTreeItem<C, D> extends TreeItem<D> {
public AutomatedTreeItem(C container, Function<C, D> dataFunction, Function<C, Collection<? extends C>> childFunction) {
super(dataFunction.apply(container));
getChildren().addAll(childFunction.apply(container)
.stream()
.map(childContainer -> new AutomatedTreeItem<C, D>(childContainer, dataFunction, childFunction))
.collect(Collectors.toList()));
}
}
使用示例:
Function<MyData, MyData> dataFunction = c -> c;
Function<MyData, Collection<? extends MyData>> childFunction = c -> c.getChildren();
treeTableView.setRoot(new AutomatedTreeItem<MyData, MyData>(myRootData, dataFunction, childFunction));
这可能会对将来有所帮助。