JavaFX - 3D 球体



球体是在三维空间中一个完全圆形的几何物体,是完全圆形球体的表面。

球体定义为三维空间中所有与给定点距离相等的一组点。此距离r是球体的半径,给定点是球体的中心。

3d Sphere

在 JavaFX 中,球体由名为Sphere的类表示。此类属于包javafx.scene.shape。通过实例化此类,可以在 JavaFX 中创建一个球体节点。

此类具有名为radius的双精度数据类型属性。它表示球体的半径。要绘制球体,需要通过在实例化时将其传递给此类的构造函数来为此属性设置值,如下所示:

Sphere sphere = new Sphere(radius);

或者,使用名为setRadius()的方法,如下所示:

setRadius(value); 

绘制 3D 球体的步骤

按照以下步骤在 JavaFX 中绘制球体 (3D)。

步骤 1:创建类

创建一个 Java 类并继承包javafx.applicationApplication类,并实现此类的start()方法,如下所示。

public class ClassName extends Application { 
  @Override     
   public void start(Stage primaryStage) throws Exception {     
   }    
}

步骤 2:创建球体

可以通过实例化名为Sphere的类来在 JavaFX 中创建球体,该类属于包javafx.scene.shape。可以按如下方式实例化此类。

//Creating an object of the class Sphere 
Sphere sphere = new Sphere();

步骤 3:设置球体的属性

使用名为setRadius()的方法设置球体的半径,如下所示。

//Setting the radius of the Sphere 
sphere.setRadius(300.0);

步骤 4:创建 Group 对象

start()方法中,通过实例化名为Group的类(属于包javafx.scene)来创建一个组对象。

将上一步中创建的球体(节点)对象作为参数传递给 Group 类的构造函数。为了将其添加到组中,应该这样做,如下所示:

Group root = new Group(sphere);

步骤 5:创建 Scene 对象

通过实例化名为Scene的类(属于包javafx.scene)来创建一个场景。为此类传递上一步中创建的 Group 对象(root)。

除了 root 对象之外,还可以传递两个双精度参数,分别表示屏幕的高度和宽度,以及 Group 类的对象,如下所示。

Scene scene = new Scene(group ,600, 300); 

步骤 6:设置舞台的标题

可以使用Stage类的setTitle()方法来设置舞台的标题。primaryStage是作为参数传递给场景类的 start 方法的 Stage 对象。

使用primaryStage对象,将场景的标题设置为示例应用程序,如下所示。

primaryStage.setTitle("Sample Application"); 

步骤 7:将场景添加到舞台

可以使用名为Stage的类的setScene()方法将 Scene 对象添加到舞台。使用此方法添加上一步中准备的 Scene 对象,如下所示。

primaryStage.setScene(scene); 

步骤 8:显示舞台的内容

使用Stage类的名为show()的方法显示场景的内容,如下所示。

primaryStage.show(); 

步骤 9:启动应用程序

从 main 方法调用Application类的静态方法launch()来启动 JavaFX 应用程序,如下所示。

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

示例

以下程序演示如何使用 JavaFX 生成球体。将此代码保存在名为SphereExample.java的文件中。

import javafx.application.Application; 
import javafx.scene.Group; 
import javafx.scene.Scene; 
import javafx.stage.Stage; 
import javafx.scene.shape.Sphere; 
         
public class SphereExample extends Application { 
   @Override 
   public void start(Stage stage) { 
      //Drawing a Sphere  
      Sphere sphere = new Sphere();  
      
      //Setting the properties of the Sphere 
      sphere.setRadius(50.0);   
       
      sphere.setTranslateX(200); 
      sphere.setTranslateY(150);      
       
      //Creating a Group object  
      Group root = new Group(sphere); 
         
      //Creating a scene object 
      Scene scene = new Scene(root, 600, 300);  
      
      //Setting title to the Stage 
      stage.setTitle("Drawing a Sphere - draw fill");
      
      //Adding scene to the stage 
      stage.setScene(scene); 
         
      //Displaying the contents of the stage 
      stage.show(); 
   }      
   public static void main(String args[]){ 
      launch(args); 
   } 
}

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

javac SphereExample.java 
java SphereExample 

执行后,上述程序将生成一个 JavaFX 窗口,显示如下所示的球体。

Drawing 3dSphere
javafx_3d_shapes.htm
广告