JavaFX - 单选按钮



按钮是一个组件,按下时会执行诸如提交和登录之类的操作。它通常用文本或图像标记,以指定相应的操作。单选按钮是一种按钮,形状为圆形。它有两种状态:选中和未选中。下图显示了一组单选按钮:

JavaFX Radio Button

JavaFX 中的单选按钮

在 JavaFX 中,RadioButton 类表示单选按钮,它是名为 javafx.scene.control 包的一部分。它是 ToggleButton 类的子类。每当按下或释放单选按钮时,都会生成操作。通常,单选按钮使用切换组进行分组,在切换组中,您只能选择其中一个。我们可以使用 setToggleGroup() 方法将单选按钮设置为组。

要创建单选按钮,请使用以下构造函数:

  • RadioButton() - 此构造函数将创建一个没有标签的单选按钮。

  • RadioButton(String str) - 这是一个带参数的构造函数,它使用指定的标签文本构造一个单选按钮。

示例

以下是将创建 RadioButton 的 JavaFX 程序。将此代码保存在名为 JavafxRadiobttn.java 的文件中。

import javafx.application.Application;
import javafx.geometry.Insets;
import javafx.scene.Scene;
import javafx.scene.control.RadioButton;
import javafx.scene.control.ToggleGroup;
import javafx.scene.layout.VBox;
import javafx.scene.paint.Color;
import javafx.stage.Stage;
public class JavafxRadiobttn extends Application {
   @Override
   public void start(Stage stage) {
      //Creating toggle buttons
      RadioButton button1 = new RadioButton("Java");
      RadioButton button2 = new RadioButton("Python");
      RadioButton button3 = new RadioButton("C++");
      //Toggle button group
      ToggleGroup group = new ToggleGroup();
      button1.setToggleGroup(group);
      button2.setToggleGroup(group);
      button3.setToggleGroup(group);      
      //Adding the toggle button to the pane
      VBox box = new VBox(5);
      box.setFillWidth(false);
      box.setPadding(new Insets(5, 5, 5, 50));
      box.getChildren().addAll(button1, button2, button3);
      //Setting the stage
      Scene scene = new Scene(box, 400, 300, Color.BEIGE);
      stage.setTitle("Toggled Button Example");
      stage.setScene(scene);
      stage.show();
   }
   public static void main(String args[]){
      launch(args);
   }
}

使用以下命令从命令提示符编译并执行保存的 Java 文件:

javac --module-path %PATH_TO_FX% --add-modules javafx.controls JavafxRadiobttn.java
java --module-path %PATH_TO_FX% --add-modules javafx.controls JavafxRadiobttn

输出

执行上述程序后,将生成以下输出:

RadioButton Output
广告