Java Swing Events
Events are an important part in any GUI program. All GUI applications are event-driven. An application reacts to different event types which are generated during its life. Events are generated mainly by the user of an application. But they can be generated by other means as well. e.g. internet connection, window manager, timer. In the event model, there are three participants:- event source
- event object
- event listener
Event handling in Java Swing toolkit is very powerful and flexible. Java uses Event Delegation Model. We specify the objects that are to be notified when a specific event occurs.
An event object
When something happens in the application, an event object is created. For example, when we click on the button or select an item from a list. There are several types of events. AnActionEvent, TextEvent,  FocusEvent, ComponentEvent etc.  Each of them is created under specific conditions.  Event object has information about an event, that has happened. In the next example, we will analyze an
ActionEvent in more detail.  package zetcode;The code example shows a button and a list. If we click on the button, information about the event is displayed in the list. In our case, we are talking about an
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.text.DateFormat;
import java.util.Date;
import java.util.Locale;
import javax.swing.DefaultListModel;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JList;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class Example extends JFrame implements ActionListener {
private JList list;
private DefaultListModel model;
public Example() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
model = new DefaultListModel();
list = new JList(model);
list.setBounds(150, 30, 220, 150);
JButton okButton = new JButton("Ok");
okButton.setBounds(30, 35, 80, 25);
okButton.addActionListener(this);
panel.add(okButton);
panel.add(list);
add(panel);
setTitle("Event object");
setSize(420, 250);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
public void actionPerformed(ActionEvent e) {
Locale locale = Locale.getDefault();
Date date = new Date(e.getWhen());
String s = DateFormat.getTimeInstance(DateFormat.SHORT,
locale).format(date);
if (!model.isEmpty()) {
model.clear();
}
if (e.getID() == ActionEvent.ACTION_PERFORMED) {
model.addElement(" Event Id: ACTION_PERFORMED");
}
model.addElement(" Time: " + s);
String source = e.getSource().getClass().getName();
model.addElement(" Source: " + source);
int mod = e.getModifiers();
StringBuffer buffer = new StringBuffer(" Modifiers: ");
if ((mod & ActionEvent.ALT_MASK) > 0) {
buffer.append("Alt ");
}
if ((mod & ActionEvent.SHIFT_MASK) > 0) {
buffer.append("Shift ");
}
if ((mod & ActionEvent.META_MASK) > 0) {
buffer.append("Meta ");
}
if ((mod & ActionEvent.CTRL_MASK) > 0) {
buffer.append("Ctrl ");
}
model.addElement(buffer);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
Example ex = new Example();
ex.setVisible(true);
}
});
}
}
ActionEvent class.  The data will be the time, when the event occurred, the id of the event,  the event source and the modifier keys.  public void actionPerformed(ActionEvent event) {
The ActionEvent is an instance of the event, that has occurred. Locale locale = Locale.getDefault();Here we get the time, when the event occurred. The
Date date = new Date(e.getWhen());
String s = DateFormat.getTimeInstance(DateFormat.SHORT,
locale).format(date);
getWhen() method  returns time value in milliseconds. So we must format it appropriately. String source = event.getSource().getClass().getName();Here we add the name of the source of the event to the list. In our case the source is a
model.addElement(" Source: " + source);
JButton. int mod = event.getModifiers();We get the modifier keys. It is a bitwise-or of the modifier constants.
if ((mod & ActionEvent.SHIFT_MASK) > 0)Here we determine, whether we have pressed a Shift key.
buffer.append("Shift ");

Figure: Event Object
Implementation
There are several ways, how we can implement event handling in Java Swing toolkit.- Anonymous inner class
- Inner class
- Derived class
Anonymous inner class
We will illustrate these concepts on a simple event example.package zetcode;In this example, we have a button that closes the window upon clicking.
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class AnonymousInnerClassExample extends JFrame {
public AnonymousInnerClassExample() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
JButton closeButton = new JButton("Close");
closeButton.setBounds(40, 50, 80, 25);
closeButton.addActionListener(new ActionListener() {
public void actionPerformed(ActionEvent event) {
System.exit(0);
}
});
panel.add(closeButton);
add(panel);
setTitle("Anonymous inner class");
setSize(300, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
AnonymousInnerClassExample ex =
new AnonymousInnerClassExample();
ex.setVisible(true);
}
});
}
}
JButton closeButton = new JButton("Close");
The button is the event source. It will generate events. closeButton.addActionListener(new ActionListener() {
    public void actionPerformed(ActionEvent event) {
        System.exit(0);
    }
});
Here we register an action listener with the button. This way,  the events are sent to the event target. The event target in our case is ActionListener class.  In this code, we use an anonymous inner class. Inner class
Here we implement the example using an innerActionListener class.  package zetcode;We have on close button on the panel. The listener is defined inside an inner class, which has a name.
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class InnerClassExample extends JFrame {
public InnerClassExample() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
JButton closeButton = new JButton("Close");
closeButton.setBounds(40, 50, 80, 25);
ButtonCloseListener listener = new ButtonCloseListener();
closeButton.addActionListener(listener);
panel.add(closeButton);
add(panel);
setTitle("Inner class example");
setSize(300, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class ButtonCloseListener implements ActionListener {
public void actionPerformed(ActionEvent e) {
System.exit(0);
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
InnerClassExample ex = new InnerClassExample();
ex.setVisible(true);
}
});
}
}
ButtonCloseListener listener = new ButtonCloseListener();Here we have a non anonymous inner class.
closeButton.addActionListener(listener);
class ButtonCloseListener implements ActionListener {
    public void actionPerformed(ActionEvent e) {
        System.exit(0);
    }
}
The button listener is defined here.  A derived class implementing the listener
The following example will derive a class from a component and implement an action listener inside the class.package zetcode;In this example, we create a MyButton class, which will implement the action listener.
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class DerivedClassExample extends JFrame {
public DerivedClassExample() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
MyButton closeButton = new MyButton("Close");
closeButton.setBounds(40, 50, 80, 25);
panel.add(closeButton);
add(panel);
setTitle("Derived class");
setSize(300, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class MyButton extends JButton implements ActionListener {
public MyButton(String text) {
super.setText(text);
addActionListener(this);
}
public void actionPerformed(ActionEvent e) {
System.exit(0);
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
DerivedClassExample ex = new DerivedClassExample();
ex.setVisible(true);
}
});
}
}
MyButton closeButton = new MyButton("Close");
Here we create the MyButton custom class. class MyButton extends JButton implements ActionListener {
The MyButton class is extended from the JButton class. It implements the ActionListener interface. This way, the event handling  is managed within the MyButton class.  addActionListener(this);Here we add the action listener to the MyButton class.
Multiple sources
A listener can be plugged into several sources. This will be explained in the next example.package zetcode;We create four buttons and a statusbar. The statusbar will display an informative message upon clicking on the button.
import java.awt.BorderLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import javax.swing.BorderFactory;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
import javax.swing.border.EtchedBorder;
public class MultipleSources extends JFrame {
JLabel statusbar;
public MultipleSources() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
statusbar = new JLabel(" ZetCode");
statusbar.setBorder(BorderFactory.createEtchedBorder(
EtchedBorder.RAISED));
panel.setLayout(null);
JButton close = new JButton("Close");
close.setBounds(40, 30, 80, 25);
close.addActionListener(new ButtonListener());
JButton open = new JButton("Open");
open.setBounds(40, 80, 80, 25);
open.addActionListener(new ButtonListener());
JButton find = new JButton("Find");
find.setBounds(40, 130, 80, 25);
find.addActionListener(new ButtonListener());
JButton save = new JButton("Save");
save.setBounds(40, 180, 80, 25);
save.addActionListener(new ButtonListener());
panel.add(close);
panel.add(open);
panel.add(find);
panel.add(save);
add(panel);
add(statusbar, BorderLayout.SOUTH);
setTitle("Multiple Sources");
setSize(400, 300);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class ButtonListener implements ActionListener {
public void actionPerformed(ActionEvent e) {
JButton o = (JButton) e.getSource();
String label = o.getText();
statusbar.setText(" " + label + " button clicked");
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
MultipleSources ms = new MultipleSources();
ms.setVisible(true);
}
});
}
}
close.addActionListener(new ButtonListener());Each button will be registered against a
...
open.addActionListener(new ButtonListener());
...
ButtonListener class. JButton o = (JButton) e.getSource();Here we determine, which button was pressed.
String label = o.getText();
statusbar.setText(" " + label + " button clicked")
We update the statusbar. 
Figure: Multiple Sources
Multiple listeners
We can register several listeners for one event.package zetcode;In this example, we have a button, spinner and a statusbar. We use two button listeners for one event. One click of a button will add one year to the spinner component and update the statusbar. The statusbar will show, how many times we have clicked on the button.
import java.awt.BorderLayout;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.util.Calendar;
import javax.swing.BorderFactory;
import javax.swing.JButton;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.JSpinner;
import javax.swing.SpinnerModel;
import javax.swing.SpinnerNumberModel;
import javax.swing.SwingUtilities;
import javax.swing.border.EtchedBorder;
public class MultipleListeners extends JFrame {
private JLabel statusbar;
private JSpinner spinner;
private static int count = 0;
public MultipleListeners() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
statusbar = new JLabel("0");
statusbar.setBorder(BorderFactory.createEtchedBorder(
EtchedBorder.RAISED));
panel.setLayout(null);
JButton add = new JButton("+");
add.setBounds(40, 30, 80, 25);
add.addActionListener(new ButtonListener1());
add.addActionListener(new ButtonListener2());
Calendar calendar = Calendar.getInstance();
int currentYear = calendar.get(Calendar.YEAR);
SpinnerModel yearModel = new SpinnerNumberModel(currentYear,
currentYear - 100,
currentYear + 100,
1);
spinner = new JSpinner(yearModel);
spinner.setEditor(new JSpinner.NumberEditor(spinner, "#"));
spinner.setBounds(190, 30, 80, 25);
panel.add(add);
panel.add(spinner);
add(panel);
add(statusbar, BorderLayout.SOUTH);
setTitle("Multiple Listeners");
setSize(300, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class ButtonListener1 implements ActionListener {
public void actionPerformed(ActionEvent e) {
Integer val = (Integer) spinner.getValue();
spinner.setValue(++val);
}
}
class ButtonListener2 implements ActionListener {
public void actionPerformed(ActionEvent e) {
statusbar.setText(Integer.toString(++count));
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
MultipleListeners ml = new MultipleListeners();
ml.setVisible(true);
}
});
}
}
add.addActionListener(new ButtonListener1());We register two button listeners.
add.addActionListener(new ButtonListener2());
SpinnerModel yearModel = new SpinnerNumberModel(currentYear,Here we create the spinner component. We use a year model for the spinner. The
currentYear - 100,
currentYear + 100,
1);
spinner = new JSpinner(yearModel);
SpinnerNumberModelarguments are initial value, min, max values and the step.  spinner.setEditor(new JSpinner.NumberEditor(spinner, "#"));We remove the thousands separator.
Integer val = (Integer) spinner.getValue();Here we increase the year number.
spinner.setValue(++val);

