2 回答

TA貢獻1827條經(jīng)驗 獲得超9個贊
selected我不認為你真的可以提高代碼的性能,但為了可讀性,你可以在單獨的方法中進行更改。例如
static void allSetSelected(boolean isSelected, CheckBox... boxes ) {
Arrays.stream(boxes).forEach(b -> b.setSelected(isSelected));
}
并像這樣在您的代碼中使用它
public void cbxSalesSelectA() {
boolean t = cbx_SALES_Select_All.getText().equals("Select All");
allSetSelected(t, cbx_SALESQtySold,
cbx_SALESDateSold,
cbx_SALESCustomer,
cbx_SALESDiscount,
cbx_SALESLineNumber,
cbx_SALESConsultant,
cbx_SALES_Header_Row)
if (t) {
cbx_SALES_Select_All.setText("Deselect All");
} else {
cbx_SALES_Select_All.setText("Select All");
}
}
public void cbxLOCSelectA() {
boolean t = cbx_LOC_Select_All.getText().equals("Select All");
allSetSelected(t, cbx_LOCHeight, cbx_LOCWidth, cbx_LOCDepth, cbx_LOCWeightCap, cbx_LOCAccessibility, cbx_LOC_Header_Row);
if (t) {
cbx_LOC_Select_All.setText("Deselect All");
} else {
cbx_LOC_Select_All.setText("Select All");
}
}

TA貢獻1848條經(jīng)驗 獲得超2個贊
如果您使用 ArrayList 或復(fù)選框?qū)ο髷?shù)組,則只需使用循環(huán)來遍歷所有復(fù)選框并根據(jù)需要選中或取消選中它們。
例如,
import javafx.application.Application;
import javafx.collections.FXCollections;
import javafx.scene.Scene;
import javafx.scene.control.CheckBox;
import javafx.scene.control.ComboBox;
import javafx.scene.layout.VBox;
import javafx.stage.Stage;
import java.util.ArrayList;
import java.util.List;
public class Example extends Application {
@Override
public void start(Stage primaryStage) throws Exception {
// Creating an ArrayList here and adding all the checkboxes required. In your
// case you'd add your existing checkboxes
List<CheckBox> list = new ArrayList<>();
list.add(new CheckBox());
list.add(new CheckBox());
list.add(new CheckBox());
list.add(new CheckBox());
// this combobox controls whether or not all checkboxes are selected
ComboBox<String> comboBox = new ComboBox<>();
// two options to either select all or deselect all checkboxes
comboBox.setItems(FXCollections.observableArrayList("Select All", "Deselect All"));
// container to hold all the controls
VBox vBox = new VBox();
vBox.getChildren().add(comboBox);
vBox.getChildren().addAll(list);
// this is the important bit
// if the combobox selection is changed, then this fires
comboBox.setOnAction(event -> {
// if the selected option is select all, then a for-each loop is used to make all the
// checkboxes in the arraylist checked and vice versa if the deselect option is selected
if (comboBox.getSelectionModel().getSelectedItem().equalsIgnoreCase("Select All")) {
for (CheckBox checkBox : list) checkBox.setSelected(true);
} else {
for (CheckBox checkBox : list) checkBox.setSelected(false);
}
});
primaryStage.setScene(new Scene(vBox));
primaryStage.setTitle("Example");
primaryStage.setWidth(600);
primaryStage.setHeight(400);
primaryStage.show();
}
}
希望這可以幫助。
添加回答
舉報