I made a Java swing application. My main class does the whole SwingUtilities.invokeLater(new Runnable()
stuff.
My second class where everything is I've used:
JPanel container = (JPanel) getContentPane();
Then added all the bits by calling..
container.add([name of component]
I'd now like to get this entire 'application' into a JSplitPane
. Hence I want my application on one side and something else on the right side.
How do I do this?
public class one{
SwingUtilities.invokeLater(new Runnable() {
@Override
public void run() {
JFrame f = new App("main");
f.setSize(1920,1080);
f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
f.setVisible(true);
}
public class App extends JFrame {
SuppressWarnings("empty-statement")
public App(String title) {
super(title);
JPanel container = (JPanel) getContentPane();
container.setLayout(new GridBagLayout());
GridBagConstraints c = new GridBagConstraints();
JButton new button = new JButton("new");
c.gridx = 0;
c.gridy = 0;
c.gridwidth = 2;
//ENTER LOTS OF CONSTRAINTS
container.add(new, c);
JButton next to button = new JButton("next to");
c.gridx = 1;
c.gridy = 1;
c.gridwidth = 2;
//ENTER LOTS OF CONSTRAINTS
container.add(new, c);
//I HAVE LOTS OF SWING COMPONENTS AND BUTTONS about 30
}
I want all of this in the left of the split pane?
how do I do this?
JFrame
, you're not adding any functionality to, instead, move all you application components and logic to a separate JPanel
JSplitPane
, add the "main" panel to it, add you secondary pane to itJFrame
, add the split pane to it...UPDATED
public class TestSplitPane {
public static void main(String[] args) {
new TestSplitPane();
}
public TestSplitPane() {
EventQueue.invokeLater(new Runnable() {
@Override
public void run() {
try {
UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
} catch (ClassNotFoundException | InstantiationException | IllegalAccessException | UnsupportedLookAndFeelException ex) {
}
JSplitPane pane = new JSplitPane(JSplitPane.HORIZONTAL_SPLIT);
pane.setLeftComponent(new MainPane());
pane.setRightComponent(new JLabel("On the right"));
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.setLayout(new BorderLayout());
frame.add(pane);
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
public class MainPane extends JPanel {
public MainPane() {
setLayout(new GridBagLayout());
GridBagConstraints c = new GridBagConstraints();
JButton newButton = new JButton("new");
c.gridx = 0;
c.gridy = 0;
c.gridwidth = 2;
//ENTER LOTS OF CONSTRAINTS
add(newButton, c);
JButton next = new JButton("next to");
c.gridx = 1;
c.gridy = 1;
c.gridwidth = 2;
//ENTER LOTS OF CONSTRAINTS
add(next, c);
}
}
}