JavaFX TabPane: How to listen to selection changes
The right way to use change listener is this:
chatTabs.getSelectionModel().selectedItemProperty().addListener(
new ChangeListener<Tab>() {
@Override
public void changed(ObservableValue<? extends Tab> ov, Tab t, Tab t1) {
System.out.println("Tab Selection changed");
}
}
);
Why code in question didn't work? I guess its because your change listener listens to changes in "selectionModel
" instead of "selectedItem
"
Finding out when a tab has been added or removed is a little trickier:
tabs.addListener( (Change<? extends Tab> change) -> {
while( change.next() ) {
if( change.wasAdded() ) {
for( final Tab tab : change.getAddedSubList() ) {
System.out.println( "Tab Added: " + tab );
}
} else if( change.wasRemoved() ) {
// ...
}
}
} );
Or in Java 8 using lambda expression....
chatTabs.getSelectionModel().selectedItemProperty().addListener((ov, oldTab, newTab) -> {
System.err.println("changed");
});
I think a much better and more natural approach is using Tab.setOnSelectionChanged. Here's a complete little program that implements that approach. You can see a MUCH more complete example here: http://sandsduchon.org/duchon/cs335/fx020.html
Note that you should also use Tab.isSelected to react correctly to selecting this tab or unselecting that this tab.
import javafx.application.Application; // FX base, requires start(Stage)
import javafx.stage.Stage; // required by start (Stage)
import javafx.scene.Scene; // no scene --> no display
import javafx.scene.control.TabPane;
import javafx.scene.control.Tab;
public class TabDemo extends Application {
public void start (Stage stage) {
TabPane tabPane = new TabPane ();
Tab tba = new Tab ("one");
Tab tbb = new Tab ("two");
tabPane.getTabs().addAll (tba, tbb);
tba.setOnSelectionChanged (e ->
System.out.println (
tba.isSelected()?
"a selected":
"a unselected"
)
);
Scene scene = new Scene (tabPane, 200, 50);
stage.setScene (scene);
stage.setTitle ("A Study of tab listeners");
stage.show ();
} // end start
} // end class TabDemo