JavaFX makeover for the NetBeans Platform

I was honoured to present last weekend at the Java 9 and Women in Tech Unconference in Sandton, South Africa. The topic of the presentation was a JavaFX makeover for the NetBeans Platform – get the slides here.

Today I want to share the details of the process of transforming the GUI of an existing NetBeans Platform Application from Swing to JavaFX. There was not enough time to discuss all the details during the presentation, so I prepared the project before I started. However, here I will describe all of the steps that are required. I am using JDK 8, NetBeans 8.1 (the Java SE bundle has everything we need) and Scene Builder 2.0.

1 – Create the sample application

The application that I will be giving a makeover is the Sample CRUD Application that ships with the NetBeans IDE. From the File menu, choose New Project… Browse to the Samples > NetBeans modules category and choose Sample CRUD Application. On the next page of the wizard, specify a location and click Finish.

Creating the Sample CRUD Application
Creating the Sample CRUD Application

At this point, the sample application will not compile – please read my earlier post about Module Dependencies and Java 8 for more information. Here is a brief summary of the two steps that are required:

  • Add a dependency on the Explorer & Property Sheet API for the CustomerEditor module.
  • Remove the Command-line Serviceability module from the application.

Run the application. It should look something like this:

CRUD Application
Running CRUD Application

2 – Create a new module

Lets create a new module to house our JavaFX code. Right-click on the Modules node under the CRUD Customber DB Manager project, and choose Add New… Follow the steps of the wizard – I called my project JavaFXWindowSystem and I chose za.co.pellissier.javafxwindowsystem as my code name base. If you are following step by step, I suggest that you keep at least the code name base the same.

Creating a new module
Creating a new module

3 – Find the right class to replace

It is possible to replace the Window System of the NetBeans Platform because it was designed right from the start in a very modular way. (Reading the platform source code, you might spot cases where there are specialized mock classes in the unit tests that are loaded just like the normal implementations, except during test execution.)

Before continuing, you will have to download and configure the source code of the NetBeans platform if you want to follow the steps. On the NetBeans download page, you will find a link referring to ZIP files for that build. (For the latest version, that link points here.) Download the file ending in platform-src.zip, and extract its contents. In the NetBeans IDE, access Tools > NetBeans Platforms. Under the Sources tab, choose the folder where the extracted source code lives, and close the dialog box.

If you have worked with the NetBeans Window System before, you will probably have encountered the class WindowManager before. This is the most important class when it comes to, well, managing windows. So lets find a spot where we can debug into that class to see what is going on. The easiest spot to put the code is in module CustomerViewer, org.netbeans.modules.customerviewer.CustomerTopComponent, in the method componentOpened(). The framework will call this method when the window is opened. Put these two lines of code into that method:

[java]WindowManager winMngr = WindowManager.getDefault();
winMngr.getMainWindow();[/java]

Remember to fix any imports that are missing (Ctrl + Shift + I on Windows).

With the platform source code set up, you can Ctrl + Left Click on the name of the WindowManager class to access the source code of the platform. Go ahead and do so – be brave! 🙂

