我必须实现许多自定义TableCell,其行为取决于模型的更改。我可以设法以某种方式获得预期的结果,但是我认为在许多情况下,这是一个解决方法,但却是一个非常好的解决方案。
我已经使用绑定/侦听器来达到预期的结果,但是我面临的问题是我可能多次添加侦听器/绑定属性,这可能会导致内存泄漏。
这是我的意思的例子。
控制器:
public class Controller implements Initializable {
@FXML private TableView<Model> table;
@FXML private TableColumn<Model, String> column;
@FXML private Button change;
@Override
public void initialize(URL location, ResourceBundle resources) {
column.setCellValueFactory(data -> data.getValue().text);
column.setCellFactory(cell -> new ColoredTextCell());
Model apple = new Model("Apple", "#8db600");
table.getItems().add(apple);
table.getItems().add(new Model("Banana", "#ffe135"));
change.setOnAction(event -> apple.color.setValue("#ff0800"));
}
@Getter
private class Model {
StringProperty text;
StringProperty color;
private Model(String text, String color) {
this.text = new SimpleStringProperty(text);
this.color = new SimpleStringProperty(color);
}
}
private class ColoredTextCell extends TableCell<Model, String> {
@Override
protected void updateItem(String item, boolean empty) {
super.updateItem(item, empty);
if (empty || getTableRow() == null || getTableRow().getItem() == null) {
setGraphic(null);
return;
}
Model model = (Model) getTableRow().getItem();
Text text = new Text(item);
text.setFill(Color.web(model.getColor().getValue()));
// This way I add the listener evey item updateItem is called.
model.getColor().addListener((observable, oldValue, newValue) -> {
if (newValue != null) {
text.setFill(Color.web(newValue));
} else {
text.setFill(Color.BLACK);
}
});
setGraphic(text);
}
}
}
FXML:
<?xml version="1.0" encoding="UTF-8"?>
<?import javafx.scene.layout.AnchorPane?>
<?import javafx.scene.control.TableView?>
<?import javafx.scene.control.TableColumn?>
<?import javafx.scene.layout.VBox?>
<?import javafx.scene.control.Button?>
<AnchorPane xmlns="http://javafx.com/javafx"
xmlns:fx="http://javafx.com/fxml"
fx:controller="stackoverflow.tabpane.Controller">
<VBox>
<Button fx:id="change" text="Change color"/>
<TableView fx:id="table">
<columns>
<TableColumn fx:id="column" prefWidth="200"/>
</columns>
</TableView>
</VBox>
</AnchorPane>
由于单元格未直接观察到color属性,因此如果更改了updateItem,则不会调用它,因此我必须以某种方式进行监听。
我需要更改颜色后触发
updateItem
。这将导致对侦听器内容的单个调用。有什么方法可以监听同一单元格中模型的其他更改,或者以某种方式调用更新项,以便呈现更改。
最佳答案
我想你可以反过来做。
我将创建一个color属性,如下所示:
ObjectBinding<Paint> colorProperty = Bindings.createObjectBinding(()->{
String color = model.getColor().get();
return Paint.valueOf(color==null?"BLACK":color);
} , model.getColor());
然后,我将像这样绑定属性:
text.fillProperty().bind(model.colorProperty);
如果您只有:
SimpleObjectProperty<Paint> textColor = new SimpleObjectProperty<Paint>(Paint.valueOf("BLACK"));
然后在模型的getter和setter中更新此类属性。