<rt id="bn8ez"></rt>
<label id="bn8ez"></label>

  • <span id="bn8ez"></span>

    <label id="bn8ez"><meter id="bn8ez"></meter></label>

    隨筆 - 303  文章 - 883  trackbacks - 0
    <2007年2月>
    28293031123
    45678910
    11121314151617
    18192021222324
    25262728123
    45678910

    歡迎光臨! 
    閑聊 QQ:1074961813

    隨筆分類(357)

    我管理的群

    公共blog

    • n維空間
    • Email : java3d@126.com 群 : 12999758

    參與管理的論壇

    好友的blog

    我的其他blog

    朋友的網站

    搜索

    •  

    最新評論

    Graphical Programs

    1. Introduction

    Graphical programs require a very different programming model to the non-graphical programs we have encountered in the past.?A non-graphical program typically runs straight through from beginning to end.?By contrast, a graphical program should be capable of running indefinitely, accepting input through the graphical user interface (GUI) and responding accordingly.?This kind of programming is known as event-driven programming, because the program's sequence of operation is determined by events generated by the GUI components. The program responds to events by invoking functions known as event handlers .?For example, pushing the Print button may generate a "button-pushed" event, which results in a call to an event handler named print().

    In general, a graphical program consists of the following key elements:

    • Code to create GUI components, such as buttons, text areas, scrollable views, etc.
    • Code that lays out the components within a container. Examples of containers are frames, which are stand-alone windows, and applets, which are windows that are embedded within a web page.
    • Event handling code that specifies what should happen when the user interacts with the GUI components.
    • An event loop, whose job is to wait for events to occur and to call appropriate event handlers.

    The following pseudo-code illustrates how the event loop might work

    ??? while (true) {??????????????????????????????????????? // The event loop.
    ??????? // Get the next event from the event queue.
    ??????? Event e = get_next_event();

    ??????? // Process the events by calling appropriate event handlers.
    ??????? if (e.eventType == QUIT) {
    ??????????? exit();?????????????????????????????????????????? // Terminate the program.
    ??????? }
    ??????? else if (e.eventType == BUTTON_PUSHED) {
    ??????????? if (e.eventSource == PRINT_BUTTON)
    ??????????????? print(e);?????????????????????????????????? // Print out the current page.
    ??????????? else {
    ??????????????? ...
    ??????????? }
    ??????? }
    ??????? else {
    ??????????? ...
    ??????? }
    ??? }

    In C++, the programmer must often explicitly write an event loop similar to the one shown above.?This can involve a lot of work, so Java? attempts to shield the programmer from the actual event loop, while still providing a flexible way to specify how events are processed.


    2. The Java? Event Model (JDK 1.1 and above)

    (Ref.? Java? Tutorial )

    The Java? event model is based on the notion of event sources and event listeners.

    An event source is most frequently a user interface component (such as a button, menu item or scrollable view), which can notify registered listeners when events of interest occur.?Note that an event source may generate both high level events e.g. button click, as well as low level events, e.g. mouse press.

    An event listener is an object that can register an interest in receiving certain types of events from an event source.?The event source sends out event notifications by calling an appropriate event handling method in the event listener object.

    The event listener registration and notification process takes place according to event type .?An object wishing to listen to events of a particular type must implement the corresponding event listener interface .?The interface simply specifies a standard set of event handling functions that the listener object must provide.

    Here is a list of events, and their corresponding event types and event listener interfaces.

    EVENT

    EVENT TYPE

    EVENT LISTENER INTERFACE

    Button click, menu selection, text field entry

    ActionEvent

    ActionListener

    Resizing, moving, showing or hiding a component

    ComponentEvent

    ComponentListener

    Mouse press, mouse release, mouse click, mouse enter, mouse exit

    MouseEvent

    MouseListener

    Mouse move, mouse drag

    MouseEvent

    MouseMotionListener

    Key press, key release

    KeyEvent

    KeyListener

    Gain keyboard focus, lose keyboard focus

    FocusEvent

    FocusListener

    Window closing, window iconified, window deiconified

    WindowEvent

    WindowListener

    Scrolling

    AdjustmentEvent

    AdjustmentListener

    Item selection e.g. checkbox, list item

    ItemEvent

    ItemListener

    Return key pressed

    TextEvent

    TextListener

    Adding/removing a component to/from a container

    ContainerEvent

    ContainerListener

    ?

    The general approach to implementing an event listener is the same in every case.

    • Write a class that implements the appropriate XXXListener interface.
    • Create an object of type XXXListener.
    • Register the event listener object with an event source by calling the event source's addXXXListener method.

    The following example shows how to create a frame.?When the frame is closed, we want to make sure that the program terminates, since this does not happen automatically.?We can use a WindowListener to do this.

    import javax.swing.*;
    import java.awt.event.*;

    ?public class Main {
    ??? public static void main(String[] args) {
    ??????? // Create a window.? Then set its size and make it visible.
    ??????? JFrame frame = new JFrame("Main window");
    ??????? frame.setSize(400,400);
    ??????? frame.setVisible(true);

    ??????? // Make the program terminate when the frame is closed.? We do this by registering a window listener
    ??????? // to receive WindowEvents from the frame.? The window listener will provide an event handler called
    ??????? // windowClosing, which will be called when the frame is closed.
    ??????? WindowListener listener = new MyWindowListener();???????????????? // A class that we write.
    ??????? frame.addWindowListener(listener);
    ??? }
    }

    // Here is our window listener.? We are only interested in windowClosing, however, we must provide
    // implementations for all of the methods in the WindowListener interface.
    class MyWindowListener implements WindowListener {
    ??? public void windowClosing(WindowEvent e) {
    ??????? System.out.println("Terminating the program now.");
    ??????? System.exit(0);
    ??? }
    ??? public void windowClosed(WindowEvent e) {}
    ??? public void windowOpened(WindowEvent e) {}
    ??? public void windowActivated(WindowEvent e) {}
    ??? public void windowDeactivated(WindowEvent e) {}
    ??? public void windowIconified(WindowEvent e) {}
    ??? public void windowDeiconified(WindowEvent e) {}
    }
    ?

    Unfortunately, this example involves quite a lot of code. There are a couple of ways to simplify the program


    Anonymous Classes

    An anonymous class is a class that has no name.?It is declared an instantiated within a single expression.?Here is how we could use an anonymous class to simplify the closable frame example:

    import javax.swing.*;
    import java.awt.event.*;

    ?public class Main {
    ??? public static void main(String[] args) {
    ??????? // Create a window.? Then set its size and make it visible.
    ??????? JFrame frame = new JFrame("Main window");
    ??????? frame.setSize(400,400);
    ??????? frame.setVisible(true);

    ??????? // Make the frame closable.? Here we have used an anonymous class that implements the
    ??????? // WindowListener interface.
    ??????? frame.addWindowListener(new WindowListener() {
    ??????????? public void windowClosing(WindowEvent e) {
    ??????????????? System.out.println("Terminating the program now.");
    ??????????????? System.exit(0);
    ??????????? }
    ??????????? public void windowClosed(WindowEvent e) {}
    ??????????? public void windowOpened(WindowEvent e) {}
    ??????????? public void windowActivated(WindowEvent e) {}
    ??????????? public void windowDeactivated(WindowEvent e) {}
    ??????????? public void windowIconified(WindowEvent e) {}
    ??????????? public void windowDeiconified(WindowEvent e) {}
    ??????? });
    ??? }
    }


    Event Adapters

    An event adapter is just a class that implements an event listener interface, with empty definitions for all of the functions.?The idea is that if we subclass the event adapter, we will only have to override the functions that we are interested in.?The closable frame example can thus be shortened to:

    import javax.swing.*;
    import java.awt.event.*;

    ?public class Main {
    ??? public static void main(String[] args) {
    ??????? // Create a window.? Then set its size and make it visible.
    ??????? JFrame frame = new JFrame("Main window");
    ??????? frame.setSize(400,400);
    ??????? frame.setVisible(true);

    ??????? // Make the frame closable.? Here we have used an anonymous class that extends WindowAdapter.
    ??????? frame.addWindowListener(new WindowAdapter() {
    ??????????? public void windowClosing(WindowEvent e) {??? // This overrides the empty base class method.
    ??????????????? System.out.println("Terminating the program now.");
    ??????????????? System.exit(0);
    ??????????? }
    ??????? });
    ??? }
    }


    3. Laying Out User Interface Components

    Containers

    (Ref.? Java? Tutorial )

    A Container is a GUI component that can hold other GUI components.?Three commonly used container classes are

    JFrame - This is a stand-alone window with a title bar, menubar and a border. It is typically used as the top-level container for a graphical Java? application.

    JApplet - This is a container that can be embedded within an HTML page.?It is typically used as the top-level container for a Java? applet.

    JPanel - This is a container that must reside within another container.?It provides a way to group several components (e.g. buttons) as a single unit, when they are laid out on the screen.? JPanel can also be used as an area for drawing operations.?(When used in this way, it can provide automatic double buffering, which is a technique for producing flicker-free animation.)

    A component object, myComponent, can be added to a container object, myContainer, using a statement of the form

    ??? myContainer.getContentPane().add(myComponent);

    The following example illustrates how to add a JButton instance to an instance of JFrame.

    import javax.swing.*;
    import java.awt.event.*;

    ?public class Main {
    ??? public static void main(String[] args) {
    ??????? // Create a window.
    ??????? JFrame frame = new JFrame("Main window");
    ??????? frame.setSize(400,400);

    ??????? // Create a button and add it to the frame.
    ??????? JButton button = new JButton("Click me");
    ??????? frame.getContentPane().add(button);

    ??????? // Add an event handler for button clicks.
    ??????? button.addActionListener(new ActionListener() {
    ??????????? public void actionPerformed(ActionEvent e) {????? // Only one method to implement.
    ??????????????? System.out.println(e.getActionCommand());???? // Prints out "Click me".
    ??????????? }
    ??????? });

    ??????? // Make the frame closable.
    ??????? frame.addWindowListener(new WindowAdapter() {
    ??????????? public void windowClosing(WindowEvent e) {
    ??????????????? System.exit(0);
    ??????????? }
    ??????? });

    ??????? // Make the frame visible after adding the button.
    ??????? frame.setVisible(true);
    ??? }
    }


    Layout Managers

    (Ref.? Java? Tutorial )

    Our previous example has only one interesting GUI component: a JButton .?What if we wanted to add a second JButton and perhaps a JTextArea, so that we can display the message through the GUI? We can control the layout of these components within the container by using a layout manager. Java? comes with six layout managers (five in java.awt and one in javax.swing)

    FlowLayout - Lays out components in a line from left to right, moving to the next line when out of room.?This layout style resembles the flow of text in a document.

    BorderLayout - Lays out components in one of five positions - at the North, South, East or West borders, or else in the Center.

    GridLayout - Lays out components in rows and columns of equal sized cells, like a spreadsheet.

    GridBagLayout - Lays out components on a grid without requiring them to be of equal size. This is the most flexible and also the most complex of all the layout managers.

    CardLayout - Lays out components like index cards, one behind another.?(No longer useful, now that Swing provides a JTabbedPane component.)

    BoxLayout - Lays out components with either vertical alignment or horizontal alignment.?(A new layout manager in Swing.)

    It is also possible to set a null layout manager and instead position components by specifying their absolute coordinates using the method

    ??? public void setLocation(int x, int y)

    Suppose we wish to position our two JButtons side by side, with the JTextArea positioned below them.?We start by embedding the JButtons within a JPanel, using FlowLayout as the layout manager for the JPanel. The JTextArea is best placed within a JScrollPane , since this will permit scrolling when the amount of text exceeds the preferred size of the scroll pane.?We can now attach the JPanel and the JScrollPane to the North and South borders of the JFrame, by using BorderLayout as the layout manager for the JFrame. These containment relationships are illustrated below:

    JFrame

    JPanel(attached to the North border of JFrame)


    ?

    JButton

    JButton

    (laid out using FlowLayout)
    ?

    ?

    JScrollPane(attached to the South border of JFrame)


    JTextArea
    ?



    Here is the implementation:

    import javax.swing.*;
    import java.awt.*;
    import java.awt.event.*;

    ?public class Main {
    ??? public static void main(String[] args) {
    ??????? // Create a window and set its layout manager to be BorderLayout.
    ??????? // (This happens to be the default layout manager for a JFrame.)
    ??????? JFrame frame = new JFrame("Main window");
    ??????? frame.setSize(400,400);
    ??????? Container cf = frame.getContentPane();
    ??????? cf.setLayout(new BorderLayout());

    ??????? // Create a panel and set its layout manager to be FlowLayout.
    ??????? // (This happens to be the default layout manager for a JPanel.)
    ??????? JPanel panel = new JPanel();
    ??????? panel.setLayout(new FlowLayout());???? // No content pane for JPanel.

    ??????? // Create two buttons and add them to the panel.
    ??????? JButton button1 = new JButton("Left");
    ??????? JButton button2 = new JButton("Right");
    ??????? panel.add(button1);
    ??????? panel.add(button2);

    ??????? // Create a text area for displaying messages.? We embed the text
    ??????? // area in a scroll pane so that it doesn't grow unboundedly.
    ??????? JTextArea textArea = new JTextArea();
    ??????? JScrollPane scrollPane = new JScrollPane(textArea);
    ??????? scrollPane.setPreferredSize(new Dimension(400, 100));
    ??????? textArea.setEditable(false);

    ??????? // Position the panel and the text area within the frame.
    ??????? cf.add(panel, "North");
    ??????? cf.add(scrollPane, "South");

    ??????? // Add event handlers for button clicks.
    ??????? class MyListener implements ActionListener {???? // A local class.
    ??????????? private JTextArea mTextArea;
    ??????????? public void setTextArea(JTextArea t) {
    ??????????????? mTextArea = t;
    ??????????? }
    ??????????? public void actionPerformed(ActionEvent e) {
    ??????????????? mTextArea.append(e.getActionCommand()+"\n");
    ??????????? }
    ??????? }
    ??????? MyListener listener = new MyListener();
    ??????? listener.setTextArea(textArea);????? // Cannot do this with an anonymous class.
    ??????? button1.addActionListener(listener);
    ??????? button2.addActionListener(listener);

    ??????? // Make the frame closable.
    ??????? frame.addWindowListener(new WindowAdapter() {
    ??????????? public void windowClosing(WindowEvent e) {
    ??????????????? System.exit(0);
    ??????????? }
    ??????? });

    ??????? // Make the frame visible after adding the components to it.
    ??????? frame.setVisible(true);
    ??? }
    }
    ?

    4. Swing Component Overview

    The components that we have seen so far are JFrame, JPanel, JButton, JTextArea and JScrollPane .?The links below provide a good overview of the Swing components and how to use them.

    Examples that use Swing


    地震讓大伙知道:居安思危,才是生存之道。
    posted on 2007-02-25 15:19 小尋 閱讀(885) 評論(0)  編輯  收藏 所屬分類: j2se/j2ee/j2me
    主站蜘蛛池模板: 亚洲情A成黄在线观看动漫软件| 一级毛片大全免费播放下载| 日韩免费高清视频| 皇色在线免费视频| 亚洲乱码无限2021芒果| 亚洲 无码 在线 专区| 免费av片在线观看网站| 亚洲欧美黑人猛交群| 国产亚洲AV手机在线观看| 91九色精品国产免费| jizz在线免费播放| 亚洲国产日韩在线一区| 亚洲色一色噜一噜噜噜| 亚洲免费黄色网址| 久久精品免费网站网| 国产成人亚洲综合网站不卡| 亚洲精品无码Av人在线观看国产 | 国产一级淫片a免费播放口| 亚洲专区中文字幕| 久久久久亚洲精品中文字幕| 成年性羞羞视频免费观看无限| 久久免费国产精品| 亚洲色偷偷综合亚洲AV伊人蜜桃 | 免费大香伊蕉在人线国产 | 两个人看的www免费| 亚洲人成电影网站色| 亚洲国产高清人在线| 亚洲国产精品一区二区第一页免| 99视频免费播放| www一区二区www免费| 亚洲色欲色欲www在线播放| 精品日韩亚洲AV无码| 亚洲日韩VA无码中文字幕| 永久免费AV无码网站在线观看| 99蜜桃在线观看免费视频网站| www一区二区www免费| 乱爱性全过程免费视频| 亚洲乱理伦片在线观看中字| 亚洲精品国产情侣av在线| 亚洲精品无码Av人在线观看国产| 亚洲国产一区视频|