[java]public abstract class WindowManager extends Object implements Serializable {[/java]

You will notice that WindowManager is in fact an abstract class. So we will need to locate the concrete implementation that needs replacing. The easiest way to do this in a very modular system like this is to debug. So put a breakpoint on the first line that we inserted (by clicking in the left margin) and start the application in debug mode by clicking the Debug Project button on the main toolbar.

When the breakpoint is hit, step over the first line (F8). And then step into the getMainWindow() call on the second line (F7). Take a look at the class that you encounter…

[java]package org.netbeans.core.windows;

@org.openide.util.lookup.ServiceProvider(service=org.openide.windows.WindowManager.class)
public final class WindowManagerImpl extends WindowManager implements Workspace {[/java]

We have found it – WindowManagerImpl is the class that we need to replace.

4 – Create a basic new WindowManager implementation

In the new za.co.pellissier.javafxwindowsystem package of the new module, create a class called JavaFXWindowManager and add the service provider annotation:

[java]@org.openide.util.lookup.ServiceProvider(service=org.openide.windows.WindowManager.class,
supersedes = “org.netbeans.core.windows.WindowManagerImpl”)
public class JavaFXWindowManager extends WindowManager {[/java]

The annotation indicates what type of service the class provides, and it also (very important!) indicates that this new implementation will supersede the existing one.

Now we need to add some dependencies in order to resolve all the imports.

Adding a dependency
Adding a dependency
Adding Window System API
Adding Window System API dependency

Add the following dependencies:

  • Lookup API
  • Nodes API
  • Utilities API
  • Window System API

Implement all abstract methods (hint in the margin) and fix imports again if necessary.

Quite a long list of methods will be generated, but thankfully there is only one that we are interested in implementing right now – getMainWindow(). So lets add the basics of creating a window:

[java]@ServiceProvider(service = WindowManager.class,
supersedes = “org.netbeans.core.windows.WindowManagerImpl”)
public class JavaFXWindowManager extends WindowManager {

public static JFrame mMainWindow = new JFrame();

public JavaFXWindowManager() {

mMainWindow.setSize(new Dimension(640, 480));
mMainWindow.addWindowListener(new WindowAdapter()
{
@Override
public void windowClosing(WindowEvent evt)
{
LifecycleManager.getDefault().exit();
}
}
);
}

@Override
public Frame getMainWindow() {
return mMainWindow;
}[/java]

When you fix imports, make sure that you import java.awt.event.WindowEvent and NOT the JavaFX equivalent!

Note that I added a call to the NetBeans Platform’s LifecycleManager when the application is closed. This ensures that the normal process will be followed for shutting the application down, just like the original Window System would have done.

5 – Fix the issues caused by replacing the WindowManager

Clean and build, and then run the application, and have a look at the exception that is raised by the framework:

[text]java.lang.ClassCastException: za.co.pellissier.javafxwindowsystem.JavaFXWindowManager cannot be cast to org.netbeans.core.windows.WindowManagerImpl
at org.netbeans.core.windows.WindowManagerImpl.getInstance(WindowManagerImpl.java:148)
at org.netbeans.core.windows.WindowSystemImpl.load(WindowSystemImpl.java:78)
at org.netbeans.core.GuiRunLevel$InitWinSys.run(GuiRunLevel.java:229)
at java.awt.event.InvocationEvent.dispatch(InvocationEvent.java:311)
at java.awt.EventQueue.dispatchEventImpl(EventQueue.java:756)

[/text]

So we see that there is another class that is involved – WindowSystemImpl. Let us replace it with a new class as well – create a class called JavaFXWindowSystem in the same package:

[java]@ServiceProvider(service=WindowSystem.class, supersedes = “org.netbeans.core.windows.WindowSystemImpl”)
public class JavaFXWindowSystem implements WindowSystem {

@Override
public void init() {
}

@Override
public void show() {
JavaFXWindowManager.getDefault().getMainWindow().setVisible(true);
}

@Override
public void hide() {
JavaFXWindowManager.getDefault().getMainWindow().setVisible(false);
}

@Override
public void load() {
}

@Override
public void save() {
}
}[/java]

This time adding the required dependencies is more difficult. We need a dependency on the Core module – click the Show Non-API Module checkbox to even see it on the list of dependencies.

Add a dependency on Core
Add a dependency on Core

Once it is added, edit the dependency and set it to use implementation version.

Editing dependency
Editing dependency
Setting implementation version
Setting implementation version

If you do not do this, you will see this error message:

[text]The module za.co.pellissier.javafxwindowsystem is not a friend of org-netbeans-core.jar[/text]

Do take note that this means that you are setting a dependency on a very specific version of the Core module – should you ever change the version of the NetBeans Platform that you build against, you would have to fix this dependency!

You will have to stop the previous execution from the IDE before running the application again. Running it again now shows a very minimal JFrame:

Empty JFrame
Empty JFrame

6 – Including Branding

A NetBeans Platform Application includes branding information – application icons, splash screen image and so forth. To improve the look of our very basic JFrame, we can use some of these elements:

[java]public JavaFXWindowManager() {

mMainWindow.setSize(new Dimension(640, 480));
mMainWindow.addWindowListener(new WindowAdapter()
{
@Override
public void windowClosing(WindowEvent evt)
{
LifecycleManager.getDefault().exit();
}
}
);

String title = NbBundle.getBundle(“org.netbeans.core.windows.view.ui.Bundle”).getString(“CTL_MainWindow_Title_No_Project”); //NOI18N
if (!title.isEmpty())
{
mMainWindow.setTitle(title);
}
mMainWindow.setIconImages(Arrays.asList(
ImageUtilities.loadImage(“org/netbeans/core/startup/frame.gif”, true),
ImageUtilities.loadImage(“org/netbeans/core/startup/frame32.gif”, true),
ImageUtilities.loadImage(“org/netbeans/core/startup/frame48.gif”, true)));
mMainWindow.setLayout(new java.awt.BorderLayout());
}[/java]

Add a dependency on the Base Utilities API module and fix imports.

Now the main window title and application icons are set just like would be done for a standard NetBeans Platform application. So you can configure these elements in the normal branding window in the IDE!

With Branding
With Branding

7 – Building a new GUI

All the difficult parts are now done – from this point on, we can develop a normal JavaFX GUI using SceneBuilder and the JavaFX infrastructure in the NetBeans IDE. Here is the contents of my crudwindow.fxml file:

[xml]







[/xml]

And the CrudwindowController controller class, which contains bits and pieces copied from the sample code to make the DB access work:

[java]package za.co.pellissier.javafxwindowsystem;

import demo.Customer;
import java.net.URL;
import java.util.ArrayList;
import java.util.List;
import java.util.ResourceBundle;
import javafx.beans.value.ChangeListener;
import javafx.beans.value.ObservableValue;
import javafx.collections.FXCollections;
import javafx.collections.ObservableList;
import javafx.fxml.FXML;
import javafx.fxml.Initializable;
import javafx.scene.control.ListView;
import javafx.scene.control.TextField;
import javax.persistence.EntityManager;
import javax.persistence.EntityManagerFactory;
import javax.persistence.Persistence;
import javax.persistence.Query;
import javax.swing.SwingUtilities;
import org.netbeans.modules.customerdb.JavaDBSupport;

/**
* FXML Controller class
*
* @author Hermien Pellissier
*/
public class CrudwindowController implements Initializable {

@FXML
private ListView list;
@FXML
private TextField txtName;
@FXML
private TextField txtCity;

private static class CustomerWrapper
{
private String displayName;
private Customer customer;

public String getDisplayName() {
return displayName;
}

public void setDisplayName(String displayName) {
this.displayName = displayName;
}

public Customer getCustomer() {
return customer;
}

public void setCustomer(Customer customer) {
this.customer = customer;
}

@Override
public String toString() {
return displayName;
}
}

/**
* Initializes the controller class.
*/
@Override
public void initialize(URL url, ResourceBundle rb) {
JavaDBSupport.ensureStartedDB();
EntityManagerFactory factory = Persistence.createEntityManagerFactory(“CustomerDBAccessPU”);
if (factory == null) {
// XXX: message box?
return ;
}
EntityManager entityManager = null;
try {
entityManager = factory.createEntityManager();
} catch (RuntimeException re) {
// XXX: message box?
return ;
}
final Query query = entityManager.createQuery(“SELECT c FROM Customer c”);
SwingUtilities.invokeLater(new Runnable () {
@Override
public void run() {
@SuppressWarnings(“unchecked”)
List resultList = query.getResultList();
List wrappersList = new ArrayList<>();
for (Customer customer : resultList) {
CustomerWrapper w = new CustomerWrapper();
w.setCustomer(customer);
w.setDisplayName(customer.getName());
wrappersList.add(w);
}
ObservableList items = FXCollections.observableArrayList(wrappersList);
list.setItems(items);
}
});

list.getSelectionModel().selectedItemProperty().addListener(
new ChangeListener() {
@Override
public void changed(ObservableValue ov,
CustomerWrapper old_val, CustomerWrapper new_val) {
txtName.setText(new_val.getDisplayName());
txtCity.setText(new_val.getCustomer().getCity());
}
});
}
}[/java]

Note that you will need a dependency on the CustomerDBAccessLibrary module from the sample app.

The last step is add the code to display the JavaFX scene to the end of the constructor of the JavaFXWindowManager class:

[java] try {
JFXPanel fxPanel = new JFXPanel();
Parent root = FXMLLoader.load(JavaFXWindowManager.class.getResource(“crudwindow.fxml”));
Scene scene = new Scene(root);
fxPanel.setScene(scene);
mMainWindow.add(fxPanel, BorderLayout.CENTER);
}
catch (IOException ex) {
Exceptions.printStackTrace(ex);
}[/java]

The complete project structure now looks like this:

Completed Project
Completed Project

And the running application:

The new JavaFX GUI
The new JavaFX GUI

Instructional designer, educational technologist and occasional lecturer who loves travel and photography

9 thoughts on “JavaFX makeover for the NetBeans Platform”

  1. Hallo,

    very thanks for your blog article. The switch to the JavaFX window manager is fine but what about all of the great multi-module layer.xml-based configuration stuff for actions, windows? Is there a possibility to use this also for the JavaFX based UI?

    best regards
    Oliver

    Reply
    • Actions can certainly be reused – I will explain that in a future post as soon as I am back from holiday. 🙂

      Reply
    • I managed to find a way to load and display an existing top component in a tabbed pane, but the performance is terrible and the JavaFX menu bar stops working when I call this. So use at your own peril, but here is the method that I put into my JavaFX controller class:

      private void displayTopComponent(final String tcID) {
      final SwingNode swingNode = new SwingNode();
      SwingUtilities.invokeLater(new Runnable() {
      @Override
      public void run() {
      TopComponent topComponentForID = PersistenceManager.getDefault().
      getTopComponentForID(tcID, true);
      swingNode.setContent(topComponentForID);
      }
      });
      tabPane.getTabs().add(new Tab(tcID, swingNode));
      }

      You will need a dependency on Core – Windows if you don’t have one yet.

      Reply
  2. Hi,
    Congratulations for the excellent article. The debugging approach to replace the platform’s components is very interesting!
    Most of the tutorials I’ve seen are about using JFXPanels into TopComponents to integrate JavaFx into the platform, but the resulting visual appearance is quite disappointing. Do you think TopComponents could be replaced with JavaFx counterparts with modes/docking functionality?
    Thanks!
    .

    Reply
    • I have some ideas for integrating existing windows. But I will have to try them out when I get back from holiday… So watch this space. 🙂

      Reply
    • Have a look at my latest post for a first implementation of dynamically loaded windows in JavaFX. No docking yet, and only a single mode, but it is a step in the right direction. 🙂

      Reply

Leave a Comment