This simple example show you how to use the JSlider
component. A JSlider
component is intended to let the user easily enter a numeric value bounded by a minimum and maximum value.
There are a couples properties that you need to set when creating a JSlider
. These include setting setMinorTickSpacing()
, setMajorTickSpacing()
, setPaintTicks()
and setPaintLabels()
. These methods set the minor tick spacing, major tick spacing, display the ticks and the tick labels.
To get the selected value from JSlider
we need to implements the stateChanged()
method defined in the ChangeListener
interface and then pass the listener to the JSlider
by calling the addChangeListener()
method.
package org.kodejava.swing;
import javax.swing.*;
import javax.swing.event.ChangeEvent;
import javax.swing.event.ChangeListener;
import java.awt.*;
public class JSliderDemo extends JPanel implements ChangeListener {
private JTextField field;
public JSliderDemo() {
initializeUI();
}
private void initializeUI() {
setLayout(new BorderLayout());
setPreferredSize(new Dimension(500, 200));
// Creates an instance of JSlider with a horizontal
// orientation. Define 0 as the minimal value and
// 50 as the maximum value. The initial value is set
// to 10.
JSlider slider = new JSlider(JSlider.HORIZONTAL, 0, 50, 10);
slider.setPaintTicks(true);
slider.setPaintLabels(true);
slider.setMinorTickSpacing(1);
slider.setMajorTickSpacing(10);
slider.addChangeListener(this);
JLabel label = new JLabel("Selected Value:");
field = new JTextField(5);
JPanel panel = new JPanel();
panel.setLayout(new FlowLayout());
panel.add(label);
panel.add(field);
add(slider, BorderLayout.NORTH);
add(panel, BorderLayout.SOUTH);
}
public void stateChanged(ChangeEvent e) {
JSlider slider = (JSlider) e.getSource();
// Get the selection value of JSlider
field.setText(String.valueOf(slider.getValue()));
}
public static void showFrame() {
JPanel panel = new JSliderDemo();
panel.setOpaque(true);
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);
frame.setTitle("JSlider Demo");
frame.setContentPane(panel);
frame.pack();
frame.setVisible(true);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
JSliderDemo.showFrame();
}
});
}
}
Below is the result of the code snippet above.
Latest posts by Wayan (see all)
- How do I get number of each day for a certain month in Java? - September 8, 2024
- How do I get operating system process information using ProcessHandle? - July 22, 2024
- How do I sum a BigDecimal property of a list of objects using Java Stream API? - July 22, 2024