Swing/ExpandAllNodes のバックアップ(No.15)
- バックアップ一覧
- 差分 を表示
- 現在との差分 を表示
- 現在との差分 - Visual を表示
- ソース を表示
- Swing/ExpandAllNodes へ行く。
- 1 (2007-05-07 (月) 17:11:21)
- 2 (2008-02-05 (火) 19:31:06)
- 3 (2008-03-30 (日) 03:02:57)
- 4 (2012-01-12 (木) 16:17:44)
- 5 (2012-11-21 (水) 21:48:29)
- 6 (2013-02-06 (水) 02:10:28)
- 7 (2014-05-09 (金) 12:10:32)
- 8 (2014-05-15 (木) 19:09:20)
- 9 (2014-11-07 (金) 03:21:30)
- 10 (2015-02-12 (木) 15:47:44)
- 11 (2016-11-01 (火) 19:52:19)
- 12 (2017-02-07 (火) 20:52:40)
- 13 (2017-12-22 (金) 17:42:05)
- 14 (2018-03-30 (金) 16:10:48)
- 15 (2018-09-25 (火) 15:38:27)
- 16 (2020-09-26 (土) 17:30:11)
- 17 (2022-05-24 (火) 09:57:17)
- category: swing folder: ExpandAllNodes title: JTreeのノードを展開・折り畳み tags: [JTree, TreeNode, TreePath] author: aterai pubdate: 2007-05-07T17:11:21+09:00 description: JTreeのすべてのノードに対して、展開、折り畳みを行います。 image:
概要
JTree
のすべてのノードに対して、展開、折り畳みを行います。
Screenshot
Advertisement
サンプルコード
// @see http://www.rgagnon.com/javadetails/java-0210.html
// Expand or collapse a JTree - Real's Java How-to
private void expandAll(JTree tree) {
int row = 0;
while (row < tree.getRowCount()) {
tree.expandRow(row);
row++;
}
}
private void collapseAll(JTree tree) {
int row = tree.getRowCount() - 1;
while (row >= 0) {
tree.collapseRow(row);
row--;
}
}
private void visitAll(JTree tree, TreePath parent, boolean expand) {
TreeNode node = (TreeNode) parent.getLastPathComponent();
// children(node).forEach(n -> visitAll(tree, parent.pathByAddingChild(n), expand));
if (!node.isLeaf() && node.getChildCount() >= 0) {
// Java 9: Enumeration<TreeNode> e = node.children();
Enumeration<?> e = node.children();
while (e.hasMoreElements()) {
visitAll(tree, parent.pathByAddingChild(e.nextElement()), expand);
}
}
if (expand) {
tree.expandPath(parent);
} else {
tree.collapsePath(parent);
}
}
// private static Stream<TreeNode> children(TreeNode node) {
// // Java 9:
// // return Collections.list(node.children()).stream();
// // Java 8:
// return Collections.list((Enumeration<?>) node.children())
// .stream().filter(TreeNode.class::isInstance).map(TreeNode.class::cast);
// }
View in GitHub: Java, Kotlin解説
expandAll(A)
JTree
をリストとみなしてexpandAll
では先頭から順番にJTree#expandRow(int)
メソッドを実行- ループは全展開された時の
JTree
の行数だけ繰り返す
collapseAll(A)
- 末尾から順番に
JTree#collapseRow(int)
メソッドを実行し、表示されているすべてのノードを折り畳む - 子ノードは展開されているが、親ノードが折り畳まれている場合、その非表示となっている子ノードに対しては折り畳みを実行しない
- 末尾から順番に
expandAll(B)
visitAll(tree, new TreePath(root), true);
- 再帰的に
TreePath
を辿って、展開(JTree#expandPath(TreePath)
メソッド)を実行
collapseAll(B)
visitAll(tree, new TreePath(root), false);
- 再帰的に
TreePath
を辿って、折り畳み(JTree#collapsePath(TreePath)
メソッド)を実行