MadPro
MadPro

Reputation: 273

How to get the selected Tab from the TabPane with JavaFX?

I am searching for how to get the selected tab from a TabPane just by clicking on a button with JavaFX. I've tried to do it with the ChangeListener but it doesn't work yet.

So how can I do that?

Upvotes: 8

Views: 21628

Answers (2)

Navaneeth
Navaneeth

Reputation: 126

tabPane.getSelectionModel().getSelectedIndex().

Upvotes: 3

brian
brian

Reputation: 10979

As with many JavaFX controls there is a SelectionModel to get first.

tabPane.getSelectionModel().getSelectedItem(); To get the currently selected tab, or alternatively, getSelectedIndex() for the index of the selected tab.

import javafx.application.Application;
import javafx.scene.Scene;
import javafx.scene.control.Button;
import javafx.scene.control.Label;
import javafx.scene.control.Tab;
import javafx.scene.control.TabPane;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;

public class TabSelect extends Application {

    @Override
    public void start(Stage primaryStage) {
        TabPane tabPane = new TabPane();
        tabPane.getTabs().addAll(new Tab("tab 1"),
                                 new Tab("tab 2"),
                                 new Tab("tab 3"));
        Button btn = new Button();
        btn.setText("Which tab?");
        Label label = new Label();
        btn.setOnAction((evt)-> {
            label.setText(tabPane.getSelectionModel().getSelectedItem().getText());
        });

        VBox root = new VBox(10);
        root.getChildren().addAll(tabPane, btn, label);
        Scene scene = new Scene(root, 300, 300);
        primaryStage.setScene(scene);
        primaryStage.show();

        //you can also watch the selectedItemProperty
        tabPane.getSelectionModel().selectedItemProperty().addListener((obs,ov,nv)->{
            primaryStage.setTitle(nv.getText());
        });

    }

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

}

Upvotes: 14

Related Questions