我在TabPane的一个标签中有一个TableView。我想在单元格上添加一个click事件,即用户ID,这样当用户点击特定用户ID时,我会打开一个包含用户特定详细信息的新选项卡。如何将事件监听器添加到列中的所有单元格?
<TableView fx:controller="tableViewController"
fx:id="tableViewTable" xmlns:fx="http://javafx.com/fxml/1" xmlns="http://javafx.com/javafx/8">
<columnResizePolicy>
<TableView fx:constant="CONSTRAINED_RESIZE_POLICY" />
</columnResizePolicy>
<columns>
<TableColumn text="First Name">
<cellValueFactory>
<PropertyValueFactory property="firstName" />
</cellValueFactory>
</TableColumn>
<TableColumn text="Last Name">
<cellValueFactory>
<PropertyValueFactory property="lastName" />
</cellValueFactory>
</TableColumn>
<TableColumn text="User Id">
<cellValueFactory>
<PropertyValueFactory property="userId" />
</cellValueFactory>
</TableColumn>
</columns>
</TableView>
此博客http://java-buddy.blogspot.com/2013/05/detect-mouse-click-on-javafx-tableview.html谈到以编程方式捕获点击事件,如何在使用FXML时做类似的事情?
答案 0 :(得分:2)
您需要在控制器中执行此操作。将fx:id
添加到表格列(例如fx:id="userIdColumn"
),然后在控制器中设置列上的单元格工厂:
public class TableViewController {
@FXML
private TableColumn<User, String> userIdColumn ;
public void initialize() {
userIdColumn.setCellFactory(tc -> {
TableCell<User, String> cell = new TableCell<User, String>() {
@Override
protected void updateItem(String item, boolean empty) {
super.updateItem(item, empty) ;
setText(empty ? null : item);
}
};
cell.setOnMouseClicked(e -> {
if (! cell.isEmpty()) {
String userId = cell.getItem();
// do something with id...
}
};
return cell ;
});
// other initialization code...
}
// other controller code...
}
这里我假设您的表显示您创建的某个类User
的对象,并且用户ID是String
。显然你可以根据需要调整类型。