2

在 JavaFX 中,如何获取给定 TableColumn 的给定单元格的单元格渲染器实例?

在 Swing 中,这样做的方法是在 TableCellRenderer 上为该列调用getTableCellRendererComponent ( )并将行和列索引传递给它。但JavaFX 似乎非常不同。我尝试搜索并浏览 TableColumn API,但我似乎无法弄清楚这一点。也许我必须对getCellFactory()做点什么。

我的目标是查询列的每个单元格渲染器的首选宽度,然后计算要在列上设置的宽度,以便该列的所有单元格的内容完全可见。

这里提出了一个问题-JavaFX 2 Automatic Column Width-原始海报的目标与我的目标相同。但是那里还没有一个令人满意的答案。

4

1 回答 1

0

TableColumnHeader 类中有 resizeToFit() 方法。不幸的是,它受到保护。如何将代码复制粘贴到您的应用程序并稍作更改:

protected void resizeToFit(TableColumn col, int maxRows) {
    List<?> items = tblView.getItems();
    if (items == null || items.isEmpty()) return;

    Callback cellFactory = col.getCellFactory();
    if (cellFactory == null) return;

    TableCell cell = (TableCell) cellFactory.call(col);
    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 TableColumn
    cell.getProperties().put("deferToParentPrefWidth", Boolean.TRUE);//the change is here, only the first parameter, since the original constant is not accessible outside package

    // 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.getInsets().getLeft() + r.getInsets().getRight();
    } 

    int rows = maxRows == -1 ? items.size() : Math.min(items.size(), maxRows);
    double maxWidth = 0;
    for (int row = 0; row < rows; row++) {
        cell.updateTableColumn(col);
        cell.updateTableView(tblView);
        cell.updateIndex(row);

        if ((cell.getText() != null && !cell.getText().isEmpty()) || cell.getGraphic() != null) {
            getChildren().add(cell);
            cell.impl_processCSS(false);
            maxWidth = Math.max(maxWidth, cell.prefWidth(-1));
            getChildren().remove(cell);
        }
    }

    col.impl_setWidth(maxWidth + padding);
}

然后你可以在加载数据后调用该方法:

for (TableColumn clm : tblView.getColumns()) {
    resizeToFit(clm, -1);
}
于 2012-10-05T14:43:28.277 回答