JSplitPane
Create JSplitPane example
This is an example on how to create a new JSplitPane
component for a Java Desktop Application.The JSplitPane
is commonly used component because it lets you split your window horizontally or vertically in order to create a wide variety of GUI elements to suit your application’s needs.
In short in order to create a JSplitPane
component in Java, one should follow these steps:
- Create a new
JFrame
. - Call
frame.getContentPane().setLayout(new FlowLayout())
to set flow layout for the frame. - Create two String arrays that will containt the contents of the two areas of the
JSplitPane
. - Create two
JScrollPane
components. - Create a new
JSplitPane
with the aboveJScrollPane
components in each side. - Use
frame.getContentPane().add(splitPane)
to add the spilt pane to your frame
package com.javacodegeeks.snippets.desktop; import java.awt.FlowLayout; import java.awt.Panel; import javax.swing.JComboBox; import javax.swing.JFrame; import javax.swing.JSplitPane; public class CreateJSplitPaneExample { private static void createAndShowGUI() { // Create and set up the window. final JFrame frame = new JFrame("Split Pane Example"); // Display the window. frame.setSize(200, 200); frame.setVisible(true); frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE); // set flow layout for the frame frame.getContentPane().setLayout(new FlowLayout()); String[] options1 = { "Bird", "Cat", "Dog", "Rabbit", "Pig" }; JComboBox combo1 = new JComboBox(options1); String[] options2 = { "Car", "Motorcycle", "Airplane", "Boat" }; JComboBox combo2 = new JComboBox(options2); Panel panel1 = new Panel(); panel1.add(combo1); Panel panel2 = new Panel(); panel2.add(combo2); JSplitPane splitPane = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT, panel1, panel2); // JSplitPane splitPane = new JSplitPane(JSplitPane.VERTICAL_SPLIT, panel1, panel2); frame.getContentPane().add(splitPane); } public static void main(String[] args) { //Schedule a job for the event-dispatching thread: //creating and showing this application's GUI. javax.swing.SwingUtilities.invokeLater(new Runnable() { public void run() { createAndShowGUI(); } }); } }
This was an example on how to create a JSplitPane component for a Java Desktop Application.