Figure: Multiple Listeners
Removing listeners
The Java Swing toolkit enables us to remove the registered listeners.package zetcode;We have three components on the panel. A button, check box and a label. By toggling the check box, we add or remove the listener for a button.
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;
import java.awt.event.ItemEvent;
import java.awt.event.ItemListener;
import javax.swing.JButton;
import javax.swing.JCheckBox;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class RemoveListenerExample extends JFrame {
private JLabel text;
private JButton add;
private JCheckBox active;
private ButtonListener buttonlistener;
private static int count = 0;
public RemoveListenerExample() {
JPanel panel = new JPanel();
panel.setLayout(null);
add = new JButton("+");
add.setBounds(40, 30, 80, 25);
buttonlistener = new ButtonListener();
active = new JCheckBox("Active listener");
active.setBounds(160, 30, 140, 25);
active.addItemListener(new ItemListener() {
public void itemStateChanged(ItemEvent event) {
if (active.isSelected()) {
add.addActionListener(buttonlistener);
} else {
add.removeActionListener(buttonlistener);
}
}
});
text = new JLabel("0");
text.setBounds(40, 80, 80, 25);
panel.add(add);
panel.add(active);
panel.add(text);
add(panel);
setTitle("Remove listener");
setSize(310, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class ButtonListener implements ActionListener {
public void actionPerformed(ActionEvent e) {
text.setText(Integer.toString(++count));
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
RemoveListenerExample ex = new RemoveListenerExample();
ex.setVisible(true);
}
});
}
}
buttonlistener = new ButtonListener();We have to create a non anonymous listener, if we want to later remove it. We need a reference to it.
if (active.isSelected()) {
    add.addActionListener(buttonlistener);}
