Home > Articles > Programming > Java

This chapter is from the book

1.3 Events and Listeners

An event is simply an indication that something interesting has happened. Events, such as "mouse down" and "key press," are issued when the user interacts with a widget through the mouse or keyboard. Event classes, used to represent the event, contain detailed information about what has happened. For example, when the user selects an item in a list, an event is created, capturing the fact that a "selection" occurred. The event is delivered to the application via a listener.

A listener is an instance of a class that implements one or more agreed-upon methods whose signatures are captured by an interface. Listener methods always take an instance of an event class as an argument. When something interesting occurs in a widget, the listener method is invoked with an appropriate event.

Most widgets track sequences of events and redraw based on them, sometimes issuing a higher-level event to indicate a state change. For example, a button may track "mouse press," "move," and "release" in order to issue a "selection" event when the mouse is released inside the button.

Some widget methods generate events. For example, when you call setFocus() on a control, "focus" events are issued. The rules governing which methods cause events and which do not are largely historical, based on the behavior of the Windows and X/Motif operating systems. In order to be able to write portable applications, these rules have been standardized across platforms.

SWT has two kinds of listeners: untyped and typed.

1.3.1 Untyped Listeners

Untyped listeners provide a simple, generic, low-level mechanism to handle any type of event. There are only two Java types involved: a single generic interface called Listener and a single event class called Event. Untyped listeners are added using the method addListener().

  • addListener(int event, Listener listener) Adds the listener to the collection of listeners that will be notified when an event of the given type occurs. When the event occurs in the widget, the listener is notified by calling its handleEvent() method.

The type argument specifies the event you are interested in receiving. To help distinguish them from all the other SWT constants, type arguments are mixed upper- and lowercase by convention. All other constants in SWT are uppercase. The following code fragment uses addListener() to add a listener for SWT.Dispose.

widget.addListener(SWT.Dispose, new Listener() {
    public void handleEvent(Event event) {
        // widget was disposed
    }
});

When multiple listeners are added, they are called in the order they were added. This gives the first listener the opportunity to process the event and possibly filter the data before the remaining listeners are notified (see Event Filters in the chapter Display). Adding the same instance of a listener multiple times is supported, causing it to be invoked once for each time it was added. [12]

It is also possible to remove listeners using removeListener().

  • removeListener(int type, Listener listener) Removes the listener from the collection of listeners that will be notified when an event of the given type occurs.

In order for a listener to be removed, you must supply the exact instance of the listener that was added. If the same listener instance is added multiple times, it must be removed the same number of times it was added to remove it from the listener collection completely.

Generally speaking, removing listeners is unnecessary. Listeners are garbage collected when a control is disposed of, provided that there are no other references to the listener in the application program.

Application code can send events using notifyListeners().

  • notifyListeners(int type, Event event) Sets the type of the event to the given type and calls Listener.handleEvent() for each listener in the collection of listeners.

An important point to note is that notifyListeners() does not cause the corresponding operating system event to occur. For example, calling notifyListeners() with SWT.MouseDown on a button will not cause the button to appear to be pressed. Also, notifyListeners() does not ensure that the appropriate fields for the event have been correctly initialized for the given type of event. You can use notifyListeners() to invoke listeners that you define but it is probably easier simply to put the code in a helper method.

Class Event has a number of fields that are applicable only for a subset of the event types. These fields are discussed as each type of event is described. Table 1.1 shows the fields that are valid for all event types.

Table 1.1. Public Fields in Class Event That Are Applicable to All Untyped Events

Field

Description

display

the Display on which the event occurred

widget

the Widget that issued the event

type

the event type

Table 1.2 shows the type constants that describe all of the untyped events that SWT implements. More details are available in the descriptions of the individual widgets.

Table 1.2. Untyped Events

Event Type Constant

Description

SWT.KeyDown

A key was pressed

SWT.KeyUp

A key was released

SWT.MouseDown

A mouse button was pressed

SWT.MouseUp

A mouse button was released

SWT.MouseMove

The mouse was moved

SWT.MouseEnter

The mouse entered the client area of the control

SWT.MouseHover

The mouse lingered over a control

