Как заполнить TableView с ObservableMapв JavaFX - PullRequest
0 голосов
/ 22 апреля 2019

Моя Java-программа выдает много данных, с помощью которых я создаю отдельный ResultObject.Поскольку только определенные объекты ResultsObjects будут представлять интерес, я заполняю ObservableHashMap <> моими результатами.CustomObject состоит из нескольких целых + двойников и одного JSONObject.С этим CustomObject я хочу сопоставить похожие ResultObjects (которые имеют определенные общие свойства) с этим CustomObject.

Несмотря на то, что отображение и обработка этих результатов работает как задумано, я почти беспомощен, чтобы заполнить TableView с этим ObservableHashMap <>.

Мой CustomObject (просто для проверки JSONObject, если два CustomObject имеют одинаковые свойства):

public CustomObject(Simulation data) {

    this.datapoint1 = data.datapoint1;
    this.datapoint2 = data.datapoint2;

    this.jsonCompareObject = new JSONObject()
            .put("datapoint1", data.datapoint1)
            .put("datapoint1", data.datapoint2);
}

Мой объект ObservableHashMap:

private ObservableMap <CustomObject, ObservableList<Simulation>> topResultsList;

public SomeObjectWithObservableMap(){
    this.topResultsList = FXCollections.observableHashMap();
}

Используя следующий код, Я проверяю, есть ли ключ с соответствующими точками данных, уже присутствующими, чтобы затем добавить его в свой ObservableList (Значение):

private boolean isKeyPresent(CustomObject newCustomObject, Simulation data) {
    for (CustomObject oldCustomObject : this.topResultsList.keySet()) {
        if (oldCustomObject.jsonCompareObject.toString().equals(newCustomObject.jsonCompareObject.toString())) {
            this.topResultsList.get(oldCustomObject).add(data);
            return true;
        }
    }
    return false;
}

Я заполняю какой-то другой TableView следующим образом:

{
    tableColumn.setCellValueFactory(new PropertyValueFactory<>("datapoint1"));
    tableColumn.setCellFactory(TextFieldTableCell.<SomeObject, Double>forTableColumn(twoDigits));
    tableView.setItems(someObject.getObservableList());
}

В конце я хочу, чтобы некоторые TableColumns отображали свойства из CustomObject.Позже я хотел бы, чтобы отдельные сопоставленные ObservableLists выбранного CustomObject отображались в отдельном TableView.

Я довольно новичок в Java и JavaFX и надеюсь описать свою проблему как можно более профессионально.Пожалуйста, дайте мне знать, если я что-то пропустил.

Ответы [ 2 ]

0 голосов
/ 23 апреля 2019

Другой способ создать TableView с одним Map<String,String>:

enter image description here

Main.java

package tester;

import java.util.HashMap;
import java.util.Map;
import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.TableView;
import javafx.scene.layout.HBox;
import javafx.stage.Stage;

public class Tester extends Application
{

    @Override
    public void start(Stage primaryStage)
    {
        MapTable mapTable = new MapTable(getDatabaseRecord());

        TableView table = mapTable.getTableView();

        HBox root = new HBox();
        root.getChildren().addAll(table);

        Scene scene = new Scene(root, 500, 500);

        primaryStage.setTitle("Hello World!");
        primaryStage.setScene(scene);
        primaryStage.show();
    }

    /**
     * @param args the command line arguments
     */
    public static void main(String[] args)
    {
        launch(args);
    }

    private Map<String, String> getDatabaseRecord()
    {
        Map<String, String> record1 = new HashMap<>();

        record1.put("firstName", "Joe");
        record1.put("lastName", "Blob");
        record1.put("address", "95 circle ave");
        record1.put("city", "Toronto");
        record1.put("postalCode", "L9Y4Z4");

        return record1;
    }
}

MapTable.java

package tester;

import java.util.Map;
import javafx.beans.property.SimpleStringProperty;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.scene.control.SelectionMode;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;

public class MapTable
{

    private final TableView<Map.Entry<String, String>> table;
    private final ObservableList<Map.Entry<String, String>> data;

    public MapTable(Map map)
    {

        this.table = new TableView<>();
        this.data = FXCollections.observableArrayList(map.entrySet());
        setUpTable();
    }

