Статьи

JavaFX Совет 22: Столбцы таблицы Autosize (Tree)

Одной из первых вещей, упомянутых как «отсутствующая функция» в «Обзоре отсутствующих функций» JavaFX, была возможность автоматического изменения размера столбцов в таблицах / древовидных таблицах. Правильно, что для него нет общедоступного API, но когда вы обратите пристальное внимание, вы заметите, что должен быть код для выполнения этого где-то внутри JavaFX, потому что пользователь может автоматически изменять размер столбца, дважды щелкнув по разделительной линии. между столбцом и следующим столбцом справа.

Но, как и большинство людей, я чувствовал, что этого недостаточно для моего кода. Я хотел API для FlexGanttFX , который позволил бы пользователю автоматически изменять размер одного или всех столбцов внутри диаграмм Ганта. Поэтому я искал код, который был спрятан где-то в древовидной или древовидной оболочке таблицы (не могу вспомнить, где именно), и повторно использовал его с некоторыми незначительными изменениями в моих классах.

Ниже приведен результат этой работы. Он нацелен на TreeTableView, а не на TableView , но заставить его работать для стандартной таблицы просто. Просто замените все вхождения TreeTableColumn на TableColumn . Обратите внимание, что изменение размера всех строк может серьезно повлиять на производительность, поэтому вам может потребоваться ограничить число строк, которые будут учитываться при вычислениях, с помощью параметра maxRows .

001
002
003
004
005
006
007
008
009
010
011
012
013
014
015
016
017
018
019
020
021
022
023
024
025
026
027
028
029
030
031
032
033
034
035
036
037
038
039
040
041
042
043
044
045
046
047
048
049
050
051
052
053
054
055
056
057
058
059
060
061
062
063
064
065
066
067
068
069
070
071
072
073
074
075
076
077
078
079
080
081
082
083
084
085
086
087
088
089
090
091
092
093
094
095
096
097
098
099
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
/**
     * This method will resize all columns in the tree table view to ensure that
     * the content of all cells will be completely visible. Note: this is a very
     * expensive operation and should only be used when the number of rows is
     * small.
     *
     * @see #resizeColumn(TreeTableColumn, int)
     */
    public final void resizeColumns() {
        resizeColumns(-1);
    }
 
    /**
     * This method will resize all columns in the tree table view to ensure that
     * the content of all cells will be completely visible. Note: this is a very
     * expensive operation and should only be used with a small number of rows.
     *
     * @param maxRows
     *            the maximum number of rows that will be considered for the
     *            width calculations
     *
     * @see #resizeColumn(TreeTableColumn, int)
     */
    public final void resizeColumns(int maxRows) {
        for (TreeTableColumn<R, ?> column : getTreeTable().getColumns()) {
            resizeColumn(column, maxRows);
        }
    }
 
    /**
     * This method will resize the given column in the tree table view to ensure
     * that the content of the column cells will be completely visible. Note:
     * this is a very expensive operation and should only be used when the
     * number of rows is small.
     *
     * @see #resizeColumn(TreeTableColumn, int)
     */
    public final void resizeColumn(TreeTableColumn<R, ?> column) {
        resizeColumn(column, -1);
    }
 
    /**
     * This method will resize the given column in the tree table view to ensure
     * that the content of the column cells will be completely visible. Note:
     * this is a very expensive operation and should only be used when the
     * number of rows is small.
     *
     * @see #resizeColumn(TreeTableColumn, int)
     */
    public final void resizeColumn(TreeTableColumn<R, ?> tc, int maxRows) {
        final TreeTableColumn col = tc;
 
        List<?> items = getItems();
        if (items == null || items.isEmpty()) {
            return;
        }
 
        Callback cellFactory = tc.getCellFactory();
        if (cellFactory == null) {
            return;
        }
 
        TreeTableCell<R, ?> cell = (TreeTableCell<R, ?>) cellFactory.call(tc);
        if (cell == null) {
            return;
        }
 
        // set this property to tell the TableCell we want to know its actual
        // preferred width, not the width of the associated TableColumnBase
        cell.getProperties().put("deferToParentPrefWidth", Boolean.TRUE); //$NON-NLS-1$
 
        // determine cell padding
        double padding = 10;
        Node n = cell.getSkin() == null ? null : cell.getSkin().getNode();
        if (n instanceof Region) {
            Region r = (Region) n;
            padding = r.snappedLeftInset() + r.snappedRightInset();
        }
 
        TreeTableRow<R> treeTableRow = new TreeTableRow<>();
        treeTableRow.updateTreeTableView(treeTableView);
 
        int rows = maxRows == -1 ? items.size()
                : Math.min(items.size(), maxRows);
        double maxWidth = 0;
        for (int row = 0; row < rows; row++) {
            treeTableRow.updateIndex(row);
            treeTableRow.updateTreeItem(treeTableView.getTreeItem(row));
 
            cell.updateTreeTableColumn(col);
            cell.updateTreeTableView(treeTableView);
            cell.updateTreeTableRow(treeTableRow);
            cell.updateIndex(row);
 
            if ((cell.getText() != null && !cell.getText().isEmpty())
                    || cell.getGraphic() != null) {
                getChildren().add(cell);
                cell.impl_processCSS(false);
 
                double w = cell.prefWidth(-1);
 
                maxWidth = Math.max(maxWidth, w);
                getChildren().remove(cell);
            }
        }
 
        // dispose of the cell to prevent it retaining listeners (see RT-31015)
        cell.updateIndex(-1);
 
        // RT-23486
        double widthMax = maxWidth + padding;
        if (treeTableView
                .getColumnResizePolicy() == TreeTableView.CONSTRAINED_RESIZE_POLICY) {
            widthMax = Math.max(widthMax, tc.getWidth());
        }
 
        tc.impl_setWidth(widthMax);
    }
Ссылка: Совет по JavaFX 22: Столбцы таблицы Autosize (Tree) от нашего партнера JCG Дирка Леммермана в блоге Pixel Perfect .