SWT.MouseExit

The mouse exited the client area of the control

SWT.MouseDoubleClick

A mouse button was pressed twice

SWT.Paint

A control was asked to draw

SWT.Move

The position of the control was changed

SWT.Resize

The size of the client area of the control changed

SWT.Dispose

The widget was disposed

SWT.Selection

A selection occurred in the widget

SWT.DefaultSelection

The default selection occurred in the widget

SWT.FocusIn

Keyboard focus was given to the control

SWT.FocusOut

The control lost keyboard focus

SWT.Expand

A tree item was expanded

SWT.Collapse

A tree item was collapsed

SWT.Iconify

The shell was minimized

SWT.Deiconify

The shell is no longer minimized

SWT.Close

The shell is being closed

SWT.Show

The widget is becoming visible

SWT.Hide

The widget is being hidden

SWT.Modify

Text has changed in the control

SWT.Verify

Text is to be validated in the control

SWT.Activate

The control is being activated

SWT.Deactivate

The control is being deactivated

SWT.Help

The user requested help for the widget

SWT.DragDetect

A drag-and-drop user action occurred

SWT.MenuDetect

The user requested a context menu

SWT.Arm

The menu item is drawn in the armed state

SWT.Traverse

A keyboard navigation event occurred

SWT.HardKeyDown

A hardware button was pressed (handhelds)

SWT.HardKeyUp

A hardware button was released (handhelds)

If you are writing your own widget, you may want to use notifyListeners() to support the built-in untyped events in SWT since this allows your widget to behave like the native widgets with respect to the mapping between untyped and typed listeners. However, for events that are particular to your widget, you will also typically implement typed listeners.

1.3.2 Typed Listeners

A typed listener follows the standard JavaBeans listener pattern. Typed listeners and their corresponding event classes are found in the package org.eclipse.swt.events. For example, to listen for a dispose event on a widget, application code would use addDisposeListener().

  • addDisposeListener(DisposeListener listener) Adds the listener to the collection of listeners that will be notified when a widget is disposed. When the widget is disposed, the listener is notified by calling its widgetDisposed() method.

The following code fragment listens for a dispose event on a widget.

widget.addDisposeListener(new DisposeListener() {
    public void widgetDisposed(DisposeEvent event) {
        // widget was disposed
    }
});

DisposeListener is an interface. If there is more than one method defined by the listener, SWT provides an adapter class that contains no-op implementations of the methods. [13] For example, the interface SelectionListener has two methods, widgetSelected() and widgetDefaultSelected(), that take SelectionEvents as arguments. As a result, the class SelectionAdapter is provided that provides no-op implementations for each method.

Typed listeners are removed using the corresponding remove method for the listener. For example, a listener for a dispose event is removed using removeDisposeListener().

  • removeDisposeListener(DisposeListener listener) Removes the listener from the collection of listeners that will be notified when the widget is disposed.

Table 1.3 shows all of the typed events that SWT implements. These are described in more detail in the descriptions of the individual widgets.

Table 1.3. Typed Events

Event

Listener

Methods

Untyped Event

ArmEvent

ArmListener

widgetArmed(ArmEvent)

SWT.Arm

ControlEvent

ControlListener (and ControlAdapter)

controlMoved(ControlEvent)

controlResized(ControlEvent)

SWT.Move

SWT.Resize

DisposeEvent

DisposeListener

widgetDisposed(DisposeEvent)

SWT.Dispose

FocusEvent

FocusListener (and FocusAdapter)

focusGained(FocusEvent)

focusLost(FocusEvent)

SWT.FocusIn

SWT.FocusOut

HelpEvent

HelpListener

helpRequested(HelpEvent)

SWT.Help

KeyEvent

KeyListener (and KeyAdapter)

keyPressed(KeyEvent)

keyReleased(KeyEvent)

SWT.KeyPressed

SWT.KeyReleased

MenuEvent

MenuListener (and MenuAdapter)

menuHidden(MenuEvent)

menuShown(MenuEvent)

SWT.Hide

SWT.Show

ModifyEvent

ModifyListener

modifyText(ModifyEvent)

SWT.Modify

MouseEvent