    private void setUpTable()
    {
        this.table.setEditable(false);
        this.table.setItems(this.data);
        this.table.getSelectionModel().setSelectionMode(SelectionMode.MULTIPLE);
        // use fully detailed type for Map.Entry<String, String> 
        TableColumn<Map.Entry<String, String>, String> column1 = new TableColumn<Map.Entry<String, String>, String>();
        column1.setMinWidth(125);
        column1.setSortable(false);
        column1.setCellValueFactory((TableColumn.CellDataFeatures<Map.Entry<String, String>, String> p) -> new SimpleStringProperty(p.getValue().getKey()));

        TableColumn<Map.Entry<String, String>, String> column2 = new TableColumn<Map.Entry<String, String>, String>();
        column2.setMinWidth(350);
        column2.setSortable(false);
        column2.setCellValueFactory((TableColumn.CellDataFeatures<Map.Entry<String, String>, String> p) -> new SimpleStringProperty(p.getValue().getValue()));


        this.table.getColumns().setAll(column1, column2);

    }

    public TableView getTableView()
    {
        return this.table;
    }
}
0 голосов
/ 23 апреля 2019

Это должно работать для List<Map<String,String>>

enter image description here

Main.java

package tester;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import javafx.application.Application;
import javafx.collections.FXCollections;
import javafx.scene.Scene;
import javafx.scene.control.TableColumn;
import javafx.scene.control.TableView;
import javafx.scene.layout.HBox;
import javafx.stage.Stage;

public class Tester extends Application
{

    @Override
    public void start(Stage primaryStage)
    {

        TableView<LineItem> table = new TableView<>();
        List<Map<String, String>> databaseObject = getDatabaseObject();

        for (String key : databaseObject.get(0).keySet())
        {
            TableColumn<LineItem, String> col = new TableColumn<>(key);
            col.setCellValueFactory((TableColumn.CellDataFeatures<LineItem, String> cellData) -> cellData.getValue().fieldProperty(key));            
            table.getColumns().add(col);

        }
        List<LineItem> data = new ArrayList<>();
        LineItem sequence1 = new LineItem(databaseObject.get(0));
        LineItem sequence2 = new LineItem(databaseObject.get(1));
        data.add(sequence1);
        data.add(sequence2);

        table.setItems(FXCollections.observableArrayList(data));

        table.setPrefWidth(500);

        HBox root = new HBox();
        root.getChildren().addAll(table);

        Scene scene = new Scene(root, 500, 500);

        primaryStage.setTitle("Hello World!");
        primaryStage.setScene(scene);
        primaryStage.show();
    }

    /**
     * @param args the command line arguments
     */
    public static void main(String[] args)
    {
        launch(args);
    }

    private List<Map<String, String>> getDatabaseObject()
    {
        List<Map<String, String>> values = new ArrayList<>();

        Map<String, String> record1 = new HashMap<>();
        record1.put("firstName", "Joe");
        record1.put("lastName", "Blob");
        record1.put("address", "95 circle ave");
        record1.put("city", "Toronto");
        record1.put("postalCode", "L9Y4Z4");
        values.add(record1);

        Map<String, String> record2 = new HashMap<>();
        record2.put("firstName", "Sarah");
        record2.put("lastName", "Blob");
        record2.put("address", "92 main st");
        record2.put("city", "London");
        record2.put("postalCode", "T9Y4K4");
        values.add(record2);

        return values;
    }

}

LineItem.java

package tester;

import java.util.HashMap;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Set;
import javafx.beans.property.SimpleStringProperty;
import javafx.beans.property.StringProperty;

public class LineItem
{

    private final Map<String, StringProperty> fields;

    public LineItem(Map<String, String> record)
    {
        this.fields = new HashMap<>();
        for (String key : record.keySet())
        {
            this.fields.put(key, new SimpleStringProperty());
        }
        for (Entry<String, String> entry : ((Set<Entry<String, String>>) record.entrySet()))
        {

            this.fields.get(entry.getKey()).set(entry.getValue());
        }
    }

    public final StringProperty fieldProperty(String key)
    {
        return this.fields.get(key);
    }

}
...