我有这个简单的代码:
import javafx.application.Application;
import javafx.beans.property.BooleanProperty;
import javafx.beans.property.SimpleBooleanProperty;
import javafx.beans.property.SimpleObjectProperty;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableRow;
import javafx.scene.control.TableView;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
public class Example extends Application
{
@Override
public void start(Stage stage) throws Exception
{
TableView<Integer> table = new TableView<>();
TableColumn<Integer, Integer> column = new TableColumn<>();
column.setCellValueFactory(param -> new SimpleObjectProperty<>(param.getValue()));
ObservableList<Integer> items = FXCollections.observableArrayList();
table.getColumns().add(column);
table.setItems(items);
table.setColumnResizePolicy(TableView.CONSTRAINED_RESIZE_POLICY);
for (int i = 0; i < 500; i++)
items.add((int) (Math.random() * 500));
BooleanProperty disable = new SimpleBooleanProperty();
table.setRowFactory(param ->
{
TableRow<Integer> row = new TableRow<>();
row.disableProperty().bind(disable);
row.disableProperty().addListener((observable, oldValue, newValue) ->
{
if (newValue)
row.setStyle("-fx-background-color: red");
else
row.setStyle("");
});
return row;
});
Button button = new Button("Disable all rows");
button.setOnAction(event -> disable.set(true));
stage.setScene(new Scene(new VBox(table, button)));
stage.show();
}
public static void main(String[] args)
{
launch(args);
}
}
当我运行它并按下按钮时,它应该为所有行着色。它起作用,直到您向下滚动表格。然后开始发生一些奇怪的事情,有些行将不会是彩色的,当您向后滚动时,它们将是彩色的,而另一些则不会。
但是,当您先滚动然后按按钮时,它将正常工作。我不知道那里发生了什么,对我来说似乎是个bug。
在原始代码中,我需要禁用一些行,因为我需要禁用表复选框。但是,即使我们将disable属性切换为editable属性,也无法使用。
有谁知道如何解决这个问题,为什么它不起作用?
最佳答案
滚动时,表格可能需要再创建几行。如果在按下按钮后创建了行,则首先将新行的disable
属性绑定到所创建的布尔属性(因此该行的disable属性设置为true),然后使用该行的disable属性注册一个侦听器改变了风格。由于该行的disable属性在注册侦听器后不会更改,因此它不会被调用,样式也不会更改。
你可以做
table.setRowFactory(param ->
{
TableRow<Integer> row = new TableRow<>();
row.disableProperty().addListener((observable, oldValue, newValue) ->
{
if (newValue)
row.setStyle("-fx-background-color: red");
else
row.setStyle("");
});
row.disableProperty().bind(disable);
return row;
});
或者您可以直接使用绑定:
table.setRowFactory(param ->
{
TableRow<Integer> row = new TableRow<>();
row.styleProperty().bind(Bindings
.when(disable)
.then("-fx-background-color: red;")
.otherwise(""));
row.disableProperty().bind(disable);
return row;
});
或者您可以将外部样式表与
.table-row-cell:disabled {
-fx-background-color:red ;
}
并完全省略样式的监听器/绑定:
table.setRowFactory(param ->
{
TableRow<Integer> row = new TableRow<>();
row.disableProperty().bind(disable);
return row;
});
关于java - JavaFX表 View 行颜色,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40507423/