MouseListener (and MouseAdapter)

mouseDoubleClick(MouseEvent)

mouseDown(MouseEvent)

mouseUp(MouseEvent)

SWT.MouseDoubleClick

SWT.MouseDown

SWT.MouseUp

MouseEvent

MouseMoveListener

mouseMove(MouseEvent)

SWT.MouseMove

MouseEvent

MouseTrackListener (and MouseTrackAdapter)

mouseEnter(MouseEvent)

mouseExit(MouseEvent)

mouseHover(MouseEvent)

SWT.MouseEnter

SWT.MouseExit

SWT.MouseHover

PaintEvent

PaintListener

paintControl(PaintEvent)

SWT.Paint

SelectionEvent

SelectionListener (and SelectionAdapter)

widgetDefaultSelected(SelectionEvent)

widgetSelected(SelectionEvent)

SWT.DefaultSelection

SWT.Selection

ShellEvent

ShellListener (and ShellAdapter)

shellActivated(ShellEvent)

shellClosed(ShellEvent)

shellDeactivated(ShellEvent)

shellDeiconified(ShellEvent)

shellIconified(ShellEvent)

SWT.Activate

SWT.Close

SWT.Deactivate

SWT.Deiconify

SWT.Iconify

TraverseEvent

TraverseListener

keyTraversed(TraverseEvent)

SWT.Traverse

TreeEvent

TreeListener (and TreeAdapter)

treeCollapsed(TreeEvent)

treeExpanded(TreeEvent)

SWT.Collapse

SWT.Expand

VerifyEvent

VerifyListener

verifyText(VerifyEvent)

SWT.Verify

1.3.3 Why Are There Two Listener Mechanisms?

In early versions of SWT, there were only untyped listeners. After considerable discussion between the Eclipse implementers, the SWT user community, and the developers, it was decided to include a more "JavaBeans-like" listener mechanism. It was felt that this would ease the transition to SWT for developers who were already familiar with AWT/Swing. The untyped listeners remain as the implementation mechanism for event handling in SWT. The typed listeners are defined in terms of them.

We recommend that SWT applications always be implemented in terms of the typed listener mechanism, although this is largely based on the more familiar pattern they represent. Because of the simplicity of the untyped mechanism and our closeness to the implementation, we tend to use it in many of the small examples we write. To see a clear example of the typed mechanism in action, take a look at the FileExplorer example in the Applications part of the book.

Effectively, the trade-off between the two listener models is one of space versus ease of use and adherence to a standard pattern. Using untyped listeners, it is possible to minimize the number of classes and methods used to listen for events. The same listener can be used to listen for many different event types. For example, the following code fragment listens for dispose as well as mouse events.

Listener listener = new Listener() {
    public void handleEvent(Event event) {
        switch (event.type) {
            case SWT.Dispose: break;
            case SWT.MouseDown: break;
            case SWT.MouseUp: break;
            case SWT.MouseMove: break;
        }
        System.out.println("Something happened.");
    }
};
shell.addListener(SWT.Dispose, listener);
shell.addListener(SWT.MouseDown, listener);
shell.addListener(SWT.MouseUp, listener);
shell.addListener(SWT.MouseMove, listener);

In practice, unless space usage is the overwhelming constraint, we expect that most programmers will use the typed listener mechanism. [14] Note that typed events have very specific listener APIs, whereas the untyped events have only handleEvent(). Using untyped events can lead to switch logic that is more complicated. Refer to Table 1.3 to see the mapping between typed and untyped events.

1.3.4 Widget Events

SWT.Dispose (DisposeEvent)

Table 1.4 shows the dispose events that are provided by SWT.

Table 1.4. Dispose Events

Untyped Event

Description

 

SWT.Dispose

The widget was disposed

 

Typed Event

Listener

Methods

DisposeEvent

DisposeListener

widgetDisposed(DisposeEvent)

The SWT.Dispose event (typed event DisposeEvent) is sent when a widget is disposed of. Dispose events contain meaningful values in only the display, widget, and type fields.

InformIT Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from InformIT and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites, develop new products and services, conduct educational research and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email information@informit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by InformIT. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.informit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020