Ich有一个ListView单元工厂,该工厂应将所有带有字符串“ GHI”的项目涂成粗体。问题在于,甚至其他(随机)单元也以粗体显示。
我的代码:
static class CellFactory extends ListCell<String> {
@Override
public void updateItem(String item, boolean empty) {
super.updateItem(item, empty);
if (!empty) {
super.setTextFill(Color.BLACK); // set TextColor Black
if (item != null && item.equals("GHI")) {
super.setStyle("-fx-font-weight: bold"); //(1)
}
}
super.setText(item);
}
}
使用调试器,仅当item的文本为“ GHI”时才执行第(1)行。
这是问题的图片:
我将Java 1.7.0_55 32Bit与JavaFX 2.2.55-b13和Java 1.8.0_05 32Bit与JavaFX 8.0.5-b13一起使用。操作系统:Win7
最佳答案
问题是,当您在其中找到字符串时,便会更改单元格的样式。但是,如果没有,则不要将单元格的样式更改回普通字体。
看看我在下面发布的代码。如果注释掉标有(2)的行,您将看到该单元格始终保持胖状态。
package application;
import javafx.application.Application;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.event.Event;
import javafx.event.EventHandler;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.ListCell;
import javafx.scene.control.ListView;
import javafx.scene.layout.BorderPane;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
import javafx.util.Callback;
public class Main extends Application {
@Override
public void start(Stage primaryStage) {
try {
BorderPane root = new BorderPane();
Scene scene = new Scene(root,400,400);
scene.getStylesheets().add(getClass().getResource("application.css").toExternalForm());
ListView<String> lv = new ListView<>();
lv.setCellFactory(new Callback<ListView<String>, ListCell<String>>() {
@Override
public ListCell<String> call(ListView<String> list) {
return new CellFactory();
}
});
ObservableList<String> items = FXCollections.observableArrayList();
items.add("asd");
items.add("fhg");
items.add("GHI");
items.add("tead");
items.add("hoid");
lv.setItems(items);
root.setCenter(lv);
Button btnAdd = new Button("add item");
btnAdd.setOnMouseClicked(new EventHandler<Event>() {
@Override
public void handle(Event event) {
items.add(1, "test");
}
});
root.setLeft(btnAdd);
primaryStage.setScene(scene);
primaryStage.show();
} catch(Exception e) {
e.printStackTrace();
}
}
public static void main(String[] args) {
launch(args);
}
static class CellFactory extends ListCell<String> {
@Override
public void updateItem(String item, boolean empty) {
super.updateItem(item, empty);
if (!empty) {
super.setTextFill(Color.BLACK); // set TextColor Black
if (item != null && item.equals("GHI")) {
super.setStyle("-fx-font-weight: bold"); //(1)
}
}
else{
super.setStyle("-fx-font-weight: normal"); //(2)
}
super.setText(item);
}
}
}