Mxsky
Mxsky

Reputation: 749

Add String row to TableView in JAVA FX

I can't find a way to add a simple "String" row to my tableView. In fact i can add a row but its content is not visible ...

Here is my code:

@FXML
private TableView<String> table; 

@FXML
private TableColumn<String, String> table2;

public ObservableList<String> getLanes()
{
    ObservableList<String> lanes=FXCollections.observableArrayList();
    lanes.add("TEST");

    return lanes;
}

Then:

table.setItems(getLanes()); //Not working

and

table.getItems().add("TEST"); //Not working

But without success. I read that and that as well as other documentations but it did not help me to do it in this simple way.

EDIT:

Adding this line solved my problem:

table2.setCellValueFactory(param -> new ReadOnlyStringWrapper(param.getValue()));

Upvotes: 0

Views: 8448

Answers (1)

ItachiUchiha
ItachiUchiha

Reputation: 36722

Here is a simple application where we are trying to load a single value into a TableView column. It also shows how to set a cellValueFactory() on a table column.

tableColumn.setCellValueFactory(param -> new ReadOnlyStringWrapper(param.getValue()));

MCVE

import javafx.application.Application;
import javafx.beans.property.ReadOnlyStringWrapper;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.geometry.Pos;
import javafx.scene.Scene;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;

public class Main extends Application {

    @Override
    public void start(Stage primaryStage) throws Exception {
        TableView<String> tableView = new TableView<>();
        TableColumn<String, String> tableColumn = new TableColumn<>("Name");

        tableColumn.setCellValueFactory(param -> new ReadOnlyStringWrapper(param.getValue()));

        tableView.getColumns().add(tableColumn);
        ObservableList<String> items = FXCollections.observableArrayList("Itachi");
        tableView.setItems(items);

        VBox root = new VBox(tableView);
        root.setAlignment(Pos.CENTER);
        Scene scene = new Scene(root, 300, 275);
        primaryStage.setScene(scene);
        primaryStage.show();
    }

    public static void main(String[] args) {
        launch(args);
    }
}

Upvotes: 6

Related Questions