私はjavafxの初心者です。TableView ヘッダーにいくつかの TextFields を追加するのを手伝ってくれる人はいますか? css統合の助けを借りて、スタックペインにTableViewを置き、その上にテキストフィールドを配置して試してみます。成功できません。
質問する
9358 次
1 に答える
4
はい、できます。
JavaFX 2.2 の場合
JavaFX 2.2 (jdk7u6+) では、jira RT-14909が実装されました。これにより、列にグラフィック (任意のノード) を設定して、列のテーブル ヘッダーを指定できます。
TableColumn col = new TableColumn("");
TextField colHeaderTextField = new TextField("Pink Elephants");
col.setGraphic(colHeaderTextField);
JavaFX 2.0 および 2.1 の場合
テーブルをアクティブなシーンに追加してレンダリングした後、テーブル ヘッダー ラベルを検索して変更し、デフォルトではなくテーブル ヘッダーのテキスト フィールドを表示するグラフィック (任意の種類のノード) を表示できます。静的ラベル テキスト。
以下にサンプルを示します。
import javafx.application.Application;
import javafx.beans.property.SimpleStringProperty;
import javafx.collections.FXCollections;
import javafx.scene.Node;
import javafx.scene.Scene;
import javafx.scene.control.*;
import javafx.scene.control.cell.PropertyValueFactory;
import javafx.scene.layout.StackPane;
import javafx.stage.Stage;
public class TableWithTextHeaders extends Application {
public static void main(String[] args) { launch(args); }
@Override public void start(Stage stage) {
TableColumn firstNameCol = new TableColumn("First Name");
firstNameCol.setCellValueFactory(new PropertyValueFactory<Person,String>("firstName"));
TableColumn lastNameCol = new TableColumn("Last Name");
lastNameCol.setCellValueFactory(new PropertyValueFactory<Person,String>("lastName"));
TableView table = new TableView();
table.getColumns().addAll(firstNameCol, lastNameCol);
table.setItems(FXCollections.observableArrayList(
new Person("Jacob", "Smith"),
new Person("Isabella", "Johnson"),
new Person("Ethan", "Williams")
));
table.setColumnResizePolicy(TableView.CONSTRAINED_RESIZE_POLICY);
StackPane layout = new StackPane();
layout.setStyle("-fx-padding: 10;");
layout.getChildren().add(table);
Scene scene = new Scene(layout);
stage.setScene(scene);
stage.show();
for (Node n: table.lookupAll(".column-header > .label")) {
if (n instanceof Label) {
Label label = (Label) n;
TextField textField = new TextField(label.getText());
label.textProperty().bind(textField.textProperty());
label.setGraphic(textField);
label.setContentDisplay(ContentDisplay.GRAPHIC_ONLY);
}
}
}
public static class Person {
private final SimpleStringProperty firstName;
private final SimpleStringProperty lastName;
private Person(String fName, String lName) {
this.firstName = new SimpleStringProperty(fName);
this.lastName = new SimpleStringProperty(lName);
}
public String getFirstName() { return firstName.get(); }
public void setFirstName(String fName) { firstName.set(fName); }
public String getLastName() { return lastName.get(); }
public void setLastName(String fName) { lastName.set(fName); }
}
}
于 2012-05-10T00:30:20.553 に答える