else {
    add.removeActionListener(buttonlistener);
}
We determine, whether the check box is selected. Then we add or remove the listener.  
Figure: Remove listener
Moving a window
The following example will look for a position of a window on the screen.package zetcode;The example shows the current window coordinates on the panel. To get the window position, we use the
import java.awt.Font;
import java.awt.event.ComponentEvent;
import java.awt.event.ComponentListener;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class MovingWindowExample extends JFrame
implements ComponentListener {
private JLabel labelx;
private JLabel labely;
public MovingWindowExample() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
labelx = new JLabel("x: ");
labelx.setFont(new Font("Serif", Font.BOLD, 14));
labelx.setBounds(20, 20, 60, 25);
labely = new JLabel("y: ");
labely.setFont(new Font("Serif", Font.BOLD, 14));
labely.setBounds(20, 45, 60, 25);
panel.add(labelx);
panel.add(labely);
add(panel);
addComponentListener(this);
setTitle("Moving window");
setSize(310, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
public void componentResized(ComponentEvent e) {
}
public void componentMoved(ComponentEvent e) {
int x = e.getComponent().getX();
int y = e.getComponent().getY();
labelx.setText("x: " + x);
labely.setText("y: " + y);
}
public void componentShown(ComponentEvent e) {
}
public void componentHidden(ComponentEvent e) {
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
MovingWindowExample ex = new MovingWindowExample();
ex.setVisible(true);
}
});
}
}
ComponentListener. labelx.setFont(new Font("Serif", Font.BOLD, 14));
We make the font bigger, the default one is a bit small. int x = e.getComponent().getX();Here we get the x and the y positions.
int y = e.getComponent().getY();
Notice, that we have to implement all four methods, that are available in the
ComponentListener. Even, if we do not use them.  
Figure: Moving a window
Adapters
Adapters are convenient classes. In the previous code example, we had to implement all four methods of aComponentListener class. Even if we did not use them.     To avoid unnecessary coding, we can use adapters. Adapter is a class that implements all  necessary methods. They are empty. We then use only those methods, that we actually need.  There is no adapter for a button click event.  Because there we have only one method to implement.  The actionPerformed() method. We can use adapters in situations, where we have more than one method to implement.  The following example is a rewrite of the previous one, using a
ComponentAdapter. package zetcode;This example is a rewrite of the previous one. Here we use the
import java.awt.Font;
import java.awt.event.ComponentAdapter;
import java.awt.event.ComponentEvent;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;
import javax.swing.SwingUtilities;
public class AdapterExample extends JFrame {
private JLabel labelx;
private JLabel labely;
public AdapterExample() {
initUI();
}
public final void initUI() {
JPanel panel = new JPanel();
panel.setLayout(null);
labelx = new JLabel("x: ");
labelx.setFont(new Font("Serif", Font.BOLD, 14));
labelx.setBounds(20, 20, 60, 25);
labely = new JLabel("y: ");
labely.setFont(new Font("Serif", Font.BOLD, 14));
labely.setBounds(20, 45, 60, 25);
panel.add(labelx);
panel.add(labely);
add(panel);
addComponentListener(new MoveAdapter());
setTitle("Adapter example");
setSize(310, 200);
setLocationRelativeTo(null);
setDefaultCloseOperation(EXIT_ON_CLOSE);
}
class MoveAdapter extends ComponentAdapter {
@Override
public void componentMoved(ComponentEvent e) {
int x = e.getComponent().getX();
int y = e.getComponent().getY();
labelx.setText("x: " + x);
labely.setText("y: " + y);
}
}
public static void main(String[] args) {
SwingUtilities.invokeLater(new Runnable() {
public void run() {
AdapterExample ex = new AdapterExample();
ex.setVisible(true);
}
});
}
}
ComponentAdapter. addComponentListener(new MoveAdapter());Here we register the component listener.
class MoveAdapter extends ComponentAdapter {
    @Override
    public void componentMoved(ComponentEvent e) {
        int x = e.getComponent().getX();
        int y = e.getComponent().getY();
        labelx.setText("x: " + x);
        labely.setText("y: " + y);
    }
}
Inside the MoveAdapter inner class, we define the componentMoved()  method. All the other methods are left empty. This part of the Java Swing tutorial was dedicated to Swing events.
 
No comments:
Post a Comment