1 /*
   2  * Copyright (c) 1995, 2015, Oracle and/or its affiliates. All rights reserved.
   3  * DO NOT ALTER OR REMOVE COPYRIGHT NOTICES OR THIS FILE HEADER.
   4  *
   5  * This code is free software; you can redistribute it and/or modify it
   6  * under the terms of the GNU General Public License version 2 only, as
   7  * published by the Free Software Foundation.  Oracle designates this
   8  * particular file as subject to the "Classpath" exception as provided
   9  * by Oracle in the LICENSE file that accompanied this code.
  10  *
  11  * This code is distributed in the hope that it will be useful, but WITHOUT
  12  * ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
  13  * FITNESS FOR A PARTICULAR PURPOSE.  See the GNU General Public License
  14  * version 2 for more details (a copy is included in the LICENSE file that
  15  * accompanied this code).
  16  *
  17  * You should have received a copy of the GNU General Public License version
  18  * 2 along with this work; if not, write to the Free Software Foundation,
  19  * Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA.
  20  *
  21  * Please contact Oracle, 500 Oracle Parkway, Redwood Shores, CA 94065 USA
  22  * or visit www.oracle.com if you need additional information or have any
  23  * questions.
  24  */
  25 package java.awt;
  26 
  27 import java.io.PrintStream;
  28 import java.io.PrintWriter;
  29 import java.util.Objects;
  30 import java.util.Vector;
  31 import java.util.Locale;
  32 import java.util.EventListener;
  33 import java.util.HashSet;
  34 import java.util.Map;
  35 import java.util.Set;
  36 import java.util.Collections;
  37 import java.awt.peer.ComponentPeer;
  38 import java.awt.peer.ContainerPeer;
  39 import java.awt.peer.LightweightPeer;
  40 import java.awt.image.BufferStrategy;
  41 import java.awt.image.ImageObserver;
  42 import java.awt.image.ImageProducer;
  43 import java.awt.image.ColorModel;
  44 import java.awt.image.VolatileImage;
  45 import java.awt.event.*;
  46 import java.io.Serializable;
  47 import java.io.ObjectOutputStream;
  48 import java.io.ObjectInputStream;
  49 import java.io.IOException;
  50 import java.beans.PropertyChangeListener;
  51 import java.beans.PropertyChangeSupport;
  52 import java.beans.Transient;
  53 import java.awt.im.InputContext;
  54 import java.awt.im.InputMethodRequests;
  55 import java.awt.dnd.DropTarget;
  56 import java.lang.reflect.InvocationTargetException;
  57 import java.lang.reflect.Method;
  58 import java.security.AccessController;
  59 import java.security.PrivilegedAction;
  60 import java.security.AccessControlContext;
  61 import javax.accessibility.*;
  62 import java.applet.Applet;
  63 
  64 import sun.awt.ComponentFactory;
  65 import sun.security.action.GetPropertyAction;
  66 import sun.awt.AppContext;
  67 import sun.awt.AWTAccessor;
  68 import sun.awt.ConstrainableGraphics;
  69 import sun.awt.SubRegionShowable;
  70 import sun.awt.SunToolkit;
  71 import sun.awt.CausedFocusEvent;
  72 import sun.awt.EmbeddedFrame;
  73 import sun.awt.dnd.SunDropTargetEvent;
  74 import sun.awt.im.CompositionArea;
  75 import sun.font.FontManager;
  76 import sun.font.FontManagerFactory;
  77 import sun.font.SunFontManager;
  78 import sun.java2d.SunGraphics2D;
  79 import sun.java2d.pipe.Region;
  80 import sun.awt.image.VSyncedBSManager;
  81 import sun.java2d.pipe.hw.ExtendedBufferCapabilities;
  82 import static sun.java2d.pipe.hw.ExtendedBufferCapabilities.VSyncType.*;
  83 import sun.awt.RequestFocusController;
  84 import sun.java2d.SunGraphicsEnvironment;
  85 import sun.util.logging.PlatformLogger;
  86 
  87 /**
  88  * A <em>component</em> is an object having a graphical representation
  89  * that can be displayed on the screen and that can interact with the
  90  * user. Examples of components are the buttons, checkboxes, and scrollbars
  91  * of a typical graphical user interface. <p>
  92  * The <code>Component</code> class is the abstract superclass of
  93  * the nonmenu-related Abstract Window Toolkit components. Class
  94  * <code>Component</code> can also be extended directly to create a
  95  * lightweight component. A lightweight component is a component that is
  96  * not associated with a native window. On the contrary, a heavyweight
  97  * component is associated with a native window. The {@link #isLightweight()}
  98  * method may be used to distinguish between the two kinds of the components.
  99  * <p>
 100  * Lightweight and heavyweight components may be mixed in a single component
 101  * hierarchy. However, for correct operating of such a mixed hierarchy of
 102  * components, the whole hierarchy must be valid. When the hierarchy gets
 103  * invalidated, like after changing the bounds of components, or
 104  * adding/removing components to/from containers, the whole hierarchy must be
 105  * validated afterwards by means of the {@link Container#validate()} method
 106  * invoked on the top-most invalid container of the hierarchy.
 107  *
 108  * <h3>Serialization</h3>
 109  * It is important to note that only AWT listeners which conform
 110  * to the <code>Serializable</code> protocol will be saved when
 111  * the object is stored.  If an AWT object has listeners that
 112  * aren't marked serializable, they will be dropped at
 113  * <code>writeObject</code> time.  Developers will need, as always,
 114  * to consider the implications of making an object serializable.
 115  * One situation to watch out for is this:
 116  * <pre>
 117  *    import java.awt.*;
 118  *    import java.awt.event.*;
 119  *    import java.io.Serializable;
 120  *
 121  *    class MyApp implements ActionListener, Serializable
 122  *    {
 123  *        BigObjectThatShouldNotBeSerializedWithAButton bigOne;
 124  *        Button aButton = new Button();
 125  *
 126  *        MyApp()
 127  *        {
 128  *            // Oops, now aButton has a listener with a reference
 129  *            // to bigOne!
 130  *            aButton.addActionListener(this);
 131  *        }
 132  *
 133  *        public void actionPerformed(ActionEvent e)
 134  *        {
 135  *            System.out.println("Hello There");
 136  *        }
 137  *    }
 138  * </pre>
 139  * In this example, serializing <code>aButton</code> by itself
 140  * will cause <code>MyApp</code> and everything it refers to
 141  * to be serialized as well.  The problem is that the listener
 142  * is serializable by coincidence, not by design.  To separate
 143  * the decisions about <code>MyApp</code> and the
 144  * <code>ActionListener</code> being serializable one can use a
 145  * nested class, as in the following example:
 146  * <pre>
 147  *    import java.awt.*;
 148  *    import java.awt.event.*;
 149  *    import java.io.Serializable;
 150  *
 151  *    class MyApp implements java.io.Serializable
 152  *    {
 153  *         BigObjectThatShouldNotBeSerializedWithAButton bigOne;
 154  *         Button aButton = new Button();
 155  *
 156  *         static class MyActionListener implements ActionListener
 157  *         {
 158  *             public void actionPerformed(ActionEvent e)
 159  *             {
 160  *                 System.out.println("Hello There");
 161  *             }
 162  *         }
 163  *
 164  *         MyApp()
 165  *         {
 166  *             aButton.addActionListener(new MyActionListener());
 167  *         }
 168  *    }
 169  * </pre>
 170  * <p>
 171  * <b>Note</b>: For more information on the paint mechanisms utilized
 172  * by AWT and Swing, including information on how to write the most
 173  * efficient painting code, see
 174  * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
 175  * <p>
 176  * For details on the focus subsystem, see
 177  * <a href="http://docs.oracle.com/javase/tutorial/uiswing/misc/focus.html">
 178  * How to Use the Focus Subsystem</a>,
 179  * a section in <em>The Java Tutorial</em>, and the
 180  * <a href="../../java/awt/doc-files/FocusSpec.html">Focus Specification</a>
 181  * for more information.
 182  *
 183  * @author      Arthur van Hoff
 184  * @author      Sami Shaio
 185  */
 186 public abstract class Component implements ImageObserver, MenuContainer,
 187                                            Serializable
 188 {
 189 
 190     private static final PlatformLogger log = PlatformLogger.getLogger("java.awt.Component");
 191     private static final PlatformLogger eventLog = PlatformLogger.getLogger("java.awt.event.Component");
 192     private static final PlatformLogger focusLog = PlatformLogger.getLogger("java.awt.focus.Component");
 193     private static final PlatformLogger mixingLog = PlatformLogger.getLogger("java.awt.mixing.Component");
 194 
 195     /**
 196      * The peer of the component. The peer implements the component's
 197      * behavior. The peer is set when the <code>Component</code> is
 198      * added to a container that also is a peer.
 199      * @see #addNotify
 200      * @see #removeNotify
 201      */
 202     transient volatile ComponentPeer peer;
 203 
 204     /**
 205      * The parent of the object. It may be <code>null</code>
 206      * for top-level components.
 207      * @see #getParent
 208      */
 209     transient Container parent;
 210 
 211     /**
 212      * The <code>AppContext</code> of the component. Applets/Plugin may
 213      * change the AppContext.
 214      */
 215     transient AppContext appContext;
 216 
 217     /**
 218      * The x position of the component in the parent's coordinate system.
 219      *
 220      * @serial
 221      * @see #getLocation
 222      */
 223     int x;
 224 
 225     /**
 226      * The y position of the component in the parent's coordinate system.
 227      *
 228      * @serial
 229      * @see #getLocation
 230      */
 231     int y;
 232 
 233     /**
 234      * The width of the component.
 235      *
 236      * @serial
 237      * @see #getSize
 238      */
 239     int width;
 240 
 241     /**
 242      * The height of the component.
 243      *
 244      * @serial
 245      * @see #getSize
 246      */
 247     int height;
 248 
 249     /**
 250      * The foreground color for this component.
 251      * <code>foreground</code> can be <code>null</code>.
 252      *
 253      * @serial
 254      * @see #getForeground
 255      * @see #setForeground
 256      */
 257     Color       foreground;
 258 
 259     /**
 260      * The background color for this component.
 261      * <code>background</code> can be <code>null</code>.
 262      *
 263      * @serial
 264      * @see #getBackground
 265      * @see #setBackground
 266      */
 267     Color       background;
 268 
 269     /**
 270      * The font used by this component.
 271      * The <code>font</code> can be <code>null</code>.
 272      *
 273      * @serial
 274      * @see #getFont
 275      * @see #setFont
 276      */
 277     volatile Font font;
 278 
 279     /**
 280      * The font which the peer is currently using.
 281      * (<code>null</code> if no peer exists.)
 282      */
 283     Font        peerFont;
 284 
 285     /**
 286      * The cursor displayed when pointer is over this component.
 287      * This value can be <code>null</code>.
 288      *
 289      * @serial
 290      * @see #getCursor
 291      * @see #setCursor
 292      */
 293     Cursor      cursor;
 294 
 295     /**
 296      * The locale for the component.
 297      *
 298      * @serial
 299      * @see #getLocale
 300      * @see #setLocale
 301      */
 302     Locale      locale;
 303 
 304     /**
 305      * A reference to a <code>GraphicsConfiguration</code> object
 306      * used to describe the characteristics of a graphics
 307      * destination.
 308      * This value can be <code>null</code>.
 309      *
 310      * @since 1.3
 311      * @serial
 312      * @see GraphicsConfiguration
 313      * @see #getGraphicsConfiguration
 314      */
 315     private transient GraphicsConfiguration graphicsConfig = null;
 316 
 317     /**
 318      * A reference to a <code>BufferStrategy</code> object
 319      * used to manipulate the buffers on this component.
 320      *
 321      * @since 1.4
 322      * @see java.awt.image.BufferStrategy
 323      * @see #getBufferStrategy()
 324      */
 325     transient BufferStrategy bufferStrategy = null;
 326 
 327     /**
 328      * True when the object should ignore all repaint events.
 329      *
 330      * @since 1.4
 331      * @serial
 332      * @see #setIgnoreRepaint
 333      * @see #getIgnoreRepaint
 334      */
 335     boolean ignoreRepaint = false;
 336 
 337     /**
 338      * True when the object is visible. An object that is not
 339      * visible is not drawn on the screen.
 340      *
 341      * @serial
 342      * @see #isVisible
 343      * @see #setVisible
 344      */
 345     boolean visible = true;
 346 
 347     /**
 348      * True when the object is enabled. An object that is not
 349      * enabled does not interact with the user.
 350      *
 351      * @serial
 352      * @see #isEnabled
 353      * @see #setEnabled
 354      */
 355     boolean enabled = true;
 356 
 357     /**
 358      * True when the object is valid. An invalid object needs to
 359      * be laid out. This flag is set to false when the object
 360      * size is changed.
 361      *
 362      * @serial
 363      * @see #isValid
 364      * @see #validate
 365      * @see #invalidate
 366      */
 367     private volatile boolean valid = false;
 368 
 369     /**
 370      * The <code>DropTarget</code> associated with this component.
 371      *
 372      * @since 1.2
 373      * @serial
 374      * @see #setDropTarget
 375      * @see #getDropTarget
 376      */
 377     DropTarget dropTarget;
 378 
 379     /**
 380      * @serial
 381      * @see #add
 382      */
 383     Vector<PopupMenu> popups;
 384 
 385     /**
 386      * A component's name.
 387      * This field can be <code>null</code>.
 388      *
 389      * @serial
 390      * @see #getName
 391      * @see #setName(String)
 392      */
 393     private String name;
 394 
 395     /**
 396      * A bool to determine whether the name has
 397      * been set explicitly. <code>nameExplicitlySet</code> will
 398      * be false if the name has not been set and
 399      * true if it has.
 400      *
 401      * @serial
 402      * @see #getName
 403      * @see #setName(String)
 404      */
 405     private boolean nameExplicitlySet = false;
 406 
 407     /**
 408      * Indicates whether this Component can be focused.
 409      *
 410      * @serial
 411      * @see #setFocusable
 412      * @see #isFocusable
 413      * @since 1.4
 414      */
 415     private boolean focusable = true;
 416 
 417     private static final int FOCUS_TRAVERSABLE_UNKNOWN = 0;
 418     private static final int FOCUS_TRAVERSABLE_DEFAULT = 1;
 419     private static final int FOCUS_TRAVERSABLE_SET = 2;
 420 
 421     /**
 422      * Tracks whether this Component is relying on default focus traversability.
 423      *
 424      * @serial
 425      * @since 1.4
 426      */
 427     private int isFocusTraversableOverridden = FOCUS_TRAVERSABLE_UNKNOWN;
 428 
 429     /**
 430      * The focus traversal keys. These keys will generate focus traversal
 431      * behavior for Components for which focus traversal keys are enabled. If a
 432      * value of null is specified for a traversal key, this Component inherits
 433      * that traversal key from its parent. If all ancestors of this Component
 434      * have null specified for that traversal key, then the current
 435      * KeyboardFocusManager's default traversal key is used.
 436      *
 437      * @serial
 438      * @see #setFocusTraversalKeys
 439      * @see #getFocusTraversalKeys
 440      * @since 1.4
 441      */
 442     Set<AWTKeyStroke>[] focusTraversalKeys;
 443 
 444     private static final String[] focusTraversalKeyPropertyNames = {
 445         "forwardFocusTraversalKeys",
 446         "backwardFocusTraversalKeys",
 447         "upCycleFocusTraversalKeys",
 448         "downCycleFocusTraversalKeys"
 449     };
 450 
 451     /**
 452      * Indicates whether focus traversal keys are enabled for this Component.
 453      * Components for which focus traversal keys are disabled receive key
 454      * events for focus traversal keys. Components for which focus traversal
 455      * keys are enabled do not see these events; instead, the events are
 456      * automatically converted to traversal operations.
 457      *
 458      * @serial
 459      * @see #setFocusTraversalKeysEnabled
 460      * @see #getFocusTraversalKeysEnabled
 461      * @since 1.4
 462      */
 463     private boolean focusTraversalKeysEnabled = true;
 464 
 465     /**
 466      * The locking object for AWT component-tree and layout operations.
 467      *
 468      * @see #getTreeLock
 469      */
 470     static final Object LOCK = new AWTTreeLock();
 471     static class AWTTreeLock {}
 472 
 473     /*
 474      * The component's AccessControlContext.
 475      */
 476     private transient volatile AccessControlContext acc =
 477         AccessController.getContext();
 478 
 479     /**
 480      * Minimum size.
 481      * (This field perhaps should have been transient).
 482      *
 483      * @serial
 484      */
 485     Dimension minSize;
 486 
 487     /**
 488      * Whether or not setMinimumSize has been invoked with a non-null value.
 489      */
 490     boolean minSizeSet;
 491 
 492     /**
 493      * Preferred size.
 494      * (This field perhaps should have been transient).
 495      *
 496      * @serial
 497      */
 498     Dimension prefSize;
 499 
 500     /**
 501      * Whether or not setPreferredSize has been invoked with a non-null value.
 502      */
 503     boolean prefSizeSet;
 504 
 505     /**
 506      * Maximum size
 507      *
 508      * @serial
 509      */
 510     Dimension maxSize;
 511 
 512     /**
 513      * Whether or not setMaximumSize has been invoked with a non-null value.
 514      */
 515     boolean maxSizeSet;
 516 
 517     /**
 518      * The orientation for this component.
 519      * @see #getComponentOrientation
 520      * @see #setComponentOrientation
 521      */
 522     transient ComponentOrientation componentOrientation
 523     = ComponentOrientation.UNKNOWN;
 524 
 525     /**
 526      * <code>newEventsOnly</code> will be true if the event is
 527      * one of the event types enabled for the component.
 528      * It will then allow for normal processing to
 529      * continue.  If it is false the event is passed
 530      * to the component's parent and up the ancestor
 531      * tree until the event has been consumed.
 532      *
 533      * @serial
 534      * @see #dispatchEvent
 535      */
 536     boolean newEventsOnly = false;
 537     transient ComponentListener componentListener;
 538     transient FocusListener focusListener;
 539     transient HierarchyListener hierarchyListener;
 540     transient HierarchyBoundsListener hierarchyBoundsListener;
 541     transient KeyListener keyListener;
 542     transient MouseListener mouseListener;
 543     transient MouseMotionListener mouseMotionListener;
 544     transient MouseWheelListener mouseWheelListener;
 545     transient InputMethodListener inputMethodListener;
 546 
 547     /** Internal, constants for serialization */
 548     final static String actionListenerK = "actionL";
 549     final static String adjustmentListenerK = "adjustmentL";
 550     final static String componentListenerK = "componentL";
 551     final static String containerListenerK = "containerL";
 552     final static String focusListenerK = "focusL";
 553     final static String itemListenerK = "itemL";
 554     final static String keyListenerK = "keyL";
 555     final static String mouseListenerK = "mouseL";
 556     final static String mouseMotionListenerK = "mouseMotionL";
 557     final static String mouseWheelListenerK = "mouseWheelL";
 558     final static String textListenerK = "textL";
 559     final static String ownedWindowK = "ownedL";
 560     final static String windowListenerK = "windowL";
 561     final static String inputMethodListenerK = "inputMethodL";
 562     final static String hierarchyListenerK = "hierarchyL";
 563     final static String hierarchyBoundsListenerK = "hierarchyBoundsL";
 564     final static String windowStateListenerK = "windowStateL";
 565     final static String windowFocusListenerK = "windowFocusL";
 566 
 567     /**
 568      * The <code>eventMask</code> is ONLY set by subclasses via
 569      * <code>enableEvents</code>.
 570      * The mask should NOT be set when listeners are registered
 571      * so that we can distinguish the difference between when
 572      * listeners request events and subclasses request them.
 573      * One bit is used to indicate whether input methods are
 574      * enabled; this bit is set by <code>enableInputMethods</code> and is
 575      * on by default.
 576      *
 577      * @serial
 578      * @see #enableInputMethods
 579      * @see AWTEvent
 580      */
 581     long eventMask = AWTEvent.INPUT_METHODS_ENABLED_MASK;
 582 
 583     /**
 584      * Static properties for incremental drawing.
 585      * @see #imageUpdate
 586      */
 587     static boolean isInc;
 588     static int incRate;
 589     static {
 590         /* ensure that the necessary native libraries are loaded */
 591         Toolkit.loadLibraries();
 592         /* initialize JNI field and method ids */
 593         if (!GraphicsEnvironment.isHeadless()) {
 594             initIDs();
 595         }
 596 
 597         String s = java.security.AccessController.doPrivileged(
 598                                                                new GetPropertyAction("awt.image.incrementaldraw"));
 599         isInc = (s == null || s.equals("true"));
 600 
 601         s = java.security.AccessController.doPrivileged(
 602                                                         new GetPropertyAction("awt.image.redrawrate"));
 603         incRate = (s != null) ? Integer.parseInt(s) : 100;
 604     }
 605 
 606     /**
 607      * Ease-of-use constant for <code>getAlignmentY()</code>.
 608      * Specifies an alignment to the top of the component.
 609      * @see     #getAlignmentY
 610      */
 611     public static final float TOP_ALIGNMENT = 0.0f;
 612 
 613     /**
 614      * Ease-of-use constant for <code>getAlignmentY</code> and
 615      * <code>getAlignmentX</code>. Specifies an alignment to
 616      * the center of the component
 617      * @see     #getAlignmentX
 618      * @see     #getAlignmentY
 619      */
 620     public static final float CENTER_ALIGNMENT = 0.5f;
 621 
 622     /**
 623      * Ease-of-use constant for <code>getAlignmentY</code>.
 624      * Specifies an alignment to the bottom of the component.
 625      * @see     #getAlignmentY
 626      */
 627     public static final float BOTTOM_ALIGNMENT = 1.0f;
 628 
 629     /**
 630      * Ease-of-use constant for <code>getAlignmentX</code>.
 631      * Specifies an alignment to the left side of the component.
 632      * @see     #getAlignmentX
 633      */
 634     public static final float LEFT_ALIGNMENT = 0.0f;
 635 
 636     /**
 637      * Ease-of-use constant for <code>getAlignmentX</code>.
 638      * Specifies an alignment to the right side of the component.
 639      * @see     #getAlignmentX
 640      */
 641     public static final float RIGHT_ALIGNMENT = 1.0f;
 642 
 643     /*
 644      * JDK 1.1 serialVersionUID
 645      */
 646     private static final long serialVersionUID = -7644114512714619750L;
 647 
 648     /**
 649      * If any <code>PropertyChangeListeners</code> have been registered,
 650      * the <code>changeSupport</code> field describes them.
 651      *
 652      * @serial
 653      * @since 1.2
 654      * @see #addPropertyChangeListener
 655      * @see #removePropertyChangeListener
 656      * @see #firePropertyChange
 657      */
 658     private PropertyChangeSupport changeSupport;
 659 
 660     /*
 661      * In some cases using "this" as an object to synchronize by
 662      * can lead to a deadlock if client code also uses synchronization
 663      * by a component object. For every such situation revealed we should
 664      * consider possibility of replacing "this" with the package private
 665      * objectLock object introduced below. So far there are 3 issues known:
 666      * - CR 6708322 (the getName/setName methods);
 667      * - CR 6608764 (the PropertyChangeListener machinery);
 668      * - CR 7108598 (the Container.paint/KeyboardFocusManager.clearMostRecentFocusOwner methods).
 669      *
 670      * Note: this field is considered final, though readObject() prohibits
 671      * initializing final fields.
 672      */
 673     private transient Object objectLock = new Object();
 674     Object getObjectLock() {
 675         return objectLock;
 676     }
 677 
 678     /*
 679      * Returns the acc this component was constructed with.
 680      */
 681     final AccessControlContext getAccessControlContext() {
 682         if (acc == null) {
 683             throw new SecurityException("Component is missing AccessControlContext");
 684         }
 685         return acc;
 686     }
 687 
 688     boolean isPacked = false;
 689 
 690     /**
 691      * Pseudoparameter for direct Geometry API (setLocation, setBounds setSize
 692      * to signal setBounds what's changing. Should be used under TreeLock.
 693      * This is only needed due to the inability to change the cross-calling
 694      * order of public and deprecated methods.
 695      */
 696     private int boundsOp = ComponentPeer.DEFAULT_OPERATION;
 697 
 698     /**
 699      * Enumeration of the common ways the baseline of a component can
 700      * change as the size changes.  The baseline resize behavior is
 701      * primarily for layout managers that need to know how the
 702      * position of the baseline changes as the component size changes.
 703      * In general the baseline resize behavior will be valid for sizes
 704      * greater than or equal to the minimum size (the actual minimum
 705      * size; not a developer specified minimum size).  For sizes
 706      * smaller than the minimum size the baseline may change in a way
 707      * other than the baseline resize behavior indicates.  Similarly,
 708      * as the size approaches <code>Integer.MAX_VALUE</code> and/or
 709      * <code>Short.MAX_VALUE</code> the baseline may change in a way
 710      * other than the baseline resize behavior indicates.
 711      *
 712      * @see #getBaselineResizeBehavior
 713      * @see #getBaseline(int,int)
 714      * @since 1.6
 715      */
 716     public enum BaselineResizeBehavior {
 717         /**
 718          * Indicates the baseline remains fixed relative to the
 719          * y-origin.  That is, <code>getBaseline</code> returns
 720          * the same value regardless of the height or width.  For example, a
 721          * <code>JLabel</code> containing non-empty text with a
 722          * vertical alignment of <code>TOP</code> should have a
 723          * baseline type of <code>CONSTANT_ASCENT</code>.
 724          */
 725         CONSTANT_ASCENT,
 726 
 727         /**
 728          * Indicates the baseline remains fixed relative to the height
 729          * and does not change as the width is varied.  That is, for
 730          * any height H the difference between H and
 731          * <code>getBaseline(w, H)</code> is the same.  For example, a
 732          * <code>JLabel</code> containing non-empty text with a
 733          * vertical alignment of <code>BOTTOM</code> should have a
 734          * baseline type of <code>CONSTANT_DESCENT</code>.
 735          */
 736         CONSTANT_DESCENT,
 737 
 738         /**
 739          * Indicates the baseline remains a fixed distance from
 740          * the center of the component.  That is, for any height H the
 741          * difference between <code>getBaseline(w, H)</code> and
 742          * <code>H / 2</code> is the same (plus or minus one depending upon
 743          * rounding error).
 744          * <p>
 745          * Because of possible rounding errors it is recommended
 746          * you ask for the baseline with two consecutive heights and use
 747          * the return value to determine if you need to pad calculations
 748          * by 1.  The following shows how to calculate the baseline for
 749          * any height:
 750          * <pre>
 751          *   Dimension preferredSize = component.getPreferredSize();
 752          *   int baseline = getBaseline(preferredSize.width,
 753          *                              preferredSize.height);
 754          *   int nextBaseline = getBaseline(preferredSize.width,
 755          *                                  preferredSize.height + 1);
 756          *   // Amount to add to height when calculating where baseline
 757          *   // lands for a particular height:
 758          *   int padding = 0;
 759          *   // Where the baseline is relative to the mid point
 760          *   int baselineOffset = baseline - height / 2;
 761          *   if (preferredSize.height % 2 == 0 &amp;&amp;
 762          *       baseline != nextBaseline) {
 763          *       padding = 1;
 764          *   }
 765          *   else if (preferredSize.height % 2 == 1 &amp;&amp;
 766          *            baseline == nextBaseline) {
 767          *       baselineOffset--;
 768          *       padding = 1;
 769          *   }
 770          *   // The following calculates where the baseline lands for
 771          *   // the height z:
 772          *   int calculatedBaseline = (z + padding) / 2 + baselineOffset;
 773          * </pre>
 774          */
 775         CENTER_OFFSET,
 776 
 777         /**
 778          * Indicates the baseline resize behavior can not be expressed using
 779          * any of the other constants.  This may also indicate the baseline
 780          * varies with the width of the component.  This is also returned
 781          * by components that do not have a baseline.
 782          */
 783         OTHER
 784     }
 785 
 786     /*
 787      * The shape set with the applyCompoundShape() method. It includes the result
 788      * of the HW/LW mixing related shape computation. It may also include
 789      * the user-specified shape of the component.
 790      * The 'null' value means the component has normal shape (or has no shape at all)
 791      * and applyCompoundShape() will skip the following shape identical to normal.
 792      */
 793     private transient Region compoundShape = null;
 794 
 795     /*
 796      * Represents the shape of this lightweight component to be cut out from
 797      * heavyweight components should they intersect. Possible values:
 798      *    1. null - consider the shape rectangular
 799      *    2. EMPTY_REGION - nothing gets cut out (children still get cut out)
 800      *    3. non-empty - this shape gets cut out.
 801      */
 802     private transient Region mixingCutoutRegion = null;
 803 
 804     /*
 805      * Indicates whether addNotify() is complete
 806      * (i.e. the peer is created).
 807      */
 808     private transient boolean isAddNotifyComplete = false;
 809 
 810     /**
 811      * Should only be used in subclass getBounds to check that part of bounds
 812      * is actually changing
 813      */
 814     int getBoundsOp() {
 815         assert Thread.holdsLock(getTreeLock());
 816         return boundsOp;
 817     }
 818 
 819     void setBoundsOp(int op) {
 820         assert Thread.holdsLock(getTreeLock());
 821         if (op == ComponentPeer.RESET_OPERATION) {
 822             boundsOp = ComponentPeer.DEFAULT_OPERATION;
 823         } else
 824             if (boundsOp == ComponentPeer.DEFAULT_OPERATION) {
 825                 boundsOp = op;
 826             }
 827     }
 828 
 829     // Whether this Component has had the background erase flag
 830     // specified via SunToolkit.disableBackgroundErase(). This is
 831     // needed in order to make this function work on X11 platforms,
 832     // where currently there is no chance to interpose on the creation
 833     // of the peer and therefore the call to XSetBackground.
 834     transient boolean backgroundEraseDisabled;
 835 
 836     static {
 837         AWTAccessor.setComponentAccessor(new AWTAccessor.ComponentAccessor() {
 838             public void setBackgroundEraseDisabled(Component comp, boolean disabled) {
 839                 comp.backgroundEraseDisabled = disabled;
 840             }
 841             public boolean getBackgroundEraseDisabled(Component comp) {
 842                 return comp.backgroundEraseDisabled;
 843             }
 844             public Rectangle getBounds(Component comp) {
 845                 return new Rectangle(comp.x, comp.y, comp.width, comp.height);
 846             }
 847             public void setMixingCutoutShape(Component comp, Shape shape) {
 848                 Region region = shape == null ?  null :
 849                     Region.getInstance(shape, null);
 850 
 851                 synchronized (comp.getTreeLock()) {
 852                     boolean needShowing = false;
 853                     boolean needHiding = false;
 854 
 855                     if (!comp.isNonOpaqueForMixing()) {
 856                         needHiding = true;
 857                     }
 858 
 859                     comp.mixingCutoutRegion = region;
 860 
 861                     if (!comp.isNonOpaqueForMixing()) {
 862                         needShowing = true;
 863                     }
 864 
 865                     if (comp.isMixingNeeded()) {
 866                         if (needHiding) {
 867                             comp.mixOnHiding(comp.isLightweight());
 868                         }
 869                         if (needShowing) {
 870                             comp.mixOnShowing();
 871                         }
 872                     }
 873                 }
 874             }
 875 
 876             public void setGraphicsConfiguration(Component comp,
 877                     GraphicsConfiguration gc)
 878             {
 879                 comp.setGraphicsConfiguration(gc);
 880             }
 881             public boolean requestFocus(Component comp, CausedFocusEvent.Cause cause) {
 882                 return comp.requestFocus(cause);
 883             }
 884             public boolean canBeFocusOwner(Component comp) {
 885                 return comp.canBeFocusOwner();
 886             }
 887 
 888             public boolean isVisible(Component comp) {
 889                 return comp.isVisible_NoClientCode();
 890             }
 891             public void setRequestFocusController
 892                 (RequestFocusController requestController)
 893             {
 894                  Component.setRequestFocusController(requestController);
 895             }
 896             public AppContext getAppContext(Component comp) {
 897                  return comp.appContext;
 898             }
 899             public void setAppContext(Component comp, AppContext appContext) {
 900                  comp.appContext = appContext;
 901             }
 902             public Container getParent(Component comp) {
 903                 return comp.getParent_NoClientCode();
 904             }
 905             public void setParent(Component comp, Container parent) {
 906                 comp.parent = parent;
 907             }
 908             public void setSize(Component comp, int width, int height) {
 909                 comp.width = width;
 910                 comp.height = height;
 911             }
 912             public Point getLocation(Component comp) {
 913                 return comp.location_NoClientCode();
 914             }
 915             public void setLocation(Component comp, int x, int y) {
 916                 comp.x = x;
 917                 comp.y = y;
 918             }
 919             public boolean isEnabled(Component comp) {
 920                 return comp.isEnabledImpl();
 921             }
 922             public boolean isDisplayable(Component comp) {
 923                 return comp.peer != null;
 924             }
 925             public Cursor getCursor(Component comp) {
 926                 return comp.getCursor_NoClientCode();
 927             }
 928             @SuppressWarnings("unchecked")
 929             public <T extends ComponentPeer> T getPeer(Component comp) {
 930                 return (T) comp.peer;
 931             }
 932             public void setPeer(Component comp, ComponentPeer peer) {
 933                 comp.peer = peer;
 934             }
 935             public boolean isLightweight(Component comp) {
 936                 return (comp.peer instanceof LightweightPeer);
 937             }
 938             public boolean getIgnoreRepaint(Component comp) {
 939                 return comp.ignoreRepaint;
 940             }
 941             public int getWidth(Component comp) {
 942                 return comp.width;
 943             }
 944             public int getHeight(Component comp) {
 945                 return comp.height;
 946             }
 947             public int getX(Component comp) {
 948                 return comp.x;
 949             }
 950             public int getY(Component comp) {
 951                 return comp.y;
 952             }
 953             public Color getForeground(Component comp) {
 954                 return comp.foreground;
 955             }
 956             public Color getBackground(Component comp) {
 957                 return comp.background;
 958             }
 959             public void setBackground(Component comp, Color background) {
 960                 comp.background = background;
 961             }
 962             public Font getFont(Component comp) {
 963                 return comp.getFont_NoClientCode();
 964             }
 965             public void processEvent(Component comp, AWTEvent e) {
 966                 comp.processEvent(e);
 967             }
 968 
 969             public AccessControlContext getAccessControlContext(Component comp) {
 970                 return comp.getAccessControlContext();
 971             }
 972 
 973             public void revalidateSynchronously(Component comp) {
 974                 comp.revalidateSynchronously();
 975             }
 976 
 977             @Override
 978             public void createBufferStrategy(Component comp, int numBuffers,
 979                     BufferCapabilities caps) throws AWTException {
 980                 comp.createBufferStrategy(numBuffers, caps);
 981             }
 982 
 983             @Override
 984             public BufferStrategy getBufferStrategy(Component comp) {
 985                 return comp.getBufferStrategy();
 986             }
 987         });
 988     }
 989 
 990     /**
 991      * Constructs a new component. Class <code>Component</code> can be
 992      * extended directly to create a lightweight component that does not
 993      * utilize an opaque native window. A lightweight component must be
 994      * hosted by a native container somewhere higher up in the component
 995      * tree (for example, by a <code>Frame</code> object).
 996      */
 997     protected Component() {
 998         appContext = AppContext.getAppContext();
 999     }
1000 
1001     @SuppressWarnings({"rawtypes", "unchecked"})
1002     void initializeFocusTraversalKeys() {
1003         focusTraversalKeys = new Set[3];
1004     }
1005 
1006     /**
1007      * Constructs a name for this component.  Called by <code>getName</code>
1008      * when the name is <code>null</code>.
1009      */
1010     String constructComponentName() {
1011         return null; // For strict compliance with prior platform versions, a Component
1012                      // that doesn't set its name should return null from
1013                      // getName()
1014     }
1015 
1016     /**
1017      * Gets the name of the component.
1018      * @return this component's name
1019      * @see    #setName
1020      * @since 1.1
1021      */
1022     public String getName() {
1023         if (name == null && !nameExplicitlySet) {
1024             synchronized(getObjectLock()) {
1025                 if (name == null && !nameExplicitlySet)
1026                     name = constructComponentName();
1027             }
1028         }
1029         return name;
1030     }
1031 
1032     /**
1033      * Sets the name of the component to the specified string.
1034      * @param name  the string that is to be this
1035      *           component's name
1036      * @see #getName
1037      * @since 1.1
1038      */
1039     public void setName(String name) {
1040         String oldName;
1041         synchronized(getObjectLock()) {
1042             oldName = this.name;
1043             this.name = name;
1044             nameExplicitlySet = true;
1045         }
1046         firePropertyChange("name", oldName, name);
1047     }
1048 
1049     /**
1050      * Gets the parent of this component.
1051      * @return the parent container of this component
1052      * @since 1.0
1053      */
1054     public Container getParent() {
1055         return getParent_NoClientCode();
1056     }
1057 
1058     // NOTE: This method may be called by privileged threads.
1059     //       This functionality is implemented in a package-private method
1060     //       to insure that it cannot be overridden by client subclasses.
1061     //       DO NOT INVOKE CLIENT CODE ON THIS THREAD!
1062     final Container getParent_NoClientCode() {
1063         return parent;
1064     }
1065 
1066     // This method is overridden in the Window class to return null,
1067     //    because the parent field of the Window object contains
1068     //    the owner of the window, not its parent.
1069     Container getContainer() {
1070         return getParent_NoClientCode();
1071     }
1072 
1073     /**
1074      * Associate a <code>DropTarget</code> with this component.
1075      * The <code>Component</code> will receive drops only if it
1076      * is enabled.
1077      *
1078      * @see #isEnabled
1079      * @param dt The DropTarget
1080      */
1081 
1082     public synchronized void setDropTarget(DropTarget dt) {
1083         if (dt == dropTarget || (dropTarget != null && dropTarget.equals(dt)))
1084             return;
1085 
1086         DropTarget old;
1087 
1088         if ((old = dropTarget) != null) {
1089             dropTarget.removeNotify();
1090 
1091             DropTarget t = dropTarget;
1092 
1093             dropTarget = null;
1094 
1095             try {
1096                 t.setComponent(null);
1097             } catch (IllegalArgumentException iae) {
1098                 // ignore it.
1099             }
1100         }
1101 
1102         // if we have a new one, and we have a peer, add it!
1103 
1104         if ((dropTarget = dt) != null) {
1105             try {
1106                 dropTarget.setComponent(this);
1107                 dropTarget.addNotify();
1108             } catch (IllegalArgumentException iae) {
1109                 if (old != null) {
1110                     try {
1111                         old.setComponent(this);
1112                         dropTarget.addNotify();
1113                     } catch (IllegalArgumentException iae1) {
1114                         // ignore it!
1115                     }
1116                 }
1117             }
1118         }
1119     }
1120 
1121     /**
1122      * Gets the <code>DropTarget</code> associated with this
1123      * <code>Component</code>.
1124      *
1125      * @return the drop target
1126      */
1127 
1128     public synchronized DropTarget getDropTarget() { return dropTarget; }
1129 
1130     /**
1131      * Gets the <code>GraphicsConfiguration</code> associated with this
1132      * <code>Component</code>.
1133      * If the <code>Component</code> has not been assigned a specific
1134      * <code>GraphicsConfiguration</code>,
1135      * the <code>GraphicsConfiguration</code> of the
1136      * <code>Component</code> object's top-level container is
1137      * returned.
1138      * If the <code>Component</code> has been created, but not yet added
1139      * to a <code>Container</code>, this method returns <code>null</code>.
1140      *
1141      * @return the <code>GraphicsConfiguration</code> used by this
1142      *          <code>Component</code> or <code>null</code>
1143      * @since 1.3
1144      */
1145     public GraphicsConfiguration getGraphicsConfiguration() {
1146         synchronized(getTreeLock()) {
1147             return getGraphicsConfiguration_NoClientCode();
1148         }
1149     }
1150 
1151     final GraphicsConfiguration getGraphicsConfiguration_NoClientCode() {
1152         return graphicsConfig;
1153     }
1154 
1155     void setGraphicsConfiguration(GraphicsConfiguration gc) {
1156         synchronized(getTreeLock()) {
1157             if (updateGraphicsData(gc)) {
1158                 removeNotify();
1159                 addNotify();
1160             }
1161         }
1162     }
1163 
1164     boolean updateGraphicsData(GraphicsConfiguration gc) {
1165         checkTreeLock();
1166 
1167         if (graphicsConfig == gc) {
1168             return false;
1169         }
1170 
1171         graphicsConfig = gc;
1172 
1173         ComponentPeer peer = this.peer;
1174         if (peer != null) {
1175             return peer.updateGraphicsData(gc);
1176         }
1177         return false;
1178     }
1179 
1180     /**
1181      * Checks that this component's <code>GraphicsDevice</code>
1182      * <code>idString</code> matches the string argument.
1183      */
1184     void checkGD(String stringID) {
1185         if (graphicsConfig != null) {
1186             if (!graphicsConfig.getDevice().getIDstring().equals(stringID)) {
1187                 throw new IllegalArgumentException(
1188                                                    "adding a container to a container on a different GraphicsDevice");
1189             }
1190         }
1191     }
1192 
1193     /**
1194      * Gets this component's locking object (the object that owns the thread
1195      * synchronization monitor) for AWT component-tree and layout
1196      * operations.
1197      * @return this component's locking object
1198      */
1199     public final Object getTreeLock() {
1200         return LOCK;
1201     }
1202 
1203     final void checkTreeLock() {
1204         if (!Thread.holdsLock(getTreeLock())) {
1205             throw new IllegalStateException("This function should be called while holding treeLock");
1206         }
1207     }
1208 
1209     /**
1210      * Gets the toolkit of this component. Note that
1211      * the frame that contains a component controls which
1212      * toolkit is used by that component. Therefore if the component
1213      * is moved from one frame to another, the toolkit it uses may change.
1214      * @return  the toolkit of this component
1215      * @since 1.0
1216      */
1217     public Toolkit getToolkit() {
1218         return getToolkitImpl();
1219     }
1220 
1221     /*
1222      * This is called by the native code, so client code can't
1223      * be called on the toolkit thread.
1224      */
1225     final Toolkit getToolkitImpl() {
1226         Container parent = this.parent;
1227         if (parent != null) {
1228             return parent.getToolkitImpl();
1229         }
1230         return Toolkit.getDefaultToolkit();
1231     }
1232 
1233     final ComponentFactory getComponentFactory() {
1234         final Toolkit toolkit = getToolkit();
1235         if (toolkit instanceof ComponentFactory) {
1236             return (ComponentFactory) toolkit;
1237         }
1238         throw new AWTError("UI components are unsupported by: " + toolkit);
1239     }
1240 
1241     /**
1242      * Determines whether this component is valid. A component is valid
1243      * when it is correctly sized and positioned within its parent
1244      * container and all its children are also valid.
1245      * In order to account for peers' size requirements, components are invalidated
1246      * before they are first shown on the screen. By the time the parent container
1247      * is fully realized, all its components will be valid.
1248      * @return <code>true</code> if the component is valid, <code>false</code>
1249      * otherwise
1250      * @see #validate
1251      * @see #invalidate
1252      * @since 1.0
1253      */
1254     public boolean isValid() {
1255         return (peer != null) && valid;
1256     }
1257 
1258     /**
1259      * Determines whether this component is displayable. A component is
1260      * displayable when it is connected to a native screen resource.
1261      * <p>
1262      * A component is made displayable either when it is added to
1263      * a displayable containment hierarchy or when its containment
1264      * hierarchy is made displayable.
1265      * A containment hierarchy is made displayable when its ancestor
1266      * window is either packed or made visible.
1267      * <p>
1268      * A component is made undisplayable either when it is removed from
1269      * a displayable containment hierarchy or when its containment hierarchy
1270      * is made undisplayable.  A containment hierarchy is made
1271      * undisplayable when its ancestor window is disposed.
1272      *
1273      * @return <code>true</code> if the component is displayable,
1274      * <code>false</code> otherwise
1275      * @see Container#add(Component)
1276      * @see Window#pack
1277      * @see Window#show
1278      * @see Container#remove(Component)
1279      * @see Window#dispose
1280      * @since 1.2
1281      */
1282     public boolean isDisplayable() {
1283         return peer != null;
1284     }
1285 
1286     /**
1287      * Determines whether this component should be visible when its
1288      * parent is visible. Components are
1289      * initially visible, with the exception of top level components such
1290      * as <code>Frame</code> objects.
1291      * @return <code>true</code> if the component is visible,
1292      * <code>false</code> otherwise
1293      * @see #setVisible
1294      * @since 1.0
1295      */
1296     @Transient
1297     public boolean isVisible() {
1298         return isVisible_NoClientCode();
1299     }
1300     final boolean isVisible_NoClientCode() {
1301         return visible;
1302     }
1303 
1304     /**
1305      * Determines whether this component will be displayed on the screen.
1306      * @return <code>true</code> if the component and all of its ancestors
1307      *          until a toplevel window or null parent are visible,
1308      *          <code>false</code> otherwise
1309      */
1310     boolean isRecursivelyVisible() {
1311         return visible && (parent == null || parent.isRecursivelyVisible());
1312     }
1313 
1314     /**
1315      * Determines the bounds of a visible part of the component relative to its
1316      * parent.
1317      *
1318      * @return the visible part of bounds
1319      */
1320     private Rectangle getRecursivelyVisibleBounds() {
1321         final Component container = getContainer();
1322         final Rectangle bounds = getBounds();
1323         if (container == null) {
1324             // we are top level window or haven't a container, return our bounds
1325             return bounds;
1326         }
1327         // translate the container's bounds to our coordinate space
1328         final Rectangle parentsBounds = container.getRecursivelyVisibleBounds();
1329         parentsBounds.setLocation(0, 0);
1330         return parentsBounds.intersection(bounds);
1331     }
1332 
1333     /**
1334      * Translates absolute coordinates into coordinates in the coordinate
1335      * space of this component.
1336      */
1337     Point pointRelativeToComponent(Point absolute) {
1338         Point compCoords = getLocationOnScreen();
1339         return new Point(absolute.x - compCoords.x,
1340                          absolute.y - compCoords.y);
1341     }
1342 
1343     /**
1344      * Assuming that mouse location is stored in PointerInfo passed
1345      * to this method, it finds a Component that is in the same
1346      * Window as this Component and is located under the mouse pointer.
1347      * If no such Component exists, null is returned.
1348      * NOTE: this method should be called under the protection of
1349      * tree lock, as it is done in Component.getMousePosition() and
1350      * Container.getMousePosition(boolean).
1351      */
1352     Component findUnderMouseInWindow(PointerInfo pi) {
1353         if (!isShowing()) {
1354             return null;
1355         }
1356         Window win = getContainingWindow();
1357         Toolkit toolkit = Toolkit.getDefaultToolkit();
1358         if (!(toolkit instanceof ComponentFactory)) {
1359             return null;
1360         }
1361         if (!((ComponentFactory) toolkit).getMouseInfoPeer().isWindowUnderMouse(win)) {
1362             return null;
1363         }
1364         final boolean INCLUDE_DISABLED = true;
1365         Point relativeToWindow = win.pointRelativeToComponent(pi.getLocation());
1366         Component inTheSameWindow = win.findComponentAt(relativeToWindow.x,
1367                                                         relativeToWindow.y,
1368                                                         INCLUDE_DISABLED);
1369         return inTheSameWindow;
1370     }
1371 
1372     /**
1373      * Returns the position of the mouse pointer in this <code>Component</code>'s
1374      * coordinate space if the <code>Component</code> is directly under the mouse
1375      * pointer, otherwise returns <code>null</code>.
1376      * If the <code>Component</code> is not showing on the screen, this method
1377      * returns <code>null</code> even if the mouse pointer is above the area
1378      * where the <code>Component</code> would be displayed.
1379      * If the <code>Component</code> is partially or fully obscured by other
1380      * <code>Component</code>s or native windows, this method returns a non-null
1381      * value only if the mouse pointer is located above the unobscured part of the
1382      * <code>Component</code>.
1383      * <p>
1384      * For <code>Container</code>s it returns a non-null value if the mouse is
1385      * above the <code>Container</code> itself or above any of its descendants.
1386      * Use {@link Container#getMousePosition(boolean)} if you need to exclude children.
1387      * <p>
1388      * Sometimes the exact mouse coordinates are not important, and the only thing
1389      * that matters is whether a specific <code>Component</code> is under the mouse
1390      * pointer. If the return value of this method is <code>null</code>, mouse
1391      * pointer is not directly above the <code>Component</code>.
1392      *
1393      * @exception HeadlessException if GraphicsEnvironment.isHeadless() returns true
1394      * @see       #isShowing
1395      * @see       Container#getMousePosition
1396      * @return    mouse coordinates relative to this <code>Component</code>, or null
1397      * @since     1.5
1398      */
1399     public Point getMousePosition() throws HeadlessException {
1400         if (GraphicsEnvironment.isHeadless()) {
1401             throw new HeadlessException();
1402         }
1403 
1404         PointerInfo pi = java.security.AccessController.doPrivileged(
1405                                                                      new java.security.PrivilegedAction<PointerInfo>() {
1406                                                                          public PointerInfo run() {
1407                                                                              return MouseInfo.getPointerInfo();
1408                                                                          }
1409                                                                      }
1410                                                                      );
1411 
1412         synchronized (getTreeLock()) {
1413             Component inTheSameWindow = findUnderMouseInWindow(pi);
1414             if (!isSameOrAncestorOf(inTheSameWindow, true)) {
1415                 return null;
1416             }
1417             return pointRelativeToComponent(pi.getLocation());
1418         }
1419     }
1420 
1421     /**
1422      * Overridden in Container. Must be called under TreeLock.
1423      */
1424     boolean isSameOrAncestorOf(Component comp, boolean allowChildren) {
1425         return comp == this;
1426     }
1427 
1428     /**
1429      * Determines whether this component is showing on screen. This means
1430      * that the component must be visible, and it must be in a container
1431      * that is visible and showing.
1432      * <p>
1433      * <strong>Note:</strong> sometimes there is no way to detect whether the
1434      * {@code Component} is actually visible to the user.  This can happen when:
1435      * <ul>
1436      * <li>the component has been added to a visible {@code ScrollPane} but
1437      * the {@code Component} is not currently in the scroll pane's view port.
1438      * <li>the {@code Component} is obscured by another {@code Component} or
1439      * {@code Container}.
1440      * </ul>
1441      * @return <code>true</code> if the component is showing,
1442      *          <code>false</code> otherwise
1443      * @see #setVisible
1444      * @since 1.0
1445      */
1446     public boolean isShowing() {
1447         if (visible && (peer != null)) {
1448             Container parent = this.parent;
1449             return (parent == null) || parent.isShowing();
1450         }
1451         return false;
1452     }
1453 
1454     /**
1455      * Determines whether this component is enabled. An enabled component
1456      * can respond to user input and generate events. Components are
1457      * enabled initially by default. A component may be enabled or disabled by
1458      * calling its <code>setEnabled</code> method.
1459      * @return <code>true</code> if the component is enabled,
1460      *          <code>false</code> otherwise
1461      * @see #setEnabled
1462      * @since 1.0
1463      */
1464     public boolean isEnabled() {
1465         return isEnabledImpl();
1466     }
1467 
1468     /*
1469      * This is called by the native code, so client code can't
1470      * be called on the toolkit thread.
1471      */
1472     final boolean isEnabledImpl() {
1473         return enabled;
1474     }
1475 
1476     /**
1477      * Enables or disables this component, depending on the value of the
1478      * parameter <code>b</code>. An enabled component can respond to user
1479      * input and generate events. Components are enabled initially by default.
1480      *
1481      * <p>Note: Disabling a lightweight component does not prevent it from
1482      * receiving MouseEvents.
1483      * <p>Note: Disabling a heavyweight container prevents all components
1484      * in this container from receiving any input events.  But disabling a
1485      * lightweight container affects only this container.
1486      *
1487      * @param     b   If <code>true</code>, this component is
1488      *            enabled; otherwise this component is disabled
1489      * @see #isEnabled
1490      * @see #isLightweight
1491      * @since 1.1
1492      */
1493     public void setEnabled(boolean b) {
1494         enable(b);
1495     }
1496 
1497     /**
1498      * @deprecated As of JDK version 1.1,
1499      * replaced by <code>setEnabled(boolean)</code>.
1500      */
1501     @Deprecated
1502     public void enable() {
1503         if (!enabled) {
1504             synchronized (getTreeLock()) {
1505                 enabled = true;
1506                 ComponentPeer peer = this.peer;
1507                 if (peer != null) {
1508                     peer.setEnabled(true);
1509                     if (visible && !getRecursivelyVisibleBounds().isEmpty()) {
1510                         updateCursorImmediately();
1511                     }
1512                 }
1513             }
1514             if (accessibleContext != null) {
1515                 accessibleContext.firePropertyChange(
1516                                                      AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
1517                                                      null, AccessibleState.ENABLED);
1518             }
1519         }
1520     }
1521 
1522     /**
1523      * Enables or disables this component.
1524      *
1525      * @param  b {@code true} to enable this component;
1526      *         otherwise {@code false}
1527      *
1528      * @deprecated As of JDK version 1.1,
1529      * replaced by <code>setEnabled(boolean)</code>.
1530      */
1531     @Deprecated
1532     public void enable(boolean b) {
1533         if (b) {
1534             enable();
1535         } else {
1536             disable();
1537         }
1538     }
1539 
1540     /**
1541      * @deprecated As of JDK version 1.1,
1542      * replaced by <code>setEnabled(boolean)</code>.
1543      */
1544     @Deprecated
1545     public void disable() {
1546         if (enabled) {
1547             KeyboardFocusManager.clearMostRecentFocusOwner(this);
1548             synchronized (getTreeLock()) {
1549                 enabled = false;
1550                 // A disabled lw container is allowed to contain a focus owner.
1551                 if ((isFocusOwner() || (containsFocus() && !isLightweight())) &&
1552                     KeyboardFocusManager.isAutoFocusTransferEnabled())
1553                 {
1554                     // Don't clear the global focus owner. If transferFocus
1555                     // fails, we want the focus to stay on the disabled
1556                     // Component so that keyboard traversal, et. al. still
1557                     // makes sense to the user.
1558                     transferFocus(false);
1559                 }
1560                 ComponentPeer peer = this.peer;
1561                 if (peer != null) {
1562                     peer.setEnabled(false);
1563                     if (visible && !getRecursivelyVisibleBounds().isEmpty()) {
1564                         updateCursorImmediately();
1565                     }
1566                 }
1567             }
1568             if (accessibleContext != null) {
1569                 accessibleContext.firePropertyChange(
1570                                                      AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
1571                                                      null, AccessibleState.ENABLED);
1572             }
1573         }
1574     }
1575 
1576     /**
1577      * Returns true if this component is painted to an offscreen image
1578      * ("buffer") that's copied to the screen later.  Component
1579      * subclasses that support double buffering should override this
1580      * method to return true if double buffering is enabled.
1581      *
1582      * @return false by default
1583      */
1584     public boolean isDoubleBuffered() {
1585         return false;
1586     }
1587 
1588     /**
1589      * Enables or disables input method support for this component. If input
1590      * method support is enabled and the component also processes key events,
1591      * incoming events are offered to
1592      * the current input method and will only be processed by the component or
1593      * dispatched to its listeners if the input method does not consume them.
1594      * By default, input method support is enabled.
1595      *
1596      * @param enable true to enable, false to disable
1597      * @see #processKeyEvent
1598      * @since 1.2
1599      */
1600     public void enableInputMethods(boolean enable) {
1601         if (enable) {
1602             if ((eventMask & AWTEvent.INPUT_METHODS_ENABLED_MASK) != 0)
1603                 return;
1604 
1605             // If this component already has focus, then activate the
1606             // input method by dispatching a synthesized focus gained
1607             // event.
1608             if (isFocusOwner()) {
1609                 InputContext inputContext = getInputContext();
1610                 if (inputContext != null) {
1611                     FocusEvent focusGainedEvent =
1612                         new FocusEvent(this, FocusEvent.FOCUS_GAINED);
1613                     inputContext.dispatchEvent(focusGainedEvent);
1614                 }
1615             }
1616 
1617             eventMask |= AWTEvent.INPUT_METHODS_ENABLED_MASK;
1618         } else {
1619             if ((eventMask & AWTEvent.INPUT_METHODS_ENABLED_MASK) != 0) {
1620                 InputContext inputContext = getInputContext();
1621                 if (inputContext != null) {
1622                     inputContext.endComposition();
1623                     inputContext.removeNotify(this);
1624                 }
1625             }
1626             eventMask &= ~AWTEvent.INPUT_METHODS_ENABLED_MASK;
1627         }
1628     }
1629 
1630     /**
1631      * Shows or hides this component depending on the value of parameter
1632      * <code>b</code>.
1633      * <p>
1634      * This method changes layout-related information, and therefore,
1635      * invalidates the component hierarchy.
1636      *
1637      * @param b  if <code>true</code>, shows this component;
1638      * otherwise, hides this component
1639      * @see #isVisible
1640      * @see #invalidate
1641      * @since 1.1
1642      */
1643     public void setVisible(boolean b) {
1644         show(b);
1645     }
1646 
1647     /**
1648      * @deprecated As of JDK version 1.1,
1649      * replaced by <code>setVisible(boolean)</code>.
1650      */
1651     @Deprecated
1652     public void show() {
1653         if (!visible) {
1654             synchronized (getTreeLock()) {
1655                 visible = true;
1656                 mixOnShowing();
1657                 ComponentPeer peer = this.peer;
1658                 if (peer != null) {
1659                     peer.setVisible(true);
1660                     createHierarchyEvents(HierarchyEvent.HIERARCHY_CHANGED,
1661                                           this, parent,
1662                                           HierarchyEvent.SHOWING_CHANGED,
1663                                           Toolkit.enabledOnToolkit(AWTEvent.HIERARCHY_EVENT_MASK));
1664                     if (peer instanceof LightweightPeer) {
1665                         repaint();
1666                     }
1667                     updateCursorImmediately();
1668                 }
1669 
1670                 if (componentListener != null ||
1671                     (eventMask & AWTEvent.COMPONENT_EVENT_MASK) != 0 ||
1672                     Toolkit.enabledOnToolkit(AWTEvent.COMPONENT_EVENT_MASK)) {
1673                     ComponentEvent e = new ComponentEvent(this,
1674                                                           ComponentEvent.COMPONENT_SHOWN);
1675                     Toolkit.getEventQueue().postEvent(e);
1676                 }
1677             }
1678             Container parent = this.parent;
1679             if (parent != null) {
1680                 parent.invalidate();
1681             }
1682         }
1683     }
1684 
1685     /**
1686      * Makes this component visible or invisible.
1687      *
1688      * @param  b {@code true} to make this component visible;
1689      *         otherwise {@code false}
1690      *
1691      * @deprecated As of JDK version 1.1,
1692      * replaced by <code>setVisible(boolean)</code>.
1693      */
1694     @Deprecated
1695     public void show(boolean b) {
1696         if (b) {
1697             show();
1698         } else {
1699             hide();
1700         }
1701     }
1702 
1703     boolean containsFocus() {
1704         return isFocusOwner();
1705     }
1706 
1707     void clearMostRecentFocusOwnerOnHide() {
1708         KeyboardFocusManager.clearMostRecentFocusOwner(this);
1709     }
1710 
1711     void clearCurrentFocusCycleRootOnHide() {
1712         /* do nothing */
1713     }
1714 
1715     /**
1716      * @deprecated As of JDK version 1.1,
1717      * replaced by <code>setVisible(boolean)</code>.
1718      */
1719     @Deprecated
1720     public void hide() {
1721         isPacked = false;
1722 
1723         if (visible) {
1724             clearCurrentFocusCycleRootOnHide();
1725             clearMostRecentFocusOwnerOnHide();
1726             synchronized (getTreeLock()) {
1727                 visible = false;
1728                 mixOnHiding(isLightweight());
1729                 if (containsFocus() && KeyboardFocusManager.isAutoFocusTransferEnabled()) {
1730                     transferFocus(true);
1731                 }
1732                 ComponentPeer peer = this.peer;
1733                 if (peer != null) {
1734                     peer.setVisible(false);
1735                     createHierarchyEvents(HierarchyEvent.HIERARCHY_CHANGED,
1736                                           this, parent,
1737                                           HierarchyEvent.SHOWING_CHANGED,
1738                                           Toolkit.enabledOnToolkit(AWTEvent.HIERARCHY_EVENT_MASK));
1739                     if (peer instanceof LightweightPeer) {
1740                         repaint();
1741                     }
1742                     updateCursorImmediately();
1743                 }
1744                 if (componentListener != null ||
1745                     (eventMask & AWTEvent.COMPONENT_EVENT_MASK) != 0 ||
1746                     Toolkit.enabledOnToolkit(AWTEvent.COMPONENT_EVENT_MASK)) {
1747                     ComponentEvent e = new ComponentEvent(this,
1748                                                           ComponentEvent.COMPONENT_HIDDEN);
1749                     Toolkit.getEventQueue().postEvent(e);
1750                 }
1751             }
1752             Container parent = this.parent;
1753             if (parent != null) {
1754                 parent.invalidate();
1755             }
1756         }
1757     }
1758 
1759     /**
1760      * Gets the foreground color of this component.
1761      * @return this component's foreground color; if this component does
1762      * not have a foreground color, the foreground color of its parent
1763      * is returned
1764      * @see #setForeground
1765      * @since 1.0
1766      * @beaninfo
1767      *       bound: true
1768      */
1769     @Transient
1770     public Color getForeground() {
1771         Color foreground = this.foreground;
1772         if (foreground != null) {
1773             return foreground;
1774         }
1775         Container parent = this.parent;
1776         return (parent != null) ? parent.getForeground() : null;
1777     }
1778 
1779     /**
1780      * Sets the foreground color of this component.
1781      * @param c the color to become this component's
1782      *          foreground color; if this parameter is <code>null</code>
1783      *          then this component will inherit
1784      *          the foreground color of its parent
1785      * @see #getForeground
1786      * @since 1.0
1787      */
1788     public void setForeground(Color c) {
1789         Color oldColor = foreground;
1790         ComponentPeer peer = this.peer;
1791         foreground = c;
1792         if (peer != null) {
1793             c = getForeground();
1794             if (c != null) {
1795                 peer.setForeground(c);
1796             }
1797         }
1798         // This is a bound property, so report the change to
1799         // any registered listeners.  (Cheap if there are none.)
1800         firePropertyChange("foreground", oldColor, c);
1801     }
1802 
1803     /**
1804      * Returns whether the foreground color has been explicitly set for this
1805      * Component. If this method returns <code>false</code>, this Component is
1806      * inheriting its foreground color from an ancestor.
1807      *
1808      * @return <code>true</code> if the foreground color has been explicitly
1809      *         set for this Component; <code>false</code> otherwise.
1810      * @since 1.4
1811      */
1812     public boolean isForegroundSet() {
1813         return (foreground != null);
1814     }
1815 
1816     /**
1817      * Gets the background color of this component.
1818      * @return this component's background color; if this component does
1819      *          not have a background color,
1820      *          the background color of its parent is returned
1821      * @see #setBackground
1822      * @since 1.0
1823      */
1824     @Transient
1825     public Color getBackground() {
1826         Color background = this.background;
1827         if (background != null) {
1828             return background;
1829         }
1830         Container parent = this.parent;
1831         return (parent != null) ? parent.getBackground() : null;
1832     }
1833 
1834     /**
1835      * Sets the background color of this component.
1836      * <p>
1837      * The background color affects each component differently and the
1838      * parts of the component that are affected by the background color
1839      * may differ between operating systems.
1840      *
1841      * @param c the color to become this component's color;
1842      *          if this parameter is <code>null</code>, then this
1843      *          component will inherit the background color of its parent
1844      * @see #getBackground
1845      * @since 1.0
1846      * @beaninfo
1847      *       bound: true
1848      */
1849     public void setBackground(Color c) {
1850         Color oldColor = background;
1851         ComponentPeer peer = this.peer;
1852         background = c;
1853         if (peer != null) {
1854             c = getBackground();
1855             if (c != null) {
1856                 peer.setBackground(c);
1857             }
1858         }
1859         // This is a bound property, so report the change to
1860         // any registered listeners.  (Cheap if there are none.)
1861         firePropertyChange("background", oldColor, c);
1862     }
1863 
1864     /**
1865      * Returns whether the background color has been explicitly set for this
1866      * Component. If this method returns <code>false</code>, this Component is
1867      * inheriting its background color from an ancestor.
1868      *
1869      * @return <code>true</code> if the background color has been explicitly
1870      *         set for this Component; <code>false</code> otherwise.
1871      * @since 1.4
1872      */
1873     public boolean isBackgroundSet() {
1874         return (background != null);
1875     }
1876 
1877     /**
1878      * Gets the font of this component.
1879      * @return this component's font; if a font has not been set
1880      * for this component, the font of its parent is returned
1881      * @see #setFont
1882      * @since 1.0
1883      */
1884     @Transient
1885     public Font getFont() {
1886         return getFont_NoClientCode();
1887     }
1888 
1889     // NOTE: This method may be called by privileged threads.
1890     //       This functionality is implemented in a package-private method
1891     //       to insure that it cannot be overridden by client subclasses.
1892     //       DO NOT INVOKE CLIENT CODE ON THIS THREAD!
1893     final Font getFont_NoClientCode() {
1894         Font font = this.font;
1895         if (font != null) {
1896             return font;
1897         }
1898         Container parent = this.parent;
1899         return (parent != null) ? parent.getFont_NoClientCode() : null;
1900     }
1901 
1902     /**
1903      * Sets the font of this component.
1904      * <p>
1905      * This method changes layout-related information, and therefore,
1906      * invalidates the component hierarchy.
1907      *
1908      * @param f the font to become this component's font;
1909      *          if this parameter is <code>null</code> then this
1910      *          component will inherit the font of its parent
1911      * @see #getFont
1912      * @see #invalidate
1913      * @since 1.0
1914      * @beaninfo
1915      *       bound: true
1916      */
1917     public void setFont(Font f) {
1918         Font oldFont, newFont;
1919         synchronized(getTreeLock()) {
1920             oldFont = font;
1921             newFont = font = f;
1922             ComponentPeer peer = this.peer;
1923             if (peer != null) {
1924                 f = getFont();
1925                 if (f != null) {
1926                     peer.setFont(f);
1927                     peerFont = f;
1928                 }
1929             }
1930         }
1931         // This is a bound property, so report the change to
1932         // any registered listeners.  (Cheap if there are none.)
1933         firePropertyChange("font", oldFont, newFont);
1934 
1935         // This could change the preferred size of the Component.
1936         // Fix for 6213660. Should compare old and new fonts and do not
1937         // call invalidate() if they are equal.
1938         if (f != oldFont && (oldFont == null ||
1939                                       !oldFont.equals(f))) {
1940             invalidateIfValid();
1941         }
1942     }
1943 
1944     /**
1945      * Returns whether the font has been explicitly set for this Component. If
1946      * this method returns <code>false</code>, this Component is inheriting its
1947      * font from an ancestor.
1948      *
1949      * @return <code>true</code> if the font has been explicitly set for this
1950      *         Component; <code>false</code> otherwise.
1951      * @since 1.4
1952      */
1953     public boolean isFontSet() {
1954         return (font != null);
1955     }
1956 
1957     /**
1958      * Gets the locale of this component.
1959      * @return this component's locale; if this component does not
1960      *          have a locale, the locale of its parent is returned
1961      * @see #setLocale
1962      * @exception IllegalComponentStateException if the <code>Component</code>
1963      *          does not have its own locale and has not yet been added to
1964      *          a containment hierarchy such that the locale can be determined
1965      *          from the containing parent
1966      * @since  1.1
1967      */
1968     public Locale getLocale() {
1969         Locale locale = this.locale;
1970         if (locale != null) {
1971             return locale;
1972         }
1973         Container parent = this.parent;
1974 
1975         if (parent == null) {
1976             throw new IllegalComponentStateException("This component must have a parent in order to determine its locale");
1977         } else {
1978             return parent.getLocale();
1979         }
1980     }
1981 
1982     /**
1983      * Sets the locale of this component.  This is a bound property.
1984      * <p>
1985      * This method changes layout-related information, and therefore,
1986      * invalidates the component hierarchy.
1987      *
1988      * @param l the locale to become this component's locale
1989      * @see #getLocale
1990      * @see #invalidate
1991      * @since 1.1
1992      */
1993     public void setLocale(Locale l) {
1994         Locale oldValue = locale;
1995         locale = l;
1996 
1997         // This is a bound property, so report the change to
1998         // any registered listeners.  (Cheap if there are none.)
1999         firePropertyChange("locale", oldValue, l);
2000 
2001         // This could change the preferred size of the Component.
2002         invalidateIfValid();
2003     }
2004 
2005     /**
2006      * Gets the instance of <code>ColorModel</code> used to display
2007      * the component on the output device.
2008      * @return the color model used by this component
2009      * @see java.awt.image.ColorModel
2010      * @see java.awt.peer.ComponentPeer#getColorModel()
2011      * @see Toolkit#getColorModel()
2012      * @since 1.0
2013      */
2014     public ColorModel getColorModel() {
2015         ComponentPeer peer = this.peer;
2016         if ((peer != null) && ! (peer instanceof LightweightPeer)) {
2017             return peer.getColorModel();
2018         } else if (GraphicsEnvironment.isHeadless()) {
2019             return ColorModel.getRGBdefault();
2020         } // else
2021         return getToolkit().getColorModel();
2022     }
2023 
2024     /**
2025      * Gets the location of this component in the form of a
2026      * point specifying the component's top-left corner.
2027      * The location will be relative to the parent's coordinate space.
2028      * <p>
2029      * Due to the asynchronous nature of native event handling, this
2030      * method can return outdated values (for instance, after several calls
2031      * of <code>setLocation()</code> in rapid succession).  For this
2032      * reason, the recommended method of obtaining a component's position is
2033      * within <code>java.awt.event.ComponentListener.componentMoved()</code>,
2034      * which is called after the operating system has finished moving the
2035      * component.
2036      * </p>
2037      * @return an instance of <code>Point</code> representing
2038      *          the top-left corner of the component's bounds in
2039      *          the coordinate space of the component's parent
2040      * @see #setLocation
2041      * @see #getLocationOnScreen
2042      * @since 1.1
2043      */
2044     public Point getLocation() {
2045         return location();
2046     }
2047 
2048     /**
2049      * Gets the location of this component in the form of a point
2050      * specifying the component's top-left corner in the screen's
2051      * coordinate space.
2052      * @return an instance of <code>Point</code> representing
2053      *          the top-left corner of the component's bounds in the
2054      *          coordinate space of the screen
2055      * @throws IllegalComponentStateException if the
2056      *          component is not showing on the screen
2057      * @see #setLocation
2058      * @see #getLocation
2059      */
2060     public Point getLocationOnScreen() {
2061         synchronized (getTreeLock()) {
2062             return getLocationOnScreen_NoTreeLock();
2063         }
2064     }
2065 
2066     /*
2067      * a package private version of getLocationOnScreen
2068      * used by GlobalCursormanager to update cursor
2069      */
2070     final Point getLocationOnScreen_NoTreeLock() {
2071 
2072         if (peer != null && isShowing()) {
2073             if (peer instanceof LightweightPeer) {
2074                 // lightweight component location needs to be translated
2075                 // relative to a native component.
2076                 Container host = getNativeContainer();
2077                 Point pt = host.peer.getLocationOnScreen();
2078                 for(Component c = this; c != host; c = c.getParent()) {
2079                     pt.x += c.x;
2080                     pt.y += c.y;
2081                 }
2082                 return pt;
2083             } else {
2084                 Point pt = peer.getLocationOnScreen();
2085                 return pt;
2086             }
2087         } else {
2088             throw new IllegalComponentStateException("component must be showing on the screen to determine its location");
2089         }
2090     }
2091 
2092 
2093     /**
2094      * Returns the location of this component's top left corner.
2095      *
2096      * @return the location of this component's top left corner
2097      * @deprecated As of JDK version 1.1,
2098      * replaced by <code>getLocation()</code>.
2099      */
2100     @Deprecated
2101     public Point location() {
2102         return location_NoClientCode();
2103     }
2104 
2105     private Point location_NoClientCode() {
2106         return new Point(x, y);
2107     }
2108 
2109     /**
2110      * Moves this component to a new location. The top-left corner of
2111      * the new location is specified by the <code>x</code> and <code>y</code>
2112      * parameters in the coordinate space of this component's parent.
2113      * <p>
2114      * This method changes layout-related information, and therefore,
2115      * invalidates the component hierarchy.
2116      *
2117      * @param x the <i>x</i>-coordinate of the new location's
2118      *          top-left corner in the parent's coordinate space
2119      * @param y the <i>y</i>-coordinate of the new location's
2120      *          top-left corner in the parent's coordinate space
2121      * @see #getLocation
2122      * @see #setBounds
2123      * @see #invalidate
2124      * @since 1.1
2125      */
2126     public void setLocation(int x, int y) {
2127         move(x, y);
2128     }
2129 
2130     /**
2131      * Moves this component to a new location.
2132      *
2133      * @param  x the <i>x</i>-coordinate of the new location's
2134      *           top-left corner in the parent's coordinate space
2135      * @param  y the <i>y</i>-coordinate of the new location's
2136      *           top-left corner in the parent's coordinate space
2137      *
2138      * @deprecated As of JDK version 1.1,
2139      * replaced by <code>setLocation(int, int)</code>.
2140      */
2141     @Deprecated
2142     public void move(int x, int y) {
2143         synchronized(getTreeLock()) {
2144             setBoundsOp(ComponentPeer.SET_LOCATION);
2145             setBounds(x, y, width, height);
2146         }
2147     }
2148 
2149     /**
2150      * Moves this component to a new location. The top-left corner of
2151      * the new location is specified by point <code>p</code>. Point
2152      * <code>p</code> is given in the parent's coordinate space.
2153      * <p>
2154      * This method changes layout-related information, and therefore,
2155      * invalidates the component hierarchy.
2156      *
2157      * @param p the point defining the top-left corner
2158      *          of the new location, given in the coordinate space of this
2159      *          component's parent
2160      * @see #getLocation
2161      * @see #setBounds
2162      * @see #invalidate
2163      * @since 1.1
2164      */
2165     public void setLocation(Point p) {
2166         setLocation(p.x, p.y);
2167     }
2168 
2169     /**
2170      * Returns the size of this component in the form of a
2171      * <code>Dimension</code> object. The <code>height</code>
2172      * field of the <code>Dimension</code> object contains
2173      * this component's height, and the <code>width</code>
2174      * field of the <code>Dimension</code> object contains
2175      * this component's width.
2176      * @return a <code>Dimension</code> object that indicates the
2177      *          size of this component
2178      * @see #setSize
2179      * @since 1.1
2180      */
2181     public Dimension getSize() {
2182         return size();
2183     }
2184 
2185     /**
2186      * Returns the size of this component in the form of a
2187      * {@code Dimension} object.
2188      *
2189      * @return the {@code Dimension} object that indicates the
2190      *         size of this component
2191      * @deprecated As of JDK version 1.1,
2192      * replaced by <code>getSize()</code>.
2193      */
2194     @Deprecated
2195     public Dimension size() {
2196         return new Dimension(width, height);
2197     }
2198 
2199     /**
2200      * Resizes this component so that it has width <code>width</code>
2201      * and height <code>height</code>.
2202      * <p>
2203      * This method changes layout-related information, and therefore,
2204      * invalidates the component hierarchy.
2205      *
2206      * @param width the new width of this component in pixels
2207      * @param height the new height of this component in pixels
2208      * @see #getSize
2209      * @see #setBounds
2210      * @see #invalidate
2211      * @since 1.1
2212      */
2213     public void setSize(int width, int height) {
2214         resize(width, height);
2215     }
2216 
2217     /**
2218      * Resizes this component.
2219      *
2220      * @param  width the new width of the component
2221      * @param  height the new height of the component
2222      * @deprecated As of JDK version 1.1,
2223      * replaced by <code>setSize(int, int)</code>.
2224      */
2225     @Deprecated
2226     public void resize(int width, int height) {
2227         synchronized(getTreeLock()) {
2228             setBoundsOp(ComponentPeer.SET_SIZE);
2229             setBounds(x, y, width, height);
2230         }
2231     }
2232 
2233     /**
2234      * Resizes this component so that it has width <code>d.width</code>
2235      * and height <code>d.height</code>.
2236      * <p>
2237      * This method changes layout-related information, and therefore,
2238      * invalidates the component hierarchy.
2239      *
2240      * @param d the dimension specifying the new size
2241      *          of this component
2242      * @throws NullPointerException if {@code d} is {@code null}
2243      * @see #setSize
2244      * @see #setBounds
2245      * @see #invalidate
2246      * @since 1.1
2247      */
2248     public void setSize(Dimension d) {
2249         resize(d);
2250     }
2251 
2252     /**
2253      * Resizes this component so that it has width {@code d.width}
2254      * and height {@code d.height}.
2255      *
2256      * @param  d the new size of this component
2257      * @deprecated As of JDK version 1.1,
2258      * replaced by <code>setSize(Dimension)</code>.
2259      */
2260     @Deprecated
2261     public void resize(Dimension d) {
2262         setSize(d.width, d.height);
2263     }
2264 
2265     /**
2266      * Gets the bounds of this component in the form of a
2267      * <code>Rectangle</code> object. The bounds specify this
2268      * component's width, height, and location relative to
2269      * its parent.
2270      * @return a rectangle indicating this component's bounds
2271      * @see #setBounds
2272      * @see #getLocation
2273      * @see #getSize
2274      */
2275     public Rectangle getBounds() {
2276         return bounds();
2277     }
2278 
2279     /**
2280      * Returns the bounding rectangle of this component.
2281      *
2282      * @return the bounding rectangle for this component
2283      * @deprecated As of JDK version 1.1,
2284      * replaced by <code>getBounds()</code>.
2285      */
2286     @Deprecated
2287     public Rectangle bounds() {
2288         return new Rectangle(x, y, width, height);
2289     }
2290 
2291     /**
2292      * Moves and resizes this component. The new location of the top-left
2293      * corner is specified by <code>x</code> and <code>y</code>, and the
2294      * new size is specified by <code>width</code> and <code>height</code>.
2295      * <p>
2296      * This method changes layout-related information, and therefore,
2297      * invalidates the component hierarchy.
2298      *
2299      * @param x the new <i>x</i>-coordinate of this component
2300      * @param y the new <i>y</i>-coordinate of this component
2301      * @param width the new <code>width</code> of this component
2302      * @param height the new <code>height</code> of this
2303      *          component
2304      * @see #getBounds
2305      * @see #setLocation(int, int)
2306      * @see #setLocation(Point)
2307      * @see #setSize(int, int)
2308      * @see #setSize(Dimension)
2309      * @see #invalidate
2310      * @since 1.1
2311      */
2312     public void setBounds(int x, int y, int width, int height) {
2313         reshape(x, y, width, height);
2314     }
2315 
2316     /**
2317      * Reshapes the bounding rectangle for this component.
2318      *
2319      * @param  x the <i>x</i> coordinate of the upper left corner of the rectangle
2320      * @param  y the <i>y</i> coordinate of the upper left corner of the rectangle
2321      * @param  width the width of the rectangle
2322      * @param  height the height of the rectangle
2323      *
2324      * @deprecated As of JDK version 1.1,
2325      * replaced by <code>setBounds(int, int, int, int)</code>.
2326      */
2327     @Deprecated
2328     public void reshape(int x, int y, int width, int height) {
2329         synchronized (getTreeLock()) {
2330             try {
2331                 setBoundsOp(ComponentPeer.SET_BOUNDS);
2332                 boolean resized = (this.width != width) || (this.height != height);
2333                 boolean moved = (this.x != x) || (this.y != y);
2334                 if (!resized && !moved) {
2335                     return;
2336                 }
2337                 int oldX = this.x;
2338                 int oldY = this.y;
2339                 int oldWidth = this.width;
2340                 int oldHeight = this.height;
2341                 this.x = x;
2342                 this.y = y;
2343                 this.width = width;
2344                 this.height = height;
2345 
2346                 if (resized) {
2347                     isPacked = false;
2348                 }
2349 
2350                 boolean needNotify = true;
2351                 mixOnReshaping();
2352                 if (peer != null) {
2353                     // LightweightPeer is an empty stub so can skip peer.reshape
2354                     if (!(peer instanceof LightweightPeer)) {
2355                         reshapeNativePeer(x, y, width, height, getBoundsOp());
2356                         // Check peer actually changed coordinates
2357                         resized = (oldWidth != this.width) || (oldHeight != this.height);
2358                         moved = (oldX != this.x) || (oldY != this.y);
2359                         // fix for 5025858: do not send ComponentEvents for toplevel
2360                         // windows here as it is done from peer or native code when
2361                         // the window is really resized or moved, otherwise some
2362                         // events may be sent twice
2363                         if (this instanceof Window) {
2364                             needNotify = false;
2365                         }
2366                     }
2367                     if (resized) {
2368                         invalidate();
2369                     }
2370                     if (parent != null) {
2371                         parent.invalidateIfValid();
2372                     }
2373                 }
2374                 if (needNotify) {
2375                     notifyNewBounds(resized, moved);
2376                 }
2377                 repaintParentIfNeeded(oldX, oldY, oldWidth, oldHeight);
2378             } finally {
2379                 setBoundsOp(ComponentPeer.RESET_OPERATION);
2380             }
2381         }
2382     }
2383 
2384     private void repaintParentIfNeeded(int oldX, int oldY, int oldWidth,
2385                                        int oldHeight)
2386     {
2387         if (parent != null && peer instanceof LightweightPeer && isShowing()) {
2388             // Have the parent redraw the area this component occupied.
2389             parent.repaint(oldX, oldY, oldWidth, oldHeight);
2390             // Have the parent redraw the area this component *now* occupies.
2391             repaint();
2392         }
2393     }
2394 
2395     private void reshapeNativePeer(int x, int y, int width, int height, int op) {
2396         // native peer might be offset by more than direct
2397         // parent since parent might be lightweight.
2398         int nativeX = x;
2399         int nativeY = y;
2400         for (Component c = parent;
2401              (c != null) && (c.peer instanceof LightweightPeer);
2402              c = c.parent)
2403         {
2404             nativeX += c.x;
2405             nativeY += c.y;
2406         }
2407         peer.setBounds(nativeX, nativeY, width, height, op);
2408     }
2409 
2410     @SuppressWarnings("deprecation")
2411     private void notifyNewBounds(boolean resized, boolean moved) {
2412         if (componentListener != null
2413             || (eventMask & AWTEvent.COMPONENT_EVENT_MASK) != 0
2414             || Toolkit.enabledOnToolkit(AWTEvent.COMPONENT_EVENT_MASK))
2415             {
2416                 if (resized) {
2417                     ComponentEvent e = new ComponentEvent(this,
2418                                                           ComponentEvent.COMPONENT_RESIZED);
2419                     Toolkit.getEventQueue().postEvent(e);
2420                 }
2421                 if (moved) {
2422                     ComponentEvent e = new ComponentEvent(this,
2423                                                           ComponentEvent.COMPONENT_MOVED);
2424                     Toolkit.getEventQueue().postEvent(e);
2425                 }
2426             } else {
2427                 if (this instanceof Container && ((Container)this).countComponents() > 0) {
2428                     boolean enabledOnToolkit =
2429                         Toolkit.enabledOnToolkit(AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK);
2430                     if (resized) {
2431 
2432                         ((Container)this).createChildHierarchyEvents(
2433                                                                      HierarchyEvent.ANCESTOR_RESIZED, 0, enabledOnToolkit);
2434                     }
2435                     if (moved) {
2436                         ((Container)this).createChildHierarchyEvents(
2437                                                                      HierarchyEvent.ANCESTOR_MOVED, 0, enabledOnToolkit);
2438                     }
2439                 }
2440                 }
2441     }
2442 
2443     /**
2444      * Moves and resizes this component to conform to the new
2445      * bounding rectangle <code>r</code>. This component's new
2446      * position is specified by <code>r.x</code> and <code>r.y</code>,
2447      * and its new size is specified by <code>r.width</code> and
2448      * <code>r.height</code>
2449      * <p>
2450      * This method changes layout-related information, and therefore,
2451      * invalidates the component hierarchy.
2452      *
2453      * @param r the new bounding rectangle for this component
2454      * @throws NullPointerException if {@code r} is {@code null}
2455      * @see       #getBounds
2456      * @see       #setLocation(int, int)
2457      * @see       #setLocation(Point)
2458      * @see       #setSize(int, int)
2459      * @see       #setSize(Dimension)
2460      * @see #invalidate
2461      * @since     1.1
2462      */
2463     public void setBounds(Rectangle r) {
2464         setBounds(r.x, r.y, r.width, r.height);
2465     }
2466 
2467 
2468     /**
2469      * Returns the current x coordinate of the components origin.
2470      * This method is preferable to writing
2471      * <code>component.getBounds().x</code>,
2472      * or <code>component.getLocation().x</code> because it doesn't
2473      * cause any heap allocations.
2474      *
2475      * @return the current x coordinate of the components origin
2476      * @since 1.2
2477      */
2478     public int getX() {
2479         return x;
2480     }
2481 
2482 
2483     /**
2484      * Returns the current y coordinate of the components origin.
2485      * This method is preferable to writing
2486      * <code>component.getBounds().y</code>,
2487      * or <code>component.getLocation().y</code> because it
2488      * doesn't cause any heap allocations.
2489      *
2490      * @return the current y coordinate of the components origin
2491      * @since 1.2
2492      */
2493     public int getY() {
2494         return y;
2495     }
2496 
2497 
2498     /**
2499      * Returns the current width of this component.
2500      * This method is preferable to writing
2501      * <code>component.getBounds().width</code>,
2502      * or <code>component.getSize().width</code> because it
2503      * doesn't cause any heap allocations.
2504      *
2505      * @return the current width of this component
2506      * @since 1.2
2507      */
2508     public int getWidth() {
2509         return width;
2510     }
2511 
2512 
2513     /**
2514      * Returns the current height of this component.
2515      * This method is preferable to writing
2516      * <code>component.getBounds().height</code>,
2517      * or <code>component.getSize().height</code> because it
2518      * doesn't cause any heap allocations.
2519      *
2520      * @return the current height of this component
2521      * @since 1.2
2522      */
2523     public int getHeight() {
2524         return height;
2525     }
2526 
2527     /**
2528      * Stores the bounds of this component into "return value" <b>rv</b> and
2529      * return <b>rv</b>.  If rv is <code>null</code> a new
2530      * <code>Rectangle</code> is allocated.
2531      * This version of <code>getBounds</code> is useful if the caller
2532      * wants to avoid allocating a new <code>Rectangle</code> object
2533      * on the heap.
2534      *
2535      * @param rv the return value, modified to the components bounds
2536      * @return rv
2537      */
2538     public Rectangle getBounds(Rectangle rv) {
2539         if (rv == null) {
2540             return new Rectangle(getX(), getY(), getWidth(), getHeight());
2541         }
2542         else {
2543             rv.setBounds(getX(), getY(), getWidth(), getHeight());
2544             return rv;
2545         }
2546     }
2547 
2548     /**
2549      * Stores the width/height of this component into "return value" <b>rv</b>
2550      * and return <b>rv</b>.   If rv is <code>null</code> a new
2551      * <code>Dimension</code> object is allocated.  This version of
2552      * <code>getSize</code> is useful if the caller wants to avoid
2553      * allocating a new <code>Dimension</code> object on the heap.
2554      *
2555      * @param rv the return value, modified to the components size
2556      * @return rv
2557      */
2558     public Dimension getSize(Dimension rv) {
2559         if (rv == null) {
2560             return new Dimension(getWidth(), getHeight());
2561         }
2562         else {
2563             rv.setSize(getWidth(), getHeight());
2564             return rv;
2565         }
2566     }
2567 
2568     /**
2569      * Stores the x,y origin of this component into "return value" <b>rv</b>
2570      * and return <b>rv</b>.   If rv is <code>null</code> a new
2571      * <code>Point</code> is allocated.
2572      * This version of <code>getLocation</code> is useful if the
2573      * caller wants to avoid allocating a new <code>Point</code>
2574      * object on the heap.
2575      *
2576      * @param rv the return value, modified to the components location
2577      * @return rv
2578      */
2579     public Point getLocation(Point rv) {
2580         if (rv == null) {
2581             return new Point(getX(), getY());
2582         }
2583         else {
2584             rv.setLocation(getX(), getY());
2585             return rv;
2586         }
2587     }
2588 
2589     /**
2590      * Returns true if this component is completely opaque, returns
2591      * false by default.
2592      * <p>
2593      * An opaque component paints every pixel within its
2594      * rectangular region. A non-opaque component paints only some of
2595      * its pixels, allowing the pixels underneath it to "show through".
2596      * A component that does not fully paint its pixels therefore
2597      * provides a degree of transparency.
2598      * <p>
2599      * Subclasses that guarantee to always completely paint their
2600      * contents should override this method and return true.
2601      *
2602      * @return true if this component is completely opaque
2603      * @see #isLightweight
2604      * @since 1.2
2605      */
2606     public boolean isOpaque() {
2607         if (peer == null) {
2608             return false;
2609         }
2610         else {
2611             return !isLightweight();
2612         }
2613     }
2614 
2615 
2616     /**
2617      * A lightweight component doesn't have a native toolkit peer.
2618      * Subclasses of <code>Component</code> and <code>Container</code>,
2619      * other than the ones defined in this package like <code>Button</code>
2620      * or <code>Scrollbar</code>, are lightweight.
2621      * All of the Swing components are lightweights.
2622      * <p>
2623      * This method will always return <code>false</code> if this component
2624      * is not displayable because it is impossible to determine the
2625      * weight of an undisplayable component.
2626      *
2627      * @return true if this component has a lightweight peer; false if
2628      *         it has a native peer or no peer
2629      * @see #isDisplayable
2630      * @since 1.2
2631      */
2632     public boolean isLightweight() {
2633         return peer instanceof LightweightPeer;
2634     }
2635 
2636 
2637     /**
2638      * Sets the preferred size of this component to a constant
2639      * value.  Subsequent calls to <code>getPreferredSize</code> will always
2640      * return this value.  Setting the preferred size to <code>null</code>
2641      * restores the default behavior.
2642      *
2643      * @param preferredSize The new preferred size, or null
2644      * @see #getPreferredSize
2645      * @see #isPreferredSizeSet
2646      * @since 1.5
2647      */
2648     public void setPreferredSize(Dimension preferredSize) {
2649         Dimension old;
2650         // If the preferred size was set, use it as the old value, otherwise
2651         // use null to indicate we didn't previously have a set preferred
2652         // size.
2653         if (prefSizeSet) {
2654             old = this.prefSize;
2655         }
2656         else {
2657             old = null;
2658         }
2659         this.prefSize = preferredSize;
2660         prefSizeSet = (preferredSize != null);
2661         firePropertyChange("preferredSize", old, preferredSize);
2662     }
2663 
2664 
2665     /**
2666      * Returns true if the preferred size has been set to a
2667      * non-<code>null</code> value otherwise returns false.
2668      *
2669      * @return true if <code>setPreferredSize</code> has been invoked
2670      *         with a non-null value.
2671      * @since 1.5
2672      */
2673     public boolean isPreferredSizeSet() {
2674         return prefSizeSet;
2675     }
2676 
2677 
2678     /**
2679      * Gets the preferred size of this component.
2680      * @return a dimension object indicating this component's preferred size
2681      * @see #getMinimumSize
2682      * @see LayoutManager
2683      */
2684     public Dimension getPreferredSize() {
2685         return preferredSize();
2686     }
2687 
2688 
2689     /**
2690      * Returns the component's preferred size.
2691      *
2692      * @return the component's preferred size
2693      * @deprecated As of JDK version 1.1,
2694      * replaced by <code>getPreferredSize()</code>.
2695      */
2696     @Deprecated
2697     public Dimension preferredSize() {
2698         /* Avoid grabbing the lock if a reasonable cached size value
2699          * is available.
2700          */
2701         Dimension dim = prefSize;
2702         if (dim == null || !(isPreferredSizeSet() || isValid())) {
2703             synchronized (getTreeLock()) {
2704                 prefSize = (peer != null) ?
2705                     peer.getPreferredSize() :
2706                     getMinimumSize();
2707                 dim = prefSize;
2708             }
2709         }
2710         return new Dimension(dim);
2711     }
2712 
2713     /**
2714      * Sets the minimum size of this component to a constant
2715      * value.  Subsequent calls to <code>getMinimumSize</code> will always
2716      * return this value.  Setting the minimum size to <code>null</code>
2717      * restores the default behavior.
2718      *
2719      * @param minimumSize the new minimum size of this component
2720      * @see #getMinimumSize
2721      * @see #isMinimumSizeSet
2722      * @since 1.5
2723      */
2724     public void setMinimumSize(Dimension minimumSize) {
2725         Dimension old;
2726         // If the minimum size was set, use it as the old value, otherwise
2727         // use null to indicate we didn't previously have a set minimum
2728         // size.
2729         if (minSizeSet) {
2730             old = this.minSize;
2731         }
2732         else {
2733             old = null;
2734         }
2735         this.minSize = minimumSize;
2736         minSizeSet = (minimumSize != null);
2737         firePropertyChange("minimumSize", old, minimumSize);
2738     }
2739 
2740     /**
2741      * Returns whether or not <code>setMinimumSize</code> has been
2742      * invoked with a non-null value.
2743      *
2744      * @return true if <code>setMinimumSize</code> has been invoked with a
2745      *              non-null value.
2746      * @since 1.5
2747      */
2748     public boolean isMinimumSizeSet() {
2749         return minSizeSet;
2750     }
2751 
2752     /**
2753      * Gets the minimum size of this component.
2754      * @return a dimension object indicating this component's minimum size
2755      * @see #getPreferredSize
2756      * @see LayoutManager
2757      */
2758     public Dimension getMinimumSize() {
2759         return minimumSize();
2760     }
2761 
2762     /**
2763      * Returns the minimum size of this component.
2764      *
2765      * @return the minimum size of this component
2766      * @deprecated As of JDK version 1.1,
2767      * replaced by <code>getMinimumSize()</code>.
2768      */
2769     @Deprecated
2770     public Dimension minimumSize() {
2771         /* Avoid grabbing the lock if a reasonable cached size value
2772          * is available.
2773          */
2774         Dimension dim = minSize;
2775         if (dim == null || !(isMinimumSizeSet() || isValid())) {
2776             synchronized (getTreeLock()) {
2777                 minSize = (peer != null) ?
2778                     peer.getMinimumSize() :
2779                     size();
2780                 dim = minSize;
2781             }
2782         }
2783         return new Dimension(dim);
2784     }
2785 
2786     /**
2787      * Sets the maximum size of this component to a constant
2788      * value.  Subsequent calls to <code>getMaximumSize</code> will always
2789      * return this value.  Setting the maximum size to <code>null</code>
2790      * restores the default behavior.
2791      *
2792      * @param maximumSize a <code>Dimension</code> containing the
2793      *          desired maximum allowable size
2794      * @see #getMaximumSize
2795      * @see #isMaximumSizeSet
2796      * @since 1.5
2797      */
2798     public void setMaximumSize(Dimension maximumSize) {
2799         // If the maximum size was set, use it as the old value, otherwise
2800         // use null to indicate we didn't previously have a set maximum
2801         // size.
2802         Dimension old;
2803         if (maxSizeSet) {
2804             old = this.maxSize;
2805         }
2806         else {
2807             old = null;
2808         }
2809         this.maxSize = maximumSize;
2810         maxSizeSet = (maximumSize != null);
2811         firePropertyChange("maximumSize", old, maximumSize);
2812     }
2813 
2814     /**
2815      * Returns true if the maximum size has been set to a non-<code>null</code>
2816      * value otherwise returns false.
2817      *
2818      * @return true if <code>maximumSize</code> is non-<code>null</code>,
2819      *          false otherwise
2820      * @since 1.5
2821      */
2822     public boolean isMaximumSizeSet() {
2823         return maxSizeSet;
2824     }
2825 
2826     /**
2827      * Gets the maximum size of this component.
2828      * @return a dimension object indicating this component's maximum size
2829      * @see #getMinimumSize
2830      * @see #getPreferredSize
2831      * @see LayoutManager
2832      */
2833     public Dimension getMaximumSize() {
2834         if (isMaximumSizeSet()) {
2835             return new Dimension(maxSize);
2836         }
2837         return new Dimension(Short.MAX_VALUE, Short.MAX_VALUE);
2838     }
2839 
2840     /**
2841      * Returns the alignment along the x axis.  This specifies how
2842      * the component would like to be aligned relative to other
2843      * components.  The value should be a number between 0 and 1
2844      * where 0 represents alignment along the origin, 1 is aligned
2845      * the furthest away from the origin, 0.5 is centered, etc.
2846      *
2847      * @return the horizontal alignment of this component
2848      */
2849     public float getAlignmentX() {
2850         return CENTER_ALIGNMENT;
2851     }
2852 
2853     /**
2854      * Returns the alignment along the y axis.  This specifies how
2855      * the component would like to be aligned relative to other
2856      * components.  The value should be a number between 0 and 1
2857      * where 0 represents alignment along the origin, 1 is aligned
2858      * the furthest away from the origin, 0.5 is centered, etc.
2859      *
2860      * @return the vertical alignment of this component
2861      */
2862     public float getAlignmentY() {
2863         return CENTER_ALIGNMENT;
2864     }
2865 
2866     /**
2867      * Returns the baseline.  The baseline is measured from the top of
2868      * the component.  This method is primarily meant for
2869      * <code>LayoutManager</code>s to align components along their
2870      * baseline.  A return value less than 0 indicates this component
2871      * does not have a reasonable baseline and that
2872      * <code>LayoutManager</code>s should not align this component on
2873      * its baseline.
2874      * <p>
2875      * The default implementation returns -1.  Subclasses that support
2876      * baseline should override appropriately.  If a value &gt;= 0 is
2877      * returned, then the component has a valid baseline for any
2878      * size &gt;= the minimum size and <code>getBaselineResizeBehavior</code>
2879      * can be used to determine how the baseline changes with size.
2880      *
2881      * @param width the width to get the baseline for
2882      * @param height the height to get the baseline for
2883      * @return the baseline or &lt; 0 indicating there is no reasonable
2884      *         baseline
2885      * @throws IllegalArgumentException if width or height is &lt; 0
2886      * @see #getBaselineResizeBehavior
2887      * @see java.awt.FontMetrics
2888      * @since 1.6
2889      */
2890     public int getBaseline(int width, int height) {
2891         if (width < 0 || height < 0) {
2892             throw new IllegalArgumentException(
2893                     "Width and height must be >= 0");
2894         }
2895         return -1;
2896     }
2897 
2898     /**
2899      * Returns an enum indicating how the baseline of the component
2900      * changes as the size changes.  This method is primarily meant for
2901      * layout managers and GUI builders.
2902      * <p>
2903      * The default implementation returns
2904      * <code>BaselineResizeBehavior.OTHER</code>.  Subclasses that have a
2905      * baseline should override appropriately.  Subclasses should
2906      * never return <code>null</code>; if the baseline can not be
2907      * calculated return <code>BaselineResizeBehavior.OTHER</code>.  Callers
2908      * should first ask for the baseline using
2909      * <code>getBaseline</code> and if a value &gt;= 0 is returned use
2910      * this method.  It is acceptable for this method to return a
2911      * value other than <code>BaselineResizeBehavior.OTHER</code> even if
2912      * <code>getBaseline</code> returns a value less than 0.
2913      *
2914      * @return an enum indicating how the baseline changes as the component
2915      *         size changes
2916      * @see #getBaseline(int, int)
2917      * @since 1.6
2918      */
2919     public BaselineResizeBehavior getBaselineResizeBehavior() {
2920         return BaselineResizeBehavior.OTHER;
2921     }
2922 
2923     /**
2924      * Prompts the layout manager to lay out this component. This is
2925      * usually called when the component (more specifically, container)
2926      * is validated.
2927      * @see #validate
2928      * @see LayoutManager
2929      */
2930     public void doLayout() {
2931         layout();
2932     }
2933 
2934     /**
2935      * @deprecated As of JDK version 1.1,
2936      * replaced by <code>doLayout()</code>.
2937      */
2938     @Deprecated
2939     public void layout() {
2940     }
2941 
2942     /**
2943      * Validates this component.
2944      * <p>
2945      * The meaning of the term <i>validating</i> is defined by the ancestors of
2946      * this class. See {@link Container#validate} for more details.
2947      *
2948      * @see       #invalidate
2949      * @see       #doLayout()
2950      * @see       LayoutManager
2951      * @see       Container#validate
2952      * @since     1.0
2953      */
2954     public void validate() {
2955         synchronized (getTreeLock()) {
2956             ComponentPeer peer = this.peer;
2957             boolean wasValid = isValid();
2958             if (!wasValid && peer != null) {
2959                 Font newfont = getFont();
2960                 Font oldfont = peerFont;
2961                 if (newfont != oldfont && (oldfont == null
2962                                            || !oldfont.equals(newfont))) {
2963                     peer.setFont(newfont);
2964                     peerFont = newfont;
2965                 }
2966                 peer.layout();
2967             }
2968             valid = true;
2969             if (!wasValid) {
2970                 mixOnValidating();
2971             }
2972         }
2973     }
2974 
2975     /**
2976      * Invalidates this component and its ancestors.
2977      * <p>
2978      * By default, all the ancestors of the component up to the top-most
2979      * container of the hierarchy are marked invalid. If the {@code
2980      * java.awt.smartInvalidate} system property is set to {@code true},
2981      * invalidation stops on the nearest validate root of this component.
2982      * Marking a container <i>invalid</i> indicates that the container needs to
2983      * be laid out.
2984      * <p>
2985      * This method is called automatically when any layout-related information
2986      * changes (e.g. setting the bounds of the component, or adding the
2987      * component to a container).
2988      * <p>
2989      * This method might be called often, so it should work fast.
2990      *
2991      * @see       #validate
2992      * @see       #doLayout
2993      * @see       LayoutManager
2994      * @see       java.awt.Container#isValidateRoot
2995      * @since     1.0
2996      */
2997     public void invalidate() {
2998         synchronized (getTreeLock()) {
2999             /* Nullify cached layout and size information.
3000              * For efficiency, propagate invalidate() upwards only if
3001              * some other component hasn't already done so first.
3002              */
3003             valid = false;
3004             if (!isPreferredSizeSet()) {
3005                 prefSize = null;
3006             }
3007             if (!isMinimumSizeSet()) {
3008                 minSize = null;
3009             }
3010             if (!isMaximumSizeSet()) {
3011                 maxSize = null;
3012             }
3013             invalidateParent();
3014         }
3015     }
3016 
3017     /**
3018      * Invalidates the parent of this component if any.
3019      *
3020      * This method MUST BE invoked under the TreeLock.
3021      */
3022     void invalidateParent() {
3023         if (parent != null) {
3024             parent.invalidateIfValid();
3025         }
3026     }
3027 
3028     /** Invalidates the component unless it is already invalid.
3029      */
3030     final void invalidateIfValid() {
3031         if (isValid()) {
3032             invalidate();
3033         }
3034     }
3035 
3036     /**
3037      * Revalidates the component hierarchy up to the nearest validate root.
3038      * <p>
3039      * This method first invalidates the component hierarchy starting from this
3040      * component up to the nearest validate root. Afterwards, the component
3041      * hierarchy is validated starting from the nearest validate root.
3042      * <p>
3043      * This is a convenience method supposed to help application developers
3044      * avoid looking for validate roots manually. Basically, it's equivalent to
3045      * first calling the {@link #invalidate()} method on this component, and
3046      * then calling the {@link #validate()} method on the nearest validate
3047      * root.
3048      *
3049      * @see Container#isValidateRoot
3050      * @since 1.7
3051      */
3052     public void revalidate() {
3053         revalidateSynchronously();
3054     }
3055 
3056     /**
3057      * Revalidates the component synchronously.
3058      */
3059     final void revalidateSynchronously() {
3060         synchronized (getTreeLock()) {
3061             invalidate();
3062 
3063             Container root = getContainer();
3064             if (root == null) {
3065                 // There's no parents. Just validate itself.
3066                 validate();
3067             } else {
3068                 while (!root.isValidateRoot()) {
3069                     if (root.getContainer() == null) {
3070                         // If there's no validate roots, we'll validate the
3071                         // topmost container
3072                         break;
3073                     }
3074 
3075                     root = root.getContainer();
3076                 }
3077 
3078                 root.validate();
3079             }
3080         }
3081     }
3082 
3083     /**
3084      * Creates a graphics context for this component. This method will
3085      * return <code>null</code> if this component is currently not
3086      * displayable.
3087      * @return a graphics context for this component, or <code>null</code>
3088      *             if it has none
3089      * @see       #paint
3090      * @since     1.0
3091      */
3092     public Graphics getGraphics() {
3093         if (peer instanceof LightweightPeer) {
3094             // This is for a lightweight component, need to
3095             // translate coordinate spaces and clip relative
3096             // to the parent.
3097             if (parent == null) return null;
3098             Graphics g = parent.getGraphics();
3099             if (g == null) return null;
3100             if (g instanceof ConstrainableGraphics) {
3101                 ((ConstrainableGraphics) g).constrain(x, y, width, height);
3102             } else {
3103                 g.translate(x,y);
3104                 g.setClip(0, 0, width, height);
3105             }
3106             g.setFont(getFont());
3107             return g;
3108         } else {
3109             ComponentPeer peer = this.peer;
3110             return (peer != null) ? peer.getGraphics() : null;
3111         }
3112     }
3113 
3114     final Graphics getGraphics_NoClientCode() {
3115         ComponentPeer peer = this.peer;
3116         if (peer instanceof LightweightPeer) {
3117             // This is for a lightweight component, need to
3118             // translate coordinate spaces and clip relative
3119             // to the parent.
3120             Container parent = this.parent;
3121             if (parent == null) return null;
3122             Graphics g = parent.getGraphics_NoClientCode();
3123             if (g == null) return null;
3124             if (g instanceof ConstrainableGraphics) {
3125                 ((ConstrainableGraphics) g).constrain(x, y, width, height);
3126             } else {
3127                 g.translate(x,y);
3128                 g.setClip(0, 0, width, height);
3129             }
3130             g.setFont(getFont_NoClientCode());
3131             return g;
3132         } else {
3133             return (peer != null) ? peer.getGraphics() : null;
3134         }
3135     }
3136 
3137     /**
3138      * Gets the font metrics for the specified font.
3139      * Warning: Since Font metrics are affected by the
3140      * {@link java.awt.font.FontRenderContext FontRenderContext} and
3141      * this method does not provide one, it can return only metrics for
3142      * the default render context which may not match that used when
3143      * rendering on the Component if {@link Graphics2D} functionality is being
3144      * used. Instead metrics can be obtained at rendering time by calling
3145      * {@link Graphics#getFontMetrics()} or text measurement APIs on the
3146      * {@link Font Font} class.
3147      * @param font the font for which font metrics is to be
3148      *          obtained
3149      * @return the font metrics for <code>font</code>
3150      * @see       #getFont
3151      * @see       java.awt.peer.ComponentPeer#getFontMetrics(Font)
3152      * @see       Toolkit#getFontMetrics(Font)
3153      * @since     1.0
3154      */
3155     public FontMetrics getFontMetrics(Font font) {
3156         // This is an unsupported hack, but left in for a customer.
3157         // Do not remove.
3158         FontManager fm = FontManagerFactory.getInstance();
3159         if (fm instanceof SunFontManager
3160             && ((SunFontManager) fm).usePlatformFontMetrics()) {
3161 
3162             if (peer != null &&
3163                 !(peer instanceof LightweightPeer)) {
3164                 return peer.getFontMetrics(font);
3165             }
3166         }
3167         return sun.font.FontDesignMetrics.getMetrics(font);
3168     }
3169 
3170     /**
3171      * Sets the cursor image to the specified cursor.  This cursor
3172      * image is displayed when the <code>contains</code> method for
3173      * this component returns true for the current cursor location, and
3174      * this Component is visible, displayable, and enabled. Setting the
3175      * cursor of a <code>Container</code> causes that cursor to be displayed
3176      * within all of the container's subcomponents, except for those
3177      * that have a non-<code>null</code> cursor.
3178      * <p>
3179      * The method may have no visual effect if the Java platform
3180      * implementation and/or the native system do not support
3181      * changing the mouse cursor shape.
3182      * @param cursor One of the constants defined
3183      *          by the <code>Cursor</code> class;
3184      *          if this parameter is <code>null</code>
3185      *          then this component will inherit
3186      *          the cursor of its parent
3187      * @see       #isEnabled
3188      * @see       #isShowing
3189      * @see       #getCursor
3190      * @see       #contains
3191      * @see       Toolkit#createCustomCursor
3192      * @see       Cursor
3193      * @since     1.1
3194      */
3195     public void setCursor(Cursor cursor) {
3196         this.cursor = cursor;
3197         updateCursorImmediately();
3198     }
3199 
3200     /**
3201      * Updates the cursor.  May not be invoked from the native
3202      * message pump.
3203      */
3204     final void updateCursorImmediately() {
3205         if (peer instanceof LightweightPeer) {
3206             Container nativeContainer = getNativeContainer();
3207 
3208             if (nativeContainer == null) return;
3209 
3210             ComponentPeer cPeer = nativeContainer.peer;
3211 
3212             if (cPeer != null) {
3213                 cPeer.updateCursorImmediately();
3214             }
3215         } else if (peer != null) {
3216             peer.updateCursorImmediately();
3217         }
3218     }
3219 
3220     /**
3221      * Gets the cursor set in the component. If the component does
3222      * not have a cursor set, the cursor of its parent is returned.
3223      * If no cursor is set in the entire hierarchy,
3224      * <code>Cursor.DEFAULT_CURSOR</code> is returned.
3225      *
3226      * @return the cursor for this component
3227      * @see #setCursor
3228      * @since 1.1
3229      */
3230     public Cursor getCursor() {
3231         return getCursor_NoClientCode();
3232     }
3233 
3234     final Cursor getCursor_NoClientCode() {
3235         Cursor cursor = this.cursor;
3236         if (cursor != null) {
3237             return cursor;
3238         }
3239         Container parent = this.parent;
3240         if (parent != null) {
3241             return parent.getCursor_NoClientCode();
3242         } else {
3243             return Cursor.getPredefinedCursor(Cursor.DEFAULT_CURSOR);
3244         }
3245     }
3246 
3247     /**
3248      * Returns whether the cursor has been explicitly set for this Component.
3249      * If this method returns <code>false</code>, this Component is inheriting
3250      * its cursor from an ancestor.
3251      *
3252      * @return <code>true</code> if the cursor has been explicitly set for this
3253      *         Component; <code>false</code> otherwise.
3254      * @since 1.4
3255      */
3256     public boolean isCursorSet() {
3257         return (cursor != null);
3258     }
3259 
3260     /**
3261      * Paints this component.
3262      * <p>
3263      * This method is called when the contents of the component should
3264      * be painted; such as when the component is first being shown or
3265      * is damaged and in need of repair.  The clip rectangle in the
3266      * <code>Graphics</code> parameter is set to the area
3267      * which needs to be painted.
3268      * Subclasses of <code>Component</code> that override this
3269      * method need not call <code>super.paint(g)</code>.
3270      * <p>
3271      * For performance reasons, <code>Component</code>s with zero width
3272      * or height aren't considered to need painting when they are first shown,
3273      * and also aren't considered to need repair.
3274      * <p>
3275      * <b>Note</b>: For more information on the paint mechanisms utilitized
3276      * by AWT and Swing, including information on how to write the most
3277      * efficient painting code, see
3278      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3279      *
3280      * @param g the graphics context to use for painting
3281      * @see       #update
3282      * @since     1.0
3283      */
3284     public void paint(Graphics g) {
3285     }
3286 
3287     /**
3288      * Updates this component.
3289      * <p>
3290      * If this component is not a lightweight component, the
3291      * AWT calls the <code>update</code> method in response to
3292      * a call to <code>repaint</code>.  You can assume that
3293      * the background is not cleared.
3294      * <p>
3295      * The <code>update</code> method of <code>Component</code>
3296      * calls this component's <code>paint</code> method to redraw
3297      * this component.  This method is commonly overridden by subclasses
3298      * which need to do additional work in response to a call to
3299      * <code>repaint</code>.
3300      * Subclasses of Component that override this method should either
3301      * call <code>super.update(g)</code>, or call <code>paint(g)</code>
3302      * directly from their <code>update</code> method.
3303      * <p>
3304      * The origin of the graphics context, its
3305      * (<code>0</code>,&nbsp;<code>0</code>) coordinate point, is the
3306      * top-left corner of this component. The clipping region of the
3307      * graphics context is the bounding rectangle of this component.
3308      *
3309      * <p>
3310      * <b>Note</b>: For more information on the paint mechanisms utilitized
3311      * by AWT and Swing, including information on how to write the most
3312      * efficient painting code, see
3313      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3314      *
3315      * @param g the specified context to use for updating
3316      * @see       #paint
3317      * @see       #repaint()
3318      * @since     1.0
3319      */
3320     public void update(Graphics g) {
3321         paint(g);
3322     }
3323 
3324     /**
3325      * Paints this component and all of its subcomponents.
3326      * <p>
3327      * The origin of the graphics context, its
3328      * (<code>0</code>,&nbsp;<code>0</code>) coordinate point, is the
3329      * top-left corner of this component. The clipping region of the
3330      * graphics context is the bounding rectangle of this component.
3331      *
3332      * @param     g   the graphics context to use for painting
3333      * @see       #paint
3334      * @since     1.0
3335      */
3336     public void paintAll(Graphics g) {
3337         if (isShowing()) {
3338             GraphicsCallback.PeerPaintCallback.getInstance().
3339                 runOneComponent(this, new Rectangle(0, 0, width, height),
3340                                 g, g.getClip(),
3341                                 GraphicsCallback.LIGHTWEIGHTS |
3342                                 GraphicsCallback.HEAVYWEIGHTS);
3343         }
3344     }
3345 
3346     /**
3347      * Simulates the peer callbacks into java.awt for painting of
3348      * lightweight Components.
3349      * @param     g   the graphics context to use for painting
3350      * @see       #paintAll
3351      */
3352     void lightweightPaint(Graphics g) {
3353         paint(g);
3354     }
3355 
3356     /**
3357      * Paints all the heavyweight subcomponents.
3358      */
3359     void paintHeavyweightComponents(Graphics g) {
3360     }
3361 
3362     /**
3363      * Repaints this component.
3364      * <p>
3365      * If this component is a lightweight component, this method
3366      * causes a call to this component's <code>paint</code>
3367      * method as soon as possible.  Otherwise, this method causes
3368      * a call to this component's <code>update</code> method as soon
3369      * as possible.
3370      * <p>
3371      * <b>Note</b>: For more information on the paint mechanisms utilitized
3372      * by AWT and Swing, including information on how to write the most
3373      * efficient painting code, see
3374      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3375 
3376      *
3377      * @see       #update(Graphics)
3378      * @since     1.0
3379      */
3380     public void repaint() {
3381         repaint(0, 0, 0, width, height);
3382     }
3383 
3384     /**
3385      * Repaints the component.  If this component is a lightweight
3386      * component, this results in a call to <code>paint</code>
3387      * within <code>tm</code> milliseconds.
3388      * <p>
3389      * <b>Note</b>: For more information on the paint mechanisms utilitized
3390      * by AWT and Swing, including information on how to write the most
3391      * efficient painting code, see
3392      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3393      *
3394      * @param tm maximum time in milliseconds before update
3395      * @see #paint
3396      * @see #update(Graphics)
3397      * @since 1.0
3398      */
3399     public void repaint(long tm) {
3400         repaint(tm, 0, 0, width, height);
3401     }
3402 
3403     /**
3404      * Repaints the specified rectangle of this component.
3405      * <p>
3406      * If this component is a lightweight component, this method
3407      * causes a call to this component's <code>paint</code> method
3408      * as soon as possible.  Otherwise, this method causes a call to
3409      * this component's <code>update</code> method as soon as possible.
3410      * <p>
3411      * <b>Note</b>: For more information on the paint mechanisms utilitized
3412      * by AWT and Swing, including information on how to write the most
3413      * efficient painting code, see
3414      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3415      *
3416      * @param     x   the <i>x</i> coordinate
3417      * @param     y   the <i>y</i> coordinate
3418      * @param     width   the width
3419      * @param     height  the height
3420      * @see       #update(Graphics)
3421      * @since     1.0
3422      */
3423     public void repaint(int x, int y, int width, int height) {
3424         repaint(0, x, y, width, height);
3425     }
3426 
3427     /**
3428      * Repaints the specified rectangle of this component within
3429      * <code>tm</code> milliseconds.
3430      * <p>
3431      * If this component is a lightweight component, this method causes
3432      * a call to this component's <code>paint</code> method.
3433      * Otherwise, this method causes a call to this component's
3434      * <code>update</code> method.
3435      * <p>
3436      * <b>Note</b>: For more information on the paint mechanisms utilitized
3437      * by AWT and Swing, including information on how to write the most
3438      * efficient painting code, see
3439      * <a href="http://www.oracle.com/technetwork/java/painting-140037.html">Painting in AWT and Swing</a>.
3440      *
3441      * @param     tm   maximum time in milliseconds before update
3442      * @param     x    the <i>x</i> coordinate
3443      * @param     y    the <i>y</i> coordinate
3444      * @param     width    the width
3445      * @param     height   the height
3446      * @see       #update(Graphics)
3447      * @since     1.0
3448      */
3449     public void repaint(long tm, int x, int y, int width, int height) {
3450         if (this.peer instanceof LightweightPeer) {
3451             // Needs to be translated to parent coordinates since
3452             // a parent native container provides the actual repaint
3453             // services.  Additionally, the request is restricted to
3454             // the bounds of the component.
3455             if (parent != null) {
3456                 if (x < 0) {
3457                     width += x;
3458                     x = 0;
3459                 }
3460                 if (y < 0) {
3461                     height += y;
3462                     y = 0;
3463                 }
3464 
3465                 int pwidth = (width > this.width) ? this.width : width;
3466                 int pheight = (height > this.height) ? this.height : height;
3467 
3468                 if (pwidth <= 0 || pheight <= 0) {
3469                     return;
3470                 }
3471 
3472                 int px = this.x + x;
3473                 int py = this.y + y;
3474                 parent.repaint(tm, px, py, pwidth, pheight);
3475             }
3476         } else {
3477             if (isVisible() && (this.peer != null) &&
3478                 (width > 0) && (height > 0)) {
3479                 PaintEvent e = new PaintEvent(this, PaintEvent.UPDATE,
3480                                               new Rectangle(x, y, width, height));
3481                 SunToolkit.postEvent(SunToolkit.targetToAppContext(this), e);
3482             }
3483         }
3484     }
3485 
3486     /**
3487      * Prints this component. Applications should override this method
3488      * for components that must do special processing before being
3489      * printed or should be printed differently than they are painted.
3490      * <p>
3491      * The default implementation of this method calls the
3492      * <code>paint</code> method.
3493      * <p>
3494      * The origin of the graphics context, its
3495      * (<code>0</code>,&nbsp;<code>0</code>) coordinate point, is the
3496      * top-left corner of this component. The clipping region of the
3497      * graphics context is the bounding rectangle of this component.
3498      * @param     g   the graphics context to use for printing
3499      * @see       #paint(Graphics)
3500      * @since     1.0
3501      */
3502     public void print(Graphics g) {
3503         paint(g);
3504     }
3505 
3506     /**
3507      * Prints this component and all of its subcomponents.
3508      * <p>
3509      * The origin of the graphics context, its
3510      * (<code>0</code>,&nbsp;<code>0</code>) coordinate point, is the
3511      * top-left corner of this component. The clipping region of the
3512      * graphics context is the bounding rectangle of this component.
3513      * @param     g   the graphics context to use for printing
3514      * @see       #print(Graphics)
3515      * @since     1.0
3516      */
3517     public void printAll(Graphics g) {
3518         if (isShowing()) {
3519             GraphicsCallback.PeerPrintCallback.getInstance().
3520                 runOneComponent(this, new Rectangle(0, 0, width, height),
3521                                 g, g.getClip(),
3522                                 GraphicsCallback.LIGHTWEIGHTS |
3523                                 GraphicsCallback.HEAVYWEIGHTS);
3524         }
3525     }
3526 
3527     /**
3528      * Simulates the peer callbacks into java.awt for printing of
3529      * lightweight Components.
3530      * @param     g   the graphics context to use for printing
3531      * @see       #printAll
3532      */
3533     void lightweightPrint(Graphics g) {
3534         print(g);
3535     }
3536 
3537     /**
3538      * Prints all the heavyweight subcomponents.
3539      */
3540     void printHeavyweightComponents(Graphics g) {
3541     }
3542 
3543     private Insets getInsets_NoClientCode() {
3544         ComponentPeer peer = this.peer;
3545         if (peer instanceof ContainerPeer) {
3546             return (Insets)((ContainerPeer)peer).getInsets().clone();
3547         }
3548         return new Insets(0, 0, 0, 0);
3549     }
3550 
3551     /**
3552      * Repaints the component when the image has changed.
3553      * This <code>imageUpdate</code> method of an <code>ImageObserver</code>
3554      * is called when more information about an
3555      * image which had been previously requested using an asynchronous
3556      * routine such as the <code>drawImage</code> method of
3557      * <code>Graphics</code> becomes available.
3558      * See the definition of <code>imageUpdate</code> for
3559      * more information on this method and its arguments.
3560      * <p>
3561      * The <code>imageUpdate</code> method of <code>Component</code>
3562      * incrementally draws an image on the component as more of the bits
3563      * of the image are available.
3564      * <p>
3565      * If the system property <code>awt.image.incrementaldraw</code>
3566      * is missing or has the value <code>true</code>, the image is
3567      * incrementally drawn. If the system property has any other value,
3568      * then the image is not drawn until it has been completely loaded.
3569      * <p>
3570      * Also, if incremental drawing is in effect, the value of the
3571      * system property <code>awt.image.redrawrate</code> is interpreted
3572      * as an integer to give the maximum redraw rate, in milliseconds. If
3573      * the system property is missing or cannot be interpreted as an
3574      * integer, the redraw rate is once every 100ms.
3575      * <p>
3576      * The interpretation of the <code>x</code>, <code>y</code>,
3577      * <code>width</code>, and <code>height</code> arguments depends on
3578      * the value of the <code>infoflags</code> argument.
3579      *
3580      * @param     img   the image being observed
3581      * @param     infoflags   see <code>imageUpdate</code> for more information
3582      * @param     x   the <i>x</i> coordinate
3583      * @param     y   the <i>y</i> coordinate
3584      * @param     w   the width
3585      * @param     h   the height
3586      * @return    <code>false</code> if the infoflags indicate that the
3587      *            image is completely loaded; <code>true</code> otherwise.
3588      *
3589      * @see     java.awt.image.ImageObserver
3590      * @see     Graphics#drawImage(Image, int, int, Color, java.awt.image.ImageObserver)
3591      * @see     Graphics#drawImage(Image, int, int, java.awt.image.ImageObserver)
3592      * @see     Graphics#drawImage(Image, int, int, int, int, Color, java.awt.image.ImageObserver)
3593      * @see     Graphics#drawImage(Image, int, int, int, int, java.awt.image.ImageObserver)
3594      * @see     java.awt.image.ImageObserver#imageUpdate(java.awt.Image, int, int, int, int, int)
3595      * @since   1.0
3596      */
3597     public boolean imageUpdate(Image img, int infoflags,
3598                                int x, int y, int w, int h) {
3599         int rate = -1;
3600         if ((infoflags & (FRAMEBITS|ALLBITS)) != 0) {
3601             rate = 0;
3602         } else if ((infoflags & SOMEBITS) != 0) {
3603             if (isInc) {
3604                 rate = incRate;
3605                 if (rate < 0) {
3606                     rate = 0;
3607                 }
3608             }
3609         }
3610         if (rate >= 0) {
3611             repaint(rate, 0, 0, width, height);
3612         }
3613         return (infoflags & (ALLBITS|ABORT)) == 0;
3614     }
3615 
3616     /**
3617      * Creates an image from the specified image producer.
3618      * @param     producer  the image producer
3619      * @return    the image produced
3620      * @since     1.0
3621      */
3622     public Image createImage(ImageProducer producer) {
3623         ComponentPeer peer = this.peer;
3624         if ((peer != null) && ! (peer instanceof LightweightPeer)) {
3625             return peer.createImage(producer);
3626         }
3627         return getToolkit().createImage(producer);
3628     }
3629 
3630     /**
3631      * Creates an off-screen drawable image
3632      *     to be used for double buffering.
3633      * @param     width the specified width
3634      * @param     height the specified height
3635      * @return    an off-screen drawable image, which can be used for double
3636      *    buffering.  The return value may be <code>null</code> if the
3637      *    component is not displayable.  This will always happen if
3638      *    <code>GraphicsEnvironment.isHeadless()</code> returns
3639      *    <code>true</code>.
3640      * @see #isDisplayable
3641      * @see GraphicsEnvironment#isHeadless
3642      * @since     1.0
3643      */
3644     public Image createImage(int width, int height) {
3645         ComponentPeer peer = this.peer;
3646         if (peer instanceof LightweightPeer) {
3647             if (parent != null) { return parent.createImage(width, height); }
3648             else { return null;}
3649         } else {
3650             return (peer != null) ? peer.createImage(width, height) : null;
3651         }
3652     }
3653 
3654     /**
3655      * Creates a volatile off-screen drawable image
3656      *     to be used for double buffering.
3657      * @param     width the specified width.
3658      * @param     height the specified height.
3659      * @return    an off-screen drawable image, which can be used for double
3660      *    buffering.  The return value may be <code>null</code> if the
3661      *    component is not displayable.  This will always happen if
3662      *    <code>GraphicsEnvironment.isHeadless()</code> returns
3663      *    <code>true</code>.
3664      * @see java.awt.image.VolatileImage
3665      * @see #isDisplayable
3666      * @see GraphicsEnvironment#isHeadless
3667      * @since     1.4
3668      */
3669     public VolatileImage createVolatileImage(int width, int height) {
3670         ComponentPeer peer = this.peer;
3671         if (peer instanceof LightweightPeer) {
3672             if (parent != null) {
3673                 return parent.createVolatileImage(width, height);
3674             }
3675             else { return null;}
3676         } else {
3677             return (peer != null) ?
3678                 peer.createVolatileImage(width, height) : null;
3679         }
3680     }
3681 
3682     /**
3683      * Creates a volatile off-screen drawable image, with the given capabilities.
3684      * The contents of this image may be lost at any time due
3685      * to operating system issues, so the image must be managed
3686      * via the <code>VolatileImage</code> interface.
3687      * @param width the specified width.
3688      * @param height the specified height.
3689      * @param caps the image capabilities
3690      * @exception AWTException if an image with the specified capabilities cannot
3691      * be created
3692      * @return a VolatileImage object, which can be used
3693      * to manage surface contents loss and capabilities.
3694      * @see java.awt.image.VolatileImage
3695      * @since 1.4
3696      */
3697     public VolatileImage createVolatileImage(int width, int height,
3698                                              ImageCapabilities caps) throws AWTException {
3699         // REMIND : check caps
3700         return createVolatileImage(width, height);
3701     }
3702 
3703     /**
3704      * Prepares an image for rendering on this component.  The image
3705      * data is downloaded asynchronously in another thread and the
3706      * appropriate screen representation of the image is generated.
3707      * @param     image   the <code>Image</code> for which to
3708      *                    prepare a screen representation
3709      * @param     observer   the <code>ImageObserver</code> object
3710      *                       to be notified as the image is being prepared
3711      * @return    <code>true</code> if the image has already been fully
3712      *           prepared; <code>false</code> otherwise
3713      * @since     1.0
3714      */
3715     public boolean prepareImage(Image image, ImageObserver observer) {
3716         return prepareImage(image, -1, -1, observer);
3717     }
3718 
3719     /**
3720      * Prepares an image for rendering on this component at the
3721      * specified width and height.
3722      * <p>
3723      * The image data is downloaded asynchronously in another thread,
3724      * and an appropriately scaled screen representation of the image is
3725      * generated.
3726      * @param     image    the instance of <code>Image</code>
3727      *            for which to prepare a screen representation
3728      * @param     width    the width of the desired screen representation
3729      * @param     height   the height of the desired screen representation
3730      * @param     observer   the <code>ImageObserver</code> object
3731      *            to be notified as the image is being prepared
3732      * @return    <code>true</code> if the image has already been fully
3733      *          prepared; <code>false</code> otherwise
3734      * @see       java.awt.image.ImageObserver
3735      * @since     1.0
3736      */
3737     public boolean prepareImage(Image image, int width, int height,
3738                                 ImageObserver observer) {
3739         ComponentPeer peer = this.peer;
3740         if (peer instanceof LightweightPeer) {
3741             return (parent != null)
3742                 ? parent.prepareImage(image, width, height, observer)
3743                 : getToolkit().prepareImage(image, width, height, observer);
3744         } else {
3745             return (peer != null)
3746                 ? peer.prepareImage(image, width, height, observer)
3747                 : getToolkit().prepareImage(image, width, height, observer);
3748         }
3749     }
3750 
3751     /**
3752      * Returns the status of the construction of a screen representation
3753      * of the specified image.
3754      * <p>
3755      * This method does not cause the image to begin loading. An
3756      * application must use the <code>prepareImage</code> method
3757      * to force the loading of an image.
3758      * <p>
3759      * Information on the flags returned by this method can be found
3760      * with the discussion of the <code>ImageObserver</code> interface.
3761      * @param     image   the <code>Image</code> object whose status
3762      *            is being checked
3763      * @param     observer   the <code>ImageObserver</code>
3764      *            object to be notified as the image is being prepared
3765      * @return  the bitwise inclusive <b>OR</b> of
3766      *            <code>ImageObserver</code> flags indicating what
3767      *            information about the image is currently available
3768      * @see      #prepareImage(Image, int, int, java.awt.image.ImageObserver)
3769      * @see      Toolkit#checkImage(Image, int, int, java.awt.image.ImageObserver)
3770      * @see      java.awt.image.ImageObserver
3771      * @since    1.0
3772      */
3773     public int checkImage(Image image, ImageObserver observer) {
3774         return checkImage(image, -1, -1, observer);
3775     }
3776 
3777     /**
3778      * Returns the status of the construction of a screen representation
3779      * of the specified image.
3780      * <p>
3781      * This method does not cause the image to begin loading. An
3782      * application must use the <code>prepareImage</code> method
3783      * to force the loading of an image.
3784      * <p>
3785      * The <code>checkImage</code> method of <code>Component</code>
3786      * calls its peer's <code>checkImage</code> method to calculate
3787      * the flags. If this component does not yet have a peer, the
3788      * component's toolkit's <code>checkImage</code> method is called
3789      * instead.
3790      * <p>
3791      * Information on the flags returned by this method can be found
3792      * with the discussion of the <code>ImageObserver</code> interface.
3793      * @param     image   the <code>Image</code> object whose status
3794      *                    is being checked
3795      * @param     width   the width of the scaled version
3796      *                    whose status is to be checked
3797      * @param     height  the height of the scaled version
3798      *                    whose status is to be checked
3799      * @param     observer   the <code>ImageObserver</code> object
3800      *                    to be notified as the image is being prepared
3801      * @return    the bitwise inclusive <b>OR</b> of
3802      *            <code>ImageObserver</code> flags indicating what
3803      *            information about the image is currently available
3804      * @see      #prepareImage(Image, int, int, java.awt.image.ImageObserver)
3805      * @see      Toolkit#checkImage(Image, int, int, java.awt.image.ImageObserver)
3806      * @see      java.awt.image.ImageObserver
3807      * @since    1.0
3808      */
3809     public int checkImage(Image image, int width, int height,
3810                           ImageObserver observer) {
3811         ComponentPeer peer = this.peer;
3812         if (peer instanceof LightweightPeer) {
3813             return (parent != null)
3814                 ? parent.checkImage(image, width, height, observer)
3815                 : getToolkit().checkImage(image, width, height, observer);
3816         } else {
3817             return (peer != null)
3818                 ? peer.checkImage(image, width, height, observer)
3819                 : getToolkit().checkImage(image, width, height, observer);
3820         }
3821     }
3822 
3823     /**
3824      * Creates a new strategy for multi-buffering on this component.
3825      * Multi-buffering is useful for rendering performance.  This method
3826      * attempts to create the best strategy available with the number of
3827      * buffers supplied.  It will always create a <code>BufferStrategy</code>
3828      * with that number of buffers.
3829      * A page-flipping strategy is attempted first, then a blitting strategy
3830      * using accelerated buffers.  Finally, an unaccelerated blitting
3831      * strategy is used.
3832      * <p>
3833      * Each time this method is called,
3834      * the existing buffer strategy for this component is discarded.
3835      * @param numBuffers number of buffers to create, including the front buffer
3836      * @exception IllegalArgumentException if numBuffers is less than 1.
3837      * @exception IllegalStateException if the component is not displayable
3838      * @see #isDisplayable
3839      * @see Window#getBufferStrategy()
3840      * @see Canvas#getBufferStrategy()
3841      * @since 1.4
3842      */
3843     void createBufferStrategy(int numBuffers) {
3844         BufferCapabilities bufferCaps;
3845         if (numBuffers > 1) {
3846             // Try to create a page-flipping strategy
3847             bufferCaps = new BufferCapabilities(new ImageCapabilities(true),
3848                                                 new ImageCapabilities(true),
3849                                                 BufferCapabilities.FlipContents.UNDEFINED);
3850             try {
3851                 createBufferStrategy(numBuffers, bufferCaps);
3852                 return; // Success
3853             } catch (AWTException e) {
3854                 // Failed
3855             }
3856         }
3857         // Try a blitting (but still accelerated) strategy
3858         bufferCaps = new BufferCapabilities(new ImageCapabilities(true),
3859                                             new ImageCapabilities(true),
3860                                             null);
3861         try {
3862             createBufferStrategy(numBuffers, bufferCaps);
3863             return; // Success
3864         } catch (AWTException e) {
3865             // Failed
3866         }
3867         // Try an unaccelerated blitting strategy
3868         bufferCaps = new BufferCapabilities(new ImageCapabilities(false),
3869                                             new ImageCapabilities(false),
3870                                             null);
3871         try {
3872             createBufferStrategy(numBuffers, bufferCaps);
3873             return; // Success
3874         } catch (AWTException e) {
3875             // Code should never reach here (an unaccelerated blitting
3876             // strategy should always work)
3877             throw new InternalError("Could not create a buffer strategy", e);
3878         }
3879     }
3880 
3881     /**
3882      * Creates a new strategy for multi-buffering on this component with the
3883      * required buffer capabilities.  This is useful, for example, if only
3884      * accelerated memory or page flipping is desired (as specified by the
3885      * buffer capabilities).
3886      * <p>
3887      * Each time this method
3888      * is called, <code>dispose</code> will be invoked on the existing
3889      * <code>BufferStrategy</code>.
3890      * @param numBuffers number of buffers to create
3891      * @param caps the required capabilities for creating the buffer strategy;
3892      * cannot be <code>null</code>
3893      * @exception AWTException if the capabilities supplied could not be
3894      * supported or met; this may happen, for example, if there is not enough
3895      * accelerated memory currently available, or if page flipping is specified
3896      * but not possible.
3897      * @exception IllegalArgumentException if numBuffers is less than 1, or if
3898      * caps is <code>null</code>
3899      * @see Window#getBufferStrategy()
3900      * @see Canvas#getBufferStrategy()
3901      * @since 1.4
3902      */
3903     void createBufferStrategy(int numBuffers,
3904                               BufferCapabilities caps) throws AWTException {
3905         // Check arguments
3906         if (numBuffers < 1) {
3907             throw new IllegalArgumentException(
3908                 "Number of buffers must be at least 1");
3909         }
3910         if (caps == null) {
3911             throw new IllegalArgumentException("No capabilities specified");
3912         }
3913         // Destroy old buffers
3914         if (bufferStrategy != null) {
3915             bufferStrategy.dispose();
3916         }
3917         if (numBuffers == 1) {
3918             bufferStrategy = new SingleBufferStrategy(caps);
3919         } else {
3920             SunGraphicsEnvironment sge = (SunGraphicsEnvironment)
3921                 GraphicsEnvironment.getLocalGraphicsEnvironment();
3922             if (!caps.isPageFlipping() && sge.isFlipStrategyPreferred(peer)) {
3923                 caps = new ProxyCapabilities(caps);
3924             }
3925             // assert numBuffers > 1;
3926             if (caps.isPageFlipping()) {
3927                 bufferStrategy = new FlipSubRegionBufferStrategy(numBuffers, caps);
3928             } else {
3929                 bufferStrategy = new BltSubRegionBufferStrategy(numBuffers, caps);
3930             }
3931         }
3932     }
3933 
3934     /**
3935      * This is a proxy capabilities class used when a FlipBufferStrategy
3936      * is created instead of the requested Blit strategy.
3937      *
3938      * @see sun.java2d.SunGraphicsEnvironment#isFlipStrategyPreferred(ComponentPeer)
3939      */
3940     private class ProxyCapabilities extends ExtendedBufferCapabilities {
3941         private BufferCapabilities orig;
3942         private ProxyCapabilities(BufferCapabilities orig) {
3943             super(orig.getFrontBufferCapabilities(),
3944                   orig.getBackBufferCapabilities(),
3945                   orig.getFlipContents() ==
3946                       BufferCapabilities.FlipContents.BACKGROUND ?
3947                       BufferCapabilities.FlipContents.BACKGROUND :
3948                       BufferCapabilities.FlipContents.COPIED);
3949             this.orig = orig;
3950         }
3951     }
3952 
3953     /**
3954      * @return the buffer strategy used by this component
3955      * @see Window#createBufferStrategy
3956      * @see Canvas#createBufferStrategy
3957      * @since 1.4
3958      */
3959     BufferStrategy getBufferStrategy() {
3960         return bufferStrategy;
3961     }
3962 
3963     /**
3964      * @return the back buffer currently used by this component's
3965      * BufferStrategy.  If there is no BufferStrategy or no
3966      * back buffer, this method returns null.
3967      */
3968     Image getBackBuffer() {
3969         if (bufferStrategy != null) {
3970             if (bufferStrategy instanceof BltBufferStrategy) {
3971                 BltBufferStrategy bltBS = (BltBufferStrategy)bufferStrategy;
3972                 return bltBS.getBackBuffer();
3973             } else if (bufferStrategy instanceof FlipBufferStrategy) {
3974                 FlipBufferStrategy flipBS = (FlipBufferStrategy)bufferStrategy;
3975                 return flipBS.getBackBuffer();
3976             }
3977         }
3978         return null;
3979     }
3980 
3981     /**
3982      * Inner class for flipping buffers on a component.  That component must
3983      * be a <code>Canvas</code> or <code>Window</code>.
3984      * @see Canvas
3985      * @see Window
3986      * @see java.awt.image.BufferStrategy
3987      * @author Michael Martak
3988      * @since 1.4
3989      */
3990     protected class FlipBufferStrategy extends BufferStrategy {
3991         /**
3992          * The number of buffers
3993          */
3994         protected int numBuffers; // = 0
3995         /**
3996          * The buffering capabilities
3997          */
3998         protected BufferCapabilities caps; // = null
3999         /**
4000          * The drawing buffer
4001          */
4002         protected Image drawBuffer; // = null
4003         /**
4004          * The drawing buffer as a volatile image
4005          */
4006         protected VolatileImage drawVBuffer; // = null
4007         /**
4008          * Whether or not the drawing buffer has been recently restored from
4009          * a lost state.
4010          */
4011         protected boolean validatedContents; // = false
4012 
4013         /**
4014          * Size of the back buffers.  (Note: these fields were added in 6.0
4015          * but kept package-private to avoid exposing them in the spec.
4016          * None of these fields/methods really should have been marked
4017          * protected when they were introduced in 1.4, but now we just have
4018          * to live with that decision.)
4019          */
4020 
4021          /**
4022           * The width of the back buffers
4023           */
4024         int width;
4025 
4026         /**
4027          * The height of the back buffers
4028          */
4029         int height;
4030 
4031         /**
4032          * Creates a new flipping buffer strategy for this component.
4033          * The component must be a <code>Canvas</code> or <code>Window</code> or
4034          * <code>Applet</code>.
4035          * @see Canvas
4036          * @see Window
4037          * @see Applet
4038          * @param numBuffers the number of buffers
4039          * @param caps the capabilities of the buffers
4040          * @exception AWTException if the capabilities supplied could not be
4041          * supported or met
4042          * @exception ClassCastException if the component is not a canvas or
4043          * window.
4044          * @exception IllegalStateException if the component has no peer
4045          * @exception IllegalArgumentException if {@code numBuffers} is less than two,
4046          * or if {@code BufferCapabilities.isPageFlipping} is not
4047          * {@code true}.
4048          * @see #createBuffers(int, BufferCapabilities)
4049          */
4050         protected FlipBufferStrategy(int numBuffers, BufferCapabilities caps)
4051             throws AWTException
4052         {
4053             if (!(Component.this instanceof Window) &&
4054                 !(Component.this instanceof Canvas) &&
4055                 !(Component.this instanceof Applet))
4056             {
4057                 throw new ClassCastException(
4058                     "Component must be a Canvas or Window or Applet");
4059             }
4060             this.numBuffers = numBuffers;
4061             this.caps = caps;
4062             createBuffers(numBuffers, caps);
4063         }
4064 
4065         /**
4066          * Creates one or more complex, flipping buffers with the given
4067          * capabilities.
4068          * @param numBuffers number of buffers to create; must be greater than
4069          * one
4070          * @param caps the capabilities of the buffers.
4071          * <code>BufferCapabilities.isPageFlipping</code> must be
4072          * <code>true</code>.
4073          * @exception AWTException if the capabilities supplied could not be
4074          * supported or met
4075          * @exception IllegalStateException if the component has no peer
4076          * @exception IllegalArgumentException if numBuffers is less than two,
4077          * or if <code>BufferCapabilities.isPageFlipping</code> is not
4078          * <code>true</code>.
4079          * @see java.awt.BufferCapabilities#isPageFlipping()
4080          */
4081         protected void createBuffers(int numBuffers, BufferCapabilities caps)
4082             throws AWTException
4083         {
4084             if (numBuffers < 2) {
4085                 throw new IllegalArgumentException(
4086                     "Number of buffers cannot be less than two");
4087             } else if (peer == null) {
4088                 throw new IllegalStateException(
4089                     "Component must have a valid peer");
4090             } else if (caps == null || !caps.isPageFlipping()) {
4091                 throw new IllegalArgumentException(
4092                     "Page flipping capabilities must be specified");
4093             }
4094 
4095             // save the current bounds
4096             width = getWidth();
4097             height = getHeight();
4098 
4099             if (drawBuffer != null) {
4100                 // dispose the existing backbuffers
4101                 drawBuffer = null;
4102                 drawVBuffer = null;
4103                 destroyBuffers();
4104                 // ... then recreate the backbuffers
4105             }
4106 
4107             if (caps instanceof ExtendedBufferCapabilities) {
4108                 ExtendedBufferCapabilities ebc =
4109                     (ExtendedBufferCapabilities)caps;
4110                 if (ebc.getVSync() == VSYNC_ON) {
4111                     // if this buffer strategy is not allowed to be v-synced,
4112                     // change the caps that we pass to the peer but keep on
4113                     // trying to create v-synced buffers;
4114                     // do not throw IAE here in case it is disallowed, see
4115                     // ExtendedBufferCapabilities for more info
4116                     if (!VSyncedBSManager.vsyncAllowed(this)) {
4117                         caps = ebc.derive(VSYNC_DEFAULT);
4118                     }
4119                 }
4120             }
4121 
4122             peer.createBuffers(numBuffers, caps);
4123             updateInternalBuffers();
4124         }
4125 
4126         /**
4127          * Updates internal buffers (both volatile and non-volatile)
4128          * by requesting the back-buffer from the peer.
4129          */
4130         private void updateInternalBuffers() {
4131             // get the images associated with the draw buffer
4132             drawBuffer = getBackBuffer();
4133             if (drawBuffer instanceof VolatileImage) {
4134                 drawVBuffer = (VolatileImage)drawBuffer;
4135             } else {
4136                 drawVBuffer = null;
4137             }
4138         }
4139 
4140         /**
4141          * @return direct access to the back buffer, as an image.
4142          * @exception IllegalStateException if the buffers have not yet
4143          * been created
4144          */
4145         protected Image getBackBuffer() {
4146             if (peer != null) {
4147                 return peer.getBackBuffer();
4148             } else {
4149                 throw new IllegalStateException(
4150                     "Component must have a valid peer");
4151             }
4152         }
4153 
4154         /**
4155          * Flipping moves the contents of the back buffer to the front buffer,
4156          * either by copying or by moving the video pointer.
4157          * @param flipAction an integer value describing the flipping action
4158          * for the contents of the back buffer.  This should be one of the
4159          * values of the <code>BufferCapabilities.FlipContents</code>
4160          * property.
4161          * @exception IllegalStateException if the buffers have not yet
4162          * been created
4163          * @see java.awt.BufferCapabilities#getFlipContents()
4164          */
4165         protected void flip(BufferCapabilities.FlipContents flipAction) {
4166             if (peer != null) {
4167                 Image backBuffer = getBackBuffer();
4168                 if (backBuffer != null) {
4169                     peer.flip(0, 0,
4170                               backBuffer.getWidth(null),
4171                               backBuffer.getHeight(null), flipAction);
4172                 }
4173             } else {
4174                 throw new IllegalStateException(
4175                     "Component must have a valid peer");
4176             }
4177         }
4178 
4179         void flipSubRegion(int x1, int y1, int x2, int y2,
4180                       BufferCapabilities.FlipContents flipAction)
4181         {
4182             if (peer != null) {
4183                 peer.flip(x1, y1, x2, y2, flipAction);
4184             } else {
4185                 throw new IllegalStateException(
4186                     "Component must have a valid peer");
4187             }
4188         }
4189 
4190         /**
4191          * Destroys the buffers created through this object
4192          */
4193         protected void destroyBuffers() {
4194             VSyncedBSManager.releaseVsync(this);
4195             if (peer != null) {
4196                 peer.destroyBuffers();
4197             } else {
4198                 throw new IllegalStateException(
4199                     "Component must have a valid peer");
4200             }
4201         }
4202 
4203         /**
4204          * @return the buffering capabilities of this strategy
4205          */
4206         public BufferCapabilities getCapabilities() {
4207             if (caps instanceof ProxyCapabilities) {
4208                 return ((ProxyCapabilities)caps).orig;
4209             } else {
4210                 return caps;
4211             }
4212         }
4213 
4214         /**
4215          * @return the graphics on the drawing buffer.  This method may not
4216          * be synchronized for performance reasons; use of this method by multiple
4217          * threads should be handled at the application level.  Disposal of the
4218          * graphics object must be handled by the application.
4219          */
4220         public Graphics getDrawGraphics() {
4221             revalidate();
4222             return drawBuffer.getGraphics();
4223         }
4224 
4225         /**
4226          * Restore the drawing buffer if it has been lost
4227          */
4228         protected void revalidate() {
4229             revalidate(true);
4230         }
4231 
4232         void revalidate(boolean checkSize) {
4233             validatedContents = false;
4234 
4235             if (checkSize && (getWidth() != width || getHeight() != height)) {
4236                 // component has been resized; recreate the backbuffers
4237                 try {
4238                     createBuffers(numBuffers, caps);
4239                 } catch (AWTException e) {
4240                     // shouldn't be possible
4241                 }
4242                 validatedContents = true;
4243             }
4244 
4245             // get the buffers from the peer every time since they
4246             // might have been replaced in response to a display change event
4247             updateInternalBuffers();
4248 
4249             // now validate the backbuffer
4250             if (drawVBuffer != null) {
4251                 GraphicsConfiguration gc =
4252                         getGraphicsConfiguration_NoClientCode();
4253                 int returnCode = drawVBuffer.validate(gc);
4254                 if (returnCode == VolatileImage.IMAGE_INCOMPATIBLE) {
4255                     try {
4256                         createBuffers(numBuffers, caps);
4257                     } catch (AWTException e) {
4258                         // shouldn't be possible
4259                     }
4260                     if (drawVBuffer != null) {
4261                         // backbuffers were recreated, so validate again
4262                         drawVBuffer.validate(gc);
4263                     }
4264                     validatedContents = true;
4265                 } else if (returnCode == VolatileImage.IMAGE_RESTORED) {
4266                     validatedContents = true;
4267                 }
4268             }
4269         }
4270 
4271         /**
4272          * @return whether the drawing buffer was lost since the last call to
4273          * <code>getDrawGraphics</code>
4274          */
4275         public boolean contentsLost() {
4276             if (drawVBuffer == null) {
4277                 return false;
4278             }
4279             return drawVBuffer.contentsLost();
4280         }
4281 
4282         /**
4283          * @return whether the drawing buffer was recently restored from a lost
4284          * state and reinitialized to the default background color (white)
4285          */
4286         public boolean contentsRestored() {
4287             return validatedContents;
4288         }
4289 
4290         /**
4291          * Makes the next available buffer visible by either blitting or
4292          * flipping.
4293          */
4294         public void show() {
4295             flip(caps.getFlipContents());
4296         }
4297 
4298         /**
4299          * Makes specified region of the next available buffer visible
4300          * by either blitting or flipping.
4301          */
4302         void showSubRegion(int x1, int y1, int x2, int y2) {
4303             flipSubRegion(x1, y1, x2, y2, caps.getFlipContents());
4304         }
4305 
4306         /**
4307          * {@inheritDoc}
4308          * @since 1.6
4309          */
4310         public void dispose() {
4311             if (Component.this.bufferStrategy == this) {
4312                 Component.this.bufferStrategy = null;
4313                 if (peer != null) {
4314                     destroyBuffers();
4315                 }
4316             }
4317         }
4318 
4319     } // Inner class FlipBufferStrategy
4320 
4321     /**
4322      * Inner class for blitting offscreen surfaces to a component.
4323      *
4324      * @author Michael Martak
4325      * @since 1.4
4326      */
4327     protected class BltBufferStrategy extends BufferStrategy {
4328 
4329         /**
4330          * The buffering capabilities
4331          */
4332         protected BufferCapabilities caps; // = null
4333         /**
4334          * The back buffers
4335          */
4336         protected VolatileImage[] backBuffers; // = null
4337         /**
4338          * Whether or not the drawing buffer has been recently restored from
4339          * a lost state.
4340          */
4341         protected boolean validatedContents; // = false
4342         /**
4343          * Width of the back buffers
4344          */
4345         protected int width;
4346         /**
4347          * Height of the back buffers
4348          */
4349         protected int height;
4350 
4351         /**
4352          * Insets for the hosting Component.  The size of the back buffer
4353          * is constrained by these.
4354          */
4355         private Insets insets;
4356 
4357         /**
4358          * Creates a new blt buffer strategy around a component
4359          * @param numBuffers number of buffers to create, including the
4360          * front buffer
4361          * @param caps the capabilities of the buffers
4362          */
4363         protected BltBufferStrategy(int numBuffers, BufferCapabilities caps) {
4364             this.caps = caps;
4365             createBackBuffers(numBuffers - 1);
4366         }
4367 
4368         /**
4369          * {@inheritDoc}
4370          * @since 1.6
4371          */
4372         public void dispose() {
4373             if (backBuffers != null) {
4374                 for (int counter = backBuffers.length - 1; counter >= 0;
4375                      counter--) {
4376                     if (backBuffers[counter] != null) {
4377                         backBuffers[counter].flush();
4378                         backBuffers[counter] = null;
4379                     }
4380                 }
4381             }
4382             if (Component.this.bufferStrategy == this) {
4383                 Component.this.bufferStrategy = null;
4384             }
4385         }
4386 
4387         /**
4388          * Creates the back buffers
4389          *
4390          * @param numBuffers the number of buffers to create
4391          */
4392         protected void createBackBuffers(int numBuffers) {
4393             if (numBuffers == 0) {
4394                 backBuffers = null;
4395             } else {
4396                 // save the current bounds
4397                 width = getWidth();
4398                 height = getHeight();
4399                 insets = getInsets_NoClientCode();
4400                 int iWidth = width - insets.left - insets.right;
4401                 int iHeight = height - insets.top - insets.bottom;
4402 
4403                 // It is possible for the component's width and/or height
4404                 // to be 0 here.  Force the size of the backbuffers to
4405                 // be > 0 so that creating the image won't fail.
4406                 iWidth = Math.max(1, iWidth);
4407                 iHeight = Math.max(1, iHeight);
4408                 if (backBuffers == null) {
4409                     backBuffers = new VolatileImage[numBuffers];
4410                 } else {
4411                     // flush any existing backbuffers
4412                     for (int i = 0; i < numBuffers; i++) {
4413                         if (backBuffers[i] != null) {
4414                             backBuffers[i].flush();
4415                             backBuffers[i] = null;
4416                         }
4417                     }
4418                 }
4419 
4420                 // create the backbuffers
4421                 for (int i = 0; i < numBuffers; i++) {
4422                     backBuffers[i] = createVolatileImage(iWidth, iHeight);
4423                 }
4424             }
4425         }
4426 
4427         /**
4428          * @return the buffering capabilities of this strategy
4429          */
4430         public BufferCapabilities getCapabilities() {
4431             return caps;
4432         }
4433 
4434         /**
4435          * @return the draw graphics
4436          */
4437         public Graphics getDrawGraphics() {
4438             revalidate();
4439             Image backBuffer = getBackBuffer();
4440             if (backBuffer == null) {
4441                 return getGraphics();
4442             }
4443             SunGraphics2D g = (SunGraphics2D)backBuffer.getGraphics();
4444             g.constrain(-insets.left, -insets.top,
4445                         backBuffer.getWidth(null) + insets.left,
4446                         backBuffer.getHeight(null) + insets.top);
4447             return g;
4448         }
4449 
4450         /**
4451          * @return direct access to the back buffer, as an image.
4452          * If there is no back buffer, returns null.
4453          */
4454         Image getBackBuffer() {
4455             if (backBuffers != null) {
4456                 return backBuffers[backBuffers.length - 1];
4457             } else {
4458                 return null;
4459             }
4460         }
4461 
4462         /**
4463          * Makes the next available buffer visible.
4464          */
4465         public void show() {
4466             showSubRegion(insets.left, insets.top,
4467                           width - insets.right,
4468                           height - insets.bottom);
4469         }
4470 
4471         /**
4472          * Package-private method to present a specific rectangular area
4473          * of this buffer.  This class currently shows only the entire
4474          * buffer, by calling showSubRegion() with the full dimensions of
4475          * the buffer.  Subclasses (e.g., BltSubRegionBufferStrategy
4476          * and FlipSubRegionBufferStrategy) may have region-specific show
4477          * methods that call this method with actual sub regions of the
4478          * buffer.
4479          */
4480         void showSubRegion(int x1, int y1, int x2, int y2) {
4481             if (backBuffers == null) {
4482                 return;
4483             }
4484             // Adjust location to be relative to client area.
4485             x1 -= insets.left;
4486             x2 -= insets.left;
4487             y1 -= insets.top;
4488             y2 -= insets.top;
4489             Graphics g = getGraphics_NoClientCode();
4490             if (g == null) {
4491                 // Not showing, bail
4492                 return;
4493             }
4494             try {
4495                 // First image copy is in terms of Frame's coordinates, need
4496                 // to translate to client area.
4497                 g.translate(insets.left, insets.top);
4498                 for (int i = 0; i < backBuffers.length; i++) {
4499                     g.drawImage(backBuffers[i],
4500                                 x1, y1, x2, y2,
4501                                 x1, y1, x2, y2,
4502                                 null);
4503                     g.dispose();
4504                     g = null;
4505                     g = backBuffers[i].getGraphics();
4506                 }
4507             } finally {
4508                 if (g != null) {
4509                     g.dispose();
4510                 }
4511             }
4512         }
4513 
4514         /**
4515          * Restore the drawing buffer if it has been lost
4516          */
4517         protected void revalidate() {
4518             revalidate(true);
4519         }
4520 
4521         void revalidate(boolean checkSize) {
4522             validatedContents = false;
4523 
4524             if (backBuffers == null) {
4525                 return;
4526             }
4527 
4528             if (checkSize) {
4529                 Insets insets = getInsets_NoClientCode();
4530                 if (getWidth() != width || getHeight() != height ||
4531                     !insets.equals(this.insets)) {
4532                     // component has been resized; recreate the backbuffers
4533                     createBackBuffers(backBuffers.length);
4534                     validatedContents = true;
4535                 }
4536             }
4537 
4538             // now validate the backbuffer
4539             GraphicsConfiguration gc = getGraphicsConfiguration_NoClientCode();
4540             int returnCode =
4541                 backBuffers[backBuffers.length - 1].validate(gc);
4542             if (returnCode == VolatileImage.IMAGE_INCOMPATIBLE) {
4543                 if (checkSize) {
4544                     createBackBuffers(backBuffers.length);
4545                     // backbuffers were recreated, so validate again
4546                     backBuffers[backBuffers.length - 1].validate(gc);
4547                 }
4548                 // else case means we're called from Swing on the toolkit
4549                 // thread, don't recreate buffers as that'll deadlock
4550                 // (creating VolatileImages invokes getting GraphicsConfig
4551                 // which grabs treelock).
4552                 validatedContents = true;
4553             } else if (returnCode == VolatileImage.IMAGE_RESTORED) {
4554                 validatedContents = true;
4555             }
4556         }
4557 
4558         /**
4559          * @return whether the drawing buffer was lost since the last call to
4560          * <code>getDrawGraphics</code>
4561          */
4562         public boolean contentsLost() {
4563             if (backBuffers == null) {
4564                 return false;
4565             } else {
4566                 return backBuffers[backBuffers.length - 1].contentsLost();
4567             }
4568         }
4569 
4570         /**
4571          * @return whether the drawing buffer was recently restored from a lost
4572          * state and reinitialized to the default background color (white)
4573          */
4574         public boolean contentsRestored() {
4575             return validatedContents;
4576         }
4577     } // Inner class BltBufferStrategy
4578 
4579     /**
4580      * Private class to perform sub-region flipping.
4581      */
4582     private class FlipSubRegionBufferStrategy extends FlipBufferStrategy
4583         implements SubRegionShowable
4584     {
4585 
4586         protected FlipSubRegionBufferStrategy(int numBuffers,
4587                                               BufferCapabilities caps)
4588             throws AWTException
4589         {
4590             super(numBuffers, caps);
4591         }
4592 
4593         public void show(int x1, int y1, int x2, int y2) {
4594             showSubRegion(x1, y1, x2, y2);
4595         }
4596 
4597         // This is invoked by Swing on the toolkit thread.
4598         public boolean showIfNotLost(int x1, int y1, int x2, int y2) {
4599             if (!contentsLost()) {
4600                 showSubRegion(x1, y1, x2, y2);
4601                 return !contentsLost();
4602             }
4603             return false;
4604         }
4605     }
4606 
4607     /**
4608      * Private class to perform sub-region blitting.  Swing will use
4609      * this subclass via the SubRegionShowable interface in order to
4610      * copy only the area changed during a repaint.
4611      * See javax.swing.BufferStrategyPaintManager.
4612      */
4613     private class BltSubRegionBufferStrategy extends BltBufferStrategy
4614         implements SubRegionShowable
4615     {
4616 
4617         protected BltSubRegionBufferStrategy(int numBuffers,
4618                                              BufferCapabilities caps)
4619         {
4620             super(numBuffers, caps);
4621         }
4622 
4623         public void show(int x1, int y1, int x2, int y2) {
4624             showSubRegion(x1, y1, x2, y2);
4625         }
4626 
4627         // This method is called by Swing on the toolkit thread.
4628         public boolean showIfNotLost(int x1, int y1, int x2, int y2) {
4629             if (!contentsLost()) {
4630                 showSubRegion(x1, y1, x2, y2);
4631                 return !contentsLost();
4632             }
4633             return false;
4634         }
4635     }
4636 
4637     /**
4638      * Inner class for flipping buffers on a component.  That component must
4639      * be a <code>Canvas</code> or <code>Window</code>.
4640      * @see Canvas
4641      * @see Window
4642      * @see java.awt.image.BufferStrategy
4643      * @author Michael Martak
4644      * @since 1.4
4645      */
4646     private class SingleBufferStrategy extends BufferStrategy {
4647 
4648         private BufferCapabilities caps;
4649 
4650         public SingleBufferStrategy(BufferCapabilities caps) {
4651             this.caps = caps;
4652         }
4653         public BufferCapabilities getCapabilities() {
4654             return caps;
4655         }
4656         public Graphics getDrawGraphics() {
4657             return getGraphics();
4658         }
4659         public boolean contentsLost() {
4660             return false;
4661         }
4662         public boolean contentsRestored() {
4663             return false;
4664         }
4665         public void show() {
4666             // Do nothing
4667         }
4668     } // Inner class SingleBufferStrategy
4669 
4670     /**
4671      * Sets whether or not paint messages received from the operating system
4672      * should be ignored.  This does not affect paint events generated in
4673      * software by the AWT, unless they are an immediate response to an
4674      * OS-level paint message.
4675      * <p>
4676      * This is useful, for example, if running under full-screen mode and
4677      * better performance is desired, or if page-flipping is used as the
4678      * buffer strategy.
4679      *
4680      * @param ignoreRepaint {@code true} if the paint messages from the OS
4681      *                      should be ignored; otherwise {@code false}
4682      *
4683      * @since 1.4
4684      * @see #getIgnoreRepaint
4685      * @see Canvas#createBufferStrategy
4686      * @see Window#createBufferStrategy
4687      * @see java.awt.image.BufferStrategy
4688      * @see GraphicsDevice#setFullScreenWindow
4689      */
4690     public void setIgnoreRepaint(boolean ignoreRepaint) {
4691         this.ignoreRepaint = ignoreRepaint;
4692     }
4693 
4694     /**
4695      * @return whether or not paint messages received from the operating system
4696      * should be ignored.
4697      *
4698      * @since 1.4
4699      * @see #setIgnoreRepaint
4700      */
4701     public boolean getIgnoreRepaint() {
4702         return ignoreRepaint;
4703     }
4704 
4705     /**
4706      * Checks whether this component "contains" the specified point,
4707      * where <code>x</code> and <code>y</code> are defined to be
4708      * relative to the coordinate system of this component.
4709      *
4710      * @param     x   the <i>x</i> coordinate of the point
4711      * @param     y   the <i>y</i> coordinate of the point
4712      * @return {@code true} if the point is within the component;
4713      *         otherwise {@code false}
4714      * @see       #getComponentAt(int, int)
4715      * @since     1.1
4716      */
4717     public boolean contains(int x, int y) {
4718         return inside(x, y);
4719     }
4720 
4721     /**
4722      * Checks whether the point is inside of this component.
4723      *
4724      * @param  x the <i>x</i> coordinate of the point
4725      * @param  y the <i>y</i> coordinate of the point
4726      * @return {@code true} if the point is within the component;
4727      *         otherwise {@code false}
4728      * @deprecated As of JDK version 1.1,
4729      * replaced by contains(int, int).
4730      */
4731     @Deprecated
4732     public boolean inside(int x, int y) {
4733         return (x >= 0) && (x < width) && (y >= 0) && (y < height);
4734     }
4735 
4736     /**
4737      * Checks whether this component "contains" the specified point,
4738      * where the point's <i>x</i> and <i>y</i> coordinates are defined
4739      * to be relative to the coordinate system of this component.
4740      *
4741      * @param     p     the point
4742      * @return {@code true} if the point is within the component;
4743      *         otherwise {@code false}
4744      * @throws    NullPointerException if {@code p} is {@code null}
4745      * @see       #getComponentAt(Point)
4746      * @since     1.1
4747      */
4748     public boolean contains(Point p) {
4749         return contains(p.x, p.y);
4750     }
4751 
4752     /**
4753      * Determines if this component or one of its immediate
4754      * subcomponents contains the (<i>x</i>,&nbsp;<i>y</i>) location,
4755      * and if so, returns the containing component. This method only
4756      * looks one level deep. If the point (<i>x</i>,&nbsp;<i>y</i>) is
4757      * inside a subcomponent that itself has subcomponents, it does not
4758      * go looking down the subcomponent tree.
4759      * <p>
4760      * The <code>locate</code> method of <code>Component</code> simply
4761      * returns the component itself if the (<i>x</i>,&nbsp;<i>y</i>)
4762      * coordinate location is inside its bounding box, and <code>null</code>
4763      * otherwise.
4764      * @param     x   the <i>x</i> coordinate
4765      * @param     y   the <i>y</i> coordinate
4766      * @return    the component or subcomponent that contains the
4767      *                (<i>x</i>,&nbsp;<i>y</i>) location;
4768      *                <code>null</code> if the location
4769      *                is outside this component
4770      * @see       #contains(int, int)
4771      * @since     1.0
4772      */
4773     public Component getComponentAt(int x, int y) {
4774         return locate(x, y);
4775     }
4776 
4777     /**
4778      * Returns the component occupying the position specified (this component,
4779      * or immediate child component, or null if neither
4780      * of the first two occupies the location).
4781      *
4782      * @param  x the <i>x</i> coordinate to search for components at
4783      * @param  y the <i>y</i> coordinate to search for components at
4784      * @return the component at the specified location or {@code null}
4785      * @deprecated As of JDK version 1.1,
4786      * replaced by getComponentAt(int, int).
4787      */
4788     @Deprecated
4789     public Component locate(int x, int y) {
4790         return contains(x, y) ? this : null;
4791     }
4792 
4793     /**
4794      * Returns the component or subcomponent that contains the
4795      * specified point.
4796      * @param  p the point
4797      * @return the component at the specified location or {@code null}
4798      * @see java.awt.Component#contains
4799      * @since 1.1
4800      */
4801     public Component getComponentAt(Point p) {
4802         return getComponentAt(p.x, p.y);
4803     }
4804 
4805     /**
4806      * @param  e the event to deliver
4807      * @deprecated As of JDK version 1.1,
4808      * replaced by <code>dispatchEvent(AWTEvent e)</code>.
4809      */
4810     @Deprecated
4811     public void deliverEvent(Event e) {
4812         postEvent(e);
4813     }
4814 
4815     /**
4816      * Dispatches an event to this component or one of its sub components.
4817      * Calls <code>processEvent</code> before returning for 1.1-style
4818      * events which have been enabled for the <code>Component</code>.
4819      * @param e the event
4820      */
4821     public final void dispatchEvent(AWTEvent e) {
4822         dispatchEventImpl(e);
4823     }
4824 
4825     @SuppressWarnings("deprecation")
4826     void dispatchEventImpl(AWTEvent e) {
4827         int id = e.getID();
4828 
4829         // Check that this component belongs to this app-context
4830         AppContext compContext = appContext;
4831         if (compContext != null && !compContext.equals(AppContext.getAppContext())) {
4832             if (eventLog.isLoggable(PlatformLogger.Level.FINE)) {
4833                 eventLog.fine("Event " + e + " is being dispatched on the wrong AppContext");
4834             }
4835         }
4836 
4837         if (eventLog.isLoggable(PlatformLogger.Level.FINEST)) {
4838             eventLog.finest("{0}", e);
4839         }
4840 
4841         /*
4842          * 0. Set timestamp and modifiers of current event.
4843          */
4844         if (!(e instanceof KeyEvent)) {
4845             // Timestamp of a key event is set later in DKFM.preDispatchKeyEvent(KeyEvent).
4846             EventQueue.setCurrentEventAndMostRecentTime(e);
4847         }
4848 
4849         /*
4850          * 1. Pre-dispatchers. Do any necessary retargeting/reordering here
4851          *    before we notify AWTEventListeners.
4852          */
4853 
4854         if (e instanceof SunDropTargetEvent) {
4855             ((SunDropTargetEvent)e).dispatch();
4856             return;
4857         }
4858 
4859         if (!e.focusManagerIsDispatching) {
4860             // Invoke the private focus retargeting method which provides
4861             // lightweight Component support
4862             if (e.isPosted) {
4863                 e = KeyboardFocusManager.retargetFocusEvent(e);
4864                 e.isPosted = true;
4865             }
4866 
4867             // Now, with the event properly targeted to a lightweight
4868             // descendant if necessary, invoke the public focus retargeting
4869             // and dispatching function
4870             if (KeyboardFocusManager.getCurrentKeyboardFocusManager().
4871                 dispatchEvent(e))
4872             {
4873                 return;
4874             }
4875         }
4876         if ((e instanceof FocusEvent) && focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
4877             focusLog.finest("" + e);
4878         }
4879         // MouseWheel may need to be retargeted here so that
4880         // AWTEventListener sees the event go to the correct
4881         // Component.  If the MouseWheelEvent needs to go to an ancestor,
4882         // the event is dispatched to the ancestor, and dispatching here
4883         // stops.
4884         if (id == MouseEvent.MOUSE_WHEEL &&
4885             (!eventTypeEnabled(id)) &&
4886             (peer != null && !peer.handlesWheelScrolling()) &&
4887             (dispatchMouseWheelToAncestor((MouseWheelEvent)e)))
4888         {
4889             return;
4890         }
4891 
4892         /*
4893          * 2. Allow the Toolkit to pass this to AWTEventListeners.
4894          */
4895         Toolkit toolkit = Toolkit.getDefaultToolkit();
4896         toolkit.notifyAWTEventListeners(e);
4897 
4898 
4899         /*
4900          * 3. If no one has consumed a key event, allow the
4901          *    KeyboardFocusManager to process it.
4902          */
4903         if (!e.isConsumed()) {
4904             if (e instanceof java.awt.event.KeyEvent) {
4905                 KeyboardFocusManager.getCurrentKeyboardFocusManager().
4906                     processKeyEvent(this, (KeyEvent)e);
4907                 if (e.isConsumed()) {
4908                     return;
4909                 }
4910             }
4911         }
4912 
4913         /*
4914          * 4. Allow input methods to process the event
4915          */
4916         if (areInputMethodsEnabled()) {
4917             // We need to pass on InputMethodEvents since some host
4918             // input method adapters send them through the Java
4919             // event queue instead of directly to the component,
4920             // and the input context also handles the Java composition window
4921             if(((e instanceof InputMethodEvent) && !(this instanceof CompositionArea))
4922                ||
4923                // Otherwise, we only pass on input and focus events, because
4924                // a) input methods shouldn't know about semantic or component-level events
4925                // b) passing on the events takes time
4926                // c) isConsumed() is always true for semantic events.
4927                (e instanceof InputEvent) || (e instanceof FocusEvent)) {
4928                 InputContext inputContext = getInputContext();
4929 
4930 
4931                 if (inputContext != null) {
4932                     inputContext.dispatchEvent(e);
4933                     if (e.isConsumed()) {
4934                         if ((e instanceof FocusEvent) && focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
4935                             focusLog.finest("3579: Skipping " + e);
4936                         }
4937                         return;
4938                     }
4939                 }
4940             }
4941         } else {
4942             // When non-clients get focus, we need to explicitly disable the native
4943             // input method. The native input method is actually not disabled when
4944             // the active/passive/peered clients loose focus.
4945             if (id == FocusEvent.FOCUS_GAINED) {
4946                 InputContext inputContext = getInputContext();
4947                 if (inputContext != null && inputContext instanceof sun.awt.im.InputContext) {
4948                     ((sun.awt.im.InputContext)inputContext).disableNativeIM();
4949                 }
4950             }
4951         }
4952 
4953 
4954         /*
4955          * 5. Pre-process any special events before delivery
4956          */
4957         switch(id) {
4958             // Handling of the PAINT and UPDATE events is now done in the
4959             // peer's handleEvent() method so the background can be cleared
4960             // selectively for non-native components on Windows only.
4961             // - Fred.Ecks@Eng.sun.com, 5-8-98
4962 
4963           case KeyEvent.KEY_PRESSED:
4964           case KeyEvent.KEY_RELEASED:
4965               Container p = (Container)((this instanceof Container) ? this : parent);
4966               if (p != null) {
4967                   p.preProcessKeyEvent((KeyEvent)e);
4968                   if (e.isConsumed()) {
4969                         if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
4970                             focusLog.finest("Pre-process consumed event");
4971                         }
4972                       return;
4973                   }
4974               }
4975               break;
4976 
4977           default:
4978               break;
4979         }
4980 
4981         /*
4982          * 6. Deliver event for normal processing
4983          */
4984         if (newEventsOnly) {
4985             // Filtering needs to really be moved to happen at a lower
4986             // level in order to get maximum performance gain;  it is
4987             // here temporarily to ensure the API spec is honored.
4988             //
4989             if (eventEnabled(e)) {
4990                 processEvent(e);
4991             }
4992         } else if (id == MouseEvent.MOUSE_WHEEL) {
4993             // newEventsOnly will be false for a listenerless ScrollPane, but
4994             // MouseWheelEvents still need to be dispatched to it so scrolling
4995             // can be done.
4996             autoProcessMouseWheel((MouseWheelEvent)e);
4997         } else if (!(e instanceof MouseEvent && !postsOldMouseEvents())) {
4998             //
4999             // backward compatibility
5000             //
5001             Event olde = e.convertToOld();
5002             if (olde != null) {
5003                 int key = olde.key;
5004                 int modifiers = olde.modifiers;
5005 
5006                 postEvent(olde);
5007                 if (olde.isConsumed()) {
5008                     e.consume();
5009                 }
5010                 // if target changed key or modifier values, copy them
5011                 // back to original event
5012                 //
5013                 switch(olde.id) {
5014                   case Event.KEY_PRESS:
5015                   case Event.KEY_RELEASE:
5016                   case Event.KEY_ACTION:
5017                   case Event.KEY_ACTION_RELEASE:
5018                       if (olde.key != key) {
5019                           ((KeyEvent)e).setKeyChar(olde.getKeyEventChar());
5020                       }
5021                       if (olde.modifiers != modifiers) {
5022                           ((KeyEvent)e).setModifiers(olde.modifiers);
5023                       }
5024                       break;
5025                   default:
5026                       break;
5027                 }
5028             }
5029         }
5030 
5031         /*
5032          * 9. Allow the peer to process the event.
5033          * Except KeyEvents, they will be processed by peer after
5034          * all KeyEventPostProcessors
5035          * (see DefaultKeyboardFocusManager.dispatchKeyEvent())
5036          */
5037         if (!(e instanceof KeyEvent)) {
5038             ComponentPeer tpeer = peer;
5039             if (e instanceof FocusEvent && (tpeer == null || tpeer instanceof LightweightPeer)) {
5040                 // if focus owner is lightweight then its native container
5041                 // processes event
5042                 Component source = (Component)e.getSource();
5043                 if (source != null) {
5044                     Container target = source.getNativeContainer();
5045                     if (target != null) {
5046                         tpeer = target.peer;
5047                     }
5048                 }
5049             }
5050             if (tpeer != null) {
5051                 tpeer.handleEvent(e);
5052             }
5053         }
5054     } // dispatchEventImpl()
5055 
5056     /*
5057      * If newEventsOnly is false, method is called so that ScrollPane can
5058      * override it and handle common-case mouse wheel scrolling.  NOP
5059      * for Component.
5060      */
5061     void autoProcessMouseWheel(MouseWheelEvent e) {}
5062 
5063     /*
5064      * Dispatch given MouseWheelEvent to the first ancestor for which
5065      * MouseWheelEvents are enabled.
5066      *
5067      * Returns whether or not event was dispatched to an ancestor
5068      */
5069     boolean dispatchMouseWheelToAncestor(MouseWheelEvent e) {
5070         int newX, newY;
5071         newX = e.getX() + getX(); // Coordinates take into account at least
5072         newY = e.getY() + getY(); // the cursor's position relative to this
5073                                   // Component (e.getX()), and this Component's
5074                                   // position relative to its parent.
5075         MouseWheelEvent newMWE;
5076 
5077         if (eventLog.isLoggable(PlatformLogger.Level.FINEST)) {
5078             eventLog.finest("dispatchMouseWheelToAncestor");
5079             eventLog.finest("orig event src is of " + e.getSource().getClass());
5080         }
5081 
5082         /* parent field for Window refers to the owning Window.
5083          * MouseWheelEvents should NOT be propagated into owning Windows
5084          */
5085         synchronized (getTreeLock()) {
5086             Container anc = getParent();
5087             while (anc != null && !anc.eventEnabled(e)) {
5088                 // fix coordinates to be relative to new event source
5089                 newX += anc.getX();
5090                 newY += anc.getY();
5091 
5092                 if (!(anc instanceof Window)) {
5093                     anc = anc.getParent();
5094                 }
5095                 else {
5096                     break;
5097                 }
5098             }
5099 
5100             if (eventLog.isLoggable(PlatformLogger.Level.FINEST)) {
5101                 eventLog.finest("new event src is " + anc.getClass());
5102             }
5103 
5104             if (anc != null && anc.eventEnabled(e)) {
5105                 // Change event to be from new source, with new x,y
5106                 // For now, just create a new event - yucky
5107 
5108                 newMWE = new MouseWheelEvent(anc, // new source
5109                                              e.getID(),
5110                                              e.getWhen(),
5111                                              e.getModifiers(),
5112                                              newX, // x relative to new source
5113                                              newY, // y relative to new source
5114                                              e.getXOnScreen(),
5115                                              e.getYOnScreen(),
5116                                              e.getClickCount(),
5117                                              e.isPopupTrigger(),
5118                                              e.getScrollType(),
5119                                              e.getScrollAmount(),
5120                                              e.getWheelRotation(),
5121                                              e.getPreciseWheelRotation());
5122                 ((AWTEvent)e).copyPrivateDataInto(newMWE);
5123                 // When dispatching a wheel event to
5124                 // ancestor, there is no need trying to find descendant
5125                 // lightweights to dispatch event to.
5126                 // If we dispatch the event to toplevel ancestor,
5127                 // this could enclose the loop: 6480024.
5128                 anc.dispatchEventToSelf(newMWE);
5129                 if (newMWE.isConsumed()) {
5130                     e.consume();
5131                 }
5132                 return true;
5133             }
5134         }
5135         return false;
5136     }
5137 
5138     boolean areInputMethodsEnabled() {
5139         // in 1.2, we assume input method support is required for all
5140         // components that handle key events, but components can turn off
5141         // input methods by calling enableInputMethods(false).
5142         return ((eventMask & AWTEvent.INPUT_METHODS_ENABLED_MASK) != 0) &&
5143             ((eventMask & AWTEvent.KEY_EVENT_MASK) != 0 || keyListener != null);
5144     }
5145 
5146     // REMIND: remove when filtering is handled at lower level
5147     boolean eventEnabled(AWTEvent e) {
5148         return eventTypeEnabled(e.id);
5149     }
5150 
5151     boolean eventTypeEnabled(int type) {
5152         switch(type) {
5153           case ComponentEvent.COMPONENT_MOVED:
5154           case ComponentEvent.COMPONENT_RESIZED:
5155           case ComponentEvent.COMPONENT_SHOWN:
5156           case ComponentEvent.COMPONENT_HIDDEN:
5157               if ((eventMask & AWTEvent.COMPONENT_EVENT_MASK) != 0 ||
5158                   componentListener != null) {
5159                   return true;
5160               }
5161               break;
5162           case FocusEvent.FOCUS_GAINED:
5163           case FocusEvent.FOCUS_LOST:
5164               if ((eventMask & AWTEvent.FOCUS_EVENT_MASK) != 0 ||
5165                   focusListener != null) {
5166                   return true;
5167               }
5168               break;
5169           case KeyEvent.KEY_PRESSED:
5170           case KeyEvent.KEY_RELEASED:
5171           case KeyEvent.KEY_TYPED:
5172               if ((eventMask & AWTEvent.KEY_EVENT_MASK) != 0 ||
5173                   keyListener != null) {
5174                   return true;
5175               }
5176               break;
5177           case MouseEvent.MOUSE_PRESSED:
5178           case MouseEvent.MOUSE_RELEASED:
5179           case MouseEvent.MOUSE_ENTERED:
5180           case MouseEvent.MOUSE_EXITED:
5181           case MouseEvent.MOUSE_CLICKED:
5182               if ((eventMask & AWTEvent.MOUSE_EVENT_MASK) != 0 ||
5183                   mouseListener != null) {
5184                   return true;
5185               }
5186               break;
5187           case MouseEvent.MOUSE_MOVED:
5188           case MouseEvent.MOUSE_DRAGGED:
5189               if ((eventMask & AWTEvent.MOUSE_MOTION_EVENT_MASK) != 0 ||
5190                   mouseMotionListener != null) {
5191                   return true;
5192               }
5193               break;
5194           case MouseEvent.MOUSE_WHEEL:
5195               if ((eventMask & AWTEvent.MOUSE_WHEEL_EVENT_MASK) != 0 ||
5196                   mouseWheelListener != null) {
5197                   return true;
5198               }
5199               break;
5200           case InputMethodEvent.INPUT_METHOD_TEXT_CHANGED:
5201           case InputMethodEvent.CARET_POSITION_CHANGED:
5202               if ((eventMask & AWTEvent.INPUT_METHOD_EVENT_MASK) != 0 ||
5203                   inputMethodListener != null) {
5204                   return true;
5205               }
5206               break;
5207           case HierarchyEvent.HIERARCHY_CHANGED:
5208               if ((eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0 ||
5209                   hierarchyListener != null) {
5210                   return true;
5211               }
5212               break;
5213           case HierarchyEvent.ANCESTOR_MOVED:
5214           case HierarchyEvent.ANCESTOR_RESIZED:
5215               if ((eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) != 0 ||
5216                   hierarchyBoundsListener != null) {
5217                   return true;
5218               }
5219               break;
5220           case ActionEvent.ACTION_PERFORMED:
5221               if ((eventMask & AWTEvent.ACTION_EVENT_MASK) != 0) {
5222                   return true;
5223               }
5224               break;
5225           case TextEvent.TEXT_VALUE_CHANGED:
5226               if ((eventMask & AWTEvent.TEXT_EVENT_MASK) != 0) {
5227                   return true;
5228               }
5229               break;
5230           case ItemEvent.ITEM_STATE_CHANGED:
5231               if ((eventMask & AWTEvent.ITEM_EVENT_MASK) != 0) {
5232                   return true;
5233               }
5234               break;
5235           case AdjustmentEvent.ADJUSTMENT_VALUE_CHANGED:
5236               if ((eventMask & AWTEvent.ADJUSTMENT_EVENT_MASK) != 0) {
5237                   return true;
5238               }
5239               break;
5240           default:
5241               break;
5242         }
5243         //
5244         // Always pass on events defined by external programs.
5245         //
5246         if (type > AWTEvent.RESERVED_ID_MAX) {
5247             return true;
5248         }
5249         return false;
5250     }
5251 
5252     /**
5253      * @deprecated As of JDK version 1.1,
5254      * replaced by dispatchEvent(AWTEvent).
5255      */
5256     @Deprecated
5257     public boolean postEvent(Event e) {
5258         ComponentPeer peer = this.peer;
5259 
5260         if (handleEvent(e)) {
5261             e.consume();
5262             return true;
5263         }
5264 
5265         Component parent = this.parent;
5266         int eventx = e.x;
5267         int eventy = e.y;
5268         if (parent != null) {
5269             e.translate(x, y);
5270             if (parent.postEvent(e)) {
5271                 e.consume();
5272                 return true;
5273             }
5274             // restore coords
5275             e.x = eventx;
5276             e.y = eventy;
5277         }
5278         return false;
5279     }
5280 
5281     // Event source interfaces
5282 
5283     /**
5284      * Adds the specified component listener to receive component events from
5285      * this component.
5286      * If listener <code>l</code> is <code>null</code>,
5287      * no exception is thrown and no action is performed.
5288      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5289      * >AWT Threading Issues</a> for details on AWT's threading model.
5290      *
5291      * @param    l   the component listener
5292      * @see      java.awt.event.ComponentEvent
5293      * @see      java.awt.event.ComponentListener
5294      * @see      #removeComponentListener
5295      * @see      #getComponentListeners
5296      * @since    1.1
5297      */
5298     public synchronized void addComponentListener(ComponentListener l) {
5299         if (l == null) {
5300             return;
5301         }
5302         componentListener = AWTEventMulticaster.add(componentListener, l);
5303         newEventsOnly = true;
5304     }
5305 
5306     /**
5307      * Removes the specified component listener so that it no longer
5308      * receives component events from this component. This method performs
5309      * no function, nor does it throw an exception, if the listener
5310      * specified by the argument was not previously added to this component.
5311      * If listener <code>l</code> is <code>null</code>,
5312      * no exception is thrown and no action is performed.
5313      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5314      * >AWT Threading Issues</a> for details on AWT's threading model.
5315      * @param    l   the component listener
5316      * @see      java.awt.event.ComponentEvent
5317      * @see      java.awt.event.ComponentListener
5318      * @see      #addComponentListener
5319      * @see      #getComponentListeners
5320      * @since    1.1
5321      */
5322     public synchronized void removeComponentListener(ComponentListener l) {
5323         if (l == null) {
5324             return;
5325         }
5326         componentListener = AWTEventMulticaster.remove(componentListener, l);
5327     }
5328 
5329     /**
5330      * Returns an array of all the component listeners
5331      * registered on this component.
5332      *
5333      * @return all <code>ComponentListener</code>s of this component
5334      *         or an empty array if no component
5335      *         listeners are currently registered
5336      *
5337      * @see #addComponentListener
5338      * @see #removeComponentListener
5339      * @since 1.4
5340      */
5341     public synchronized ComponentListener[] getComponentListeners() {
5342         return getListeners(ComponentListener.class);
5343     }
5344 
5345     /**
5346      * Adds the specified focus listener to receive focus events from
5347      * this component when this component gains input focus.
5348      * If listener <code>l</code> is <code>null</code>,
5349      * no exception is thrown and no action is performed.
5350      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5351      * >AWT Threading Issues</a> for details on AWT's threading model.
5352      *
5353      * @param    l   the focus listener
5354      * @see      java.awt.event.FocusEvent
5355      * @see      java.awt.event.FocusListener
5356      * @see      #removeFocusListener
5357      * @see      #getFocusListeners
5358      * @since    1.1
5359      */
5360     public synchronized void addFocusListener(FocusListener l) {
5361         if (l == null) {
5362             return;
5363         }
5364         focusListener = AWTEventMulticaster.add(focusListener, l);
5365         newEventsOnly = true;
5366 
5367         // if this is a lightweight component, enable focus events
5368         // in the native container.
5369         if (peer instanceof LightweightPeer) {
5370             parent.proxyEnableEvents(AWTEvent.FOCUS_EVENT_MASK);
5371         }
5372     }
5373 
5374     /**
5375      * Removes the specified focus listener so that it no longer
5376      * receives focus events from this component. This method performs
5377      * no function, nor does it throw an exception, if the listener
5378      * specified by the argument was not previously added to this component.
5379      * If listener <code>l</code> is <code>null</code>,
5380      * no exception is thrown and no action is performed.
5381      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5382      * >AWT Threading Issues</a> for details on AWT's threading model.
5383      *
5384      * @param    l   the focus listener
5385      * @see      java.awt.event.FocusEvent
5386      * @see      java.awt.event.FocusListener
5387      * @see      #addFocusListener
5388      * @see      #getFocusListeners
5389      * @since    1.1
5390      */
5391     public synchronized void removeFocusListener(FocusListener l) {
5392         if (l == null) {
5393             return;
5394         }
5395         focusListener = AWTEventMulticaster.remove(focusListener, l);
5396     }
5397 
5398     /**
5399      * Returns an array of all the focus listeners
5400      * registered on this component.
5401      *
5402      * @return all of this component's <code>FocusListener</code>s
5403      *         or an empty array if no component
5404      *         listeners are currently registered
5405      *
5406      * @see #addFocusListener
5407      * @see #removeFocusListener
5408      * @since 1.4
5409      */
5410     public synchronized FocusListener[] getFocusListeners() {
5411         return getListeners(FocusListener.class);
5412     }
5413 
5414     /**
5415      * Adds the specified hierarchy listener to receive hierarchy changed
5416      * events from this component when the hierarchy to which this container
5417      * belongs changes.
5418      * If listener <code>l</code> is <code>null</code>,
5419      * no exception is thrown and no action is performed.
5420      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5421      * >AWT Threading Issues</a> for details on AWT's threading model.
5422      *
5423      * @param    l   the hierarchy listener
5424      * @see      java.awt.event.HierarchyEvent
5425      * @see      java.awt.event.HierarchyListener
5426      * @see      #removeHierarchyListener
5427      * @see      #getHierarchyListeners
5428      * @since    1.3
5429      */
5430     public void addHierarchyListener(HierarchyListener l) {
5431         if (l == null) {
5432             return;
5433         }
5434         boolean notifyAncestors;
5435         synchronized (this) {
5436             notifyAncestors =
5437                 (hierarchyListener == null &&
5438                  (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) == 0);
5439             hierarchyListener = AWTEventMulticaster.add(hierarchyListener, l);
5440             notifyAncestors = (notifyAncestors && hierarchyListener != null);
5441             newEventsOnly = true;
5442         }
5443         if (notifyAncestors) {
5444             synchronized (getTreeLock()) {
5445                 adjustListeningChildrenOnParent(AWTEvent.HIERARCHY_EVENT_MASK,
5446                                                 1);
5447             }
5448         }
5449     }
5450 
5451     /**
5452      * Removes the specified hierarchy listener so that it no longer
5453      * receives hierarchy changed events from this component. This method
5454      * performs no function, nor does it throw an exception, if the listener
5455      * specified by the argument was not previously added to this component.
5456      * If listener <code>l</code> is <code>null</code>,
5457      * no exception is thrown and no action is performed.
5458      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5459      * >AWT Threading Issues</a> for details on AWT's threading model.
5460      *
5461      * @param    l   the hierarchy listener
5462      * @see      java.awt.event.HierarchyEvent
5463      * @see      java.awt.event.HierarchyListener
5464      * @see      #addHierarchyListener
5465      * @see      #getHierarchyListeners
5466      * @since    1.3
5467      */
5468     public void removeHierarchyListener(HierarchyListener l) {
5469         if (l == null) {
5470             return;
5471         }
5472         boolean notifyAncestors;
5473         synchronized (this) {
5474             notifyAncestors =
5475                 (hierarchyListener != null &&
5476                  (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) == 0);
5477             hierarchyListener =
5478                 AWTEventMulticaster.remove(hierarchyListener, l);
5479             notifyAncestors = (notifyAncestors && hierarchyListener == null);
5480         }
5481         if (notifyAncestors) {
5482             synchronized (getTreeLock()) {
5483                 adjustListeningChildrenOnParent(AWTEvent.HIERARCHY_EVENT_MASK,
5484                                                 -1);
5485             }
5486         }
5487     }
5488 
5489     /**
5490      * Returns an array of all the hierarchy listeners
5491      * registered on this component.
5492      *
5493      * @return all of this component's <code>HierarchyListener</code>s
5494      *         or an empty array if no hierarchy
5495      *         listeners are currently registered
5496      *
5497      * @see      #addHierarchyListener
5498      * @see      #removeHierarchyListener
5499      * @since    1.4
5500      */
5501     public synchronized HierarchyListener[] getHierarchyListeners() {
5502         return getListeners(HierarchyListener.class);
5503     }
5504 
5505     /**
5506      * Adds the specified hierarchy bounds listener to receive hierarchy
5507      * bounds events from this component when the hierarchy to which this
5508      * container belongs changes.
5509      * If listener <code>l</code> is <code>null</code>,
5510      * no exception is thrown and no action is performed.
5511      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5512      * >AWT Threading Issues</a> for details on AWT's threading model.
5513      *
5514      * @param    l   the hierarchy bounds listener
5515      * @see      java.awt.event.HierarchyEvent
5516      * @see      java.awt.event.HierarchyBoundsListener
5517      * @see      #removeHierarchyBoundsListener
5518      * @see      #getHierarchyBoundsListeners
5519      * @since    1.3
5520      */
5521     public void addHierarchyBoundsListener(HierarchyBoundsListener l) {
5522         if (l == null) {
5523             return;
5524         }
5525         boolean notifyAncestors;
5526         synchronized (this) {
5527             notifyAncestors =
5528                 (hierarchyBoundsListener == null &&
5529                  (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) == 0);
5530             hierarchyBoundsListener =
5531                 AWTEventMulticaster.add(hierarchyBoundsListener, l);
5532             notifyAncestors = (notifyAncestors &&
5533                                hierarchyBoundsListener != null);
5534             newEventsOnly = true;
5535         }
5536         if (notifyAncestors) {
5537             synchronized (getTreeLock()) {
5538                 adjustListeningChildrenOnParent(
5539                                                 AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK, 1);
5540             }
5541         }
5542     }
5543 
5544     /**
5545      * Removes the specified hierarchy bounds listener so that it no longer
5546      * receives hierarchy bounds events from this component. This method
5547      * performs no function, nor does it throw an exception, if the listener
5548      * specified by the argument was not previously added to this component.
5549      * If listener <code>l</code> is <code>null</code>,
5550      * no exception is thrown and no action is performed.
5551      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5552      * >AWT Threading Issues</a> for details on AWT's threading model.
5553      *
5554      * @param    l   the hierarchy bounds listener
5555      * @see      java.awt.event.HierarchyEvent
5556      * @see      java.awt.event.HierarchyBoundsListener
5557      * @see      #addHierarchyBoundsListener
5558      * @see      #getHierarchyBoundsListeners
5559      * @since    1.3
5560      */
5561     public void removeHierarchyBoundsListener(HierarchyBoundsListener l) {
5562         if (l == null) {
5563             return;
5564         }
5565         boolean notifyAncestors;
5566         synchronized (this) {
5567             notifyAncestors =
5568                 (hierarchyBoundsListener != null &&
5569                  (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) == 0);
5570             hierarchyBoundsListener =
5571                 AWTEventMulticaster.remove(hierarchyBoundsListener, l);
5572             notifyAncestors = (notifyAncestors &&
5573                                hierarchyBoundsListener == null);
5574         }
5575         if (notifyAncestors) {
5576             synchronized (getTreeLock()) {
5577                 adjustListeningChildrenOnParent(
5578                                                 AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK, -1);
5579             }
5580         }
5581     }
5582 
5583     // Should only be called while holding the tree lock
5584     int numListening(long mask) {
5585         // One mask or the other, but not neither or both.
5586         if (eventLog.isLoggable(PlatformLogger.Level.FINE)) {
5587             if ((mask != AWTEvent.HIERARCHY_EVENT_MASK) &&
5588                 (mask != AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK))
5589             {
5590                 eventLog.fine("Assertion failed");
5591             }
5592         }
5593         if ((mask == AWTEvent.HIERARCHY_EVENT_MASK &&
5594              (hierarchyListener != null ||
5595               (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0)) ||
5596             (mask == AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK &&
5597              (hierarchyBoundsListener != null ||
5598               (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) != 0))) {
5599             return 1;
5600         } else {
5601             return 0;
5602         }
5603     }
5604 
5605     // Should only be called while holding tree lock
5606     int countHierarchyMembers() {
5607         return 1;
5608     }
5609     // Should only be called while holding the tree lock
5610     int createHierarchyEvents(int id, Component changed,
5611                               Container changedParent, long changeFlags,
5612                               boolean enabledOnToolkit) {
5613         switch (id) {
5614           case HierarchyEvent.HIERARCHY_CHANGED:
5615               if (hierarchyListener != null ||
5616                   (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0 ||
5617                   enabledOnToolkit) {
5618                   HierarchyEvent e = new HierarchyEvent(this, id, changed,
5619                                                         changedParent,
5620                                                         changeFlags);
5621                   dispatchEvent(e);
5622                   return 1;
5623               }
5624               break;
5625           case HierarchyEvent.ANCESTOR_MOVED:
5626           case HierarchyEvent.ANCESTOR_RESIZED:
5627               if (eventLog.isLoggable(PlatformLogger.Level.FINE)) {
5628                   if (changeFlags != 0) {
5629                       eventLog.fine("Assertion (changeFlags == 0) failed");
5630                   }
5631               }
5632               if (hierarchyBoundsListener != null ||
5633                   (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) != 0 ||
5634                   enabledOnToolkit) {
5635                   HierarchyEvent e = new HierarchyEvent(this, id, changed,
5636                                                         changedParent);
5637                   dispatchEvent(e);
5638                   return 1;
5639               }
5640               break;
5641           default:
5642               // assert false
5643               if (eventLog.isLoggable(PlatformLogger.Level.FINE)) {
5644                   eventLog.fine("This code must never be reached");
5645               }
5646               break;
5647         }
5648         return 0;
5649     }
5650 
5651     /**
5652      * Returns an array of all the hierarchy bounds listeners
5653      * registered on this component.
5654      *
5655      * @return all of this component's <code>HierarchyBoundsListener</code>s
5656      *         or an empty array if no hierarchy bounds
5657      *         listeners are currently registered
5658      *
5659      * @see      #addHierarchyBoundsListener
5660      * @see      #removeHierarchyBoundsListener
5661      * @since    1.4
5662      */
5663     public synchronized HierarchyBoundsListener[] getHierarchyBoundsListeners() {
5664         return getListeners(HierarchyBoundsListener.class);
5665     }
5666 
5667     /*
5668      * Should only be called while holding the tree lock.
5669      * It's added only for overriding in java.awt.Window
5670      * because parent in Window is owner.
5671      */
5672     void adjustListeningChildrenOnParent(long mask, int num) {
5673         if (parent != null) {
5674             parent.adjustListeningChildren(mask, num);
5675         }
5676     }
5677 
5678     /**
5679      * Adds the specified key listener to receive key events from
5680      * this component.
5681      * If l is null, no exception is thrown and no action is performed.
5682      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5683      * >AWT Threading Issues</a> for details on AWT's threading model.
5684      *
5685      * @param    l   the key listener.
5686      * @see      java.awt.event.KeyEvent
5687      * @see      java.awt.event.KeyListener
5688      * @see      #removeKeyListener
5689      * @see      #getKeyListeners
5690      * @since    1.1
5691      */
5692     public synchronized void addKeyListener(KeyListener l) {
5693         if (l == null) {
5694             return;
5695         }
5696         keyListener = AWTEventMulticaster.add(keyListener, l);
5697         newEventsOnly = true;
5698 
5699         // if this is a lightweight component, enable key events
5700         // in the native container.
5701         if (peer instanceof LightweightPeer) {
5702             parent.proxyEnableEvents(AWTEvent.KEY_EVENT_MASK);
5703         }
5704     }
5705 
5706     /**
5707      * Removes the specified key listener so that it no longer
5708      * receives key events from this component. This method performs
5709      * no function, nor does it throw an exception, if the listener
5710      * specified by the argument was not previously added to this component.
5711      * If listener <code>l</code> is <code>null</code>,
5712      * no exception is thrown and no action is performed.
5713      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5714      * >AWT Threading Issues</a> for details on AWT's threading model.
5715      *
5716      * @param    l   the key listener
5717      * @see      java.awt.event.KeyEvent
5718      * @see      java.awt.event.KeyListener
5719      * @see      #addKeyListener
5720      * @see      #getKeyListeners
5721      * @since    1.1
5722      */
5723     public synchronized void removeKeyListener(KeyListener l) {
5724         if (l == null) {
5725             return;
5726         }
5727         keyListener = AWTEventMulticaster.remove(keyListener, l);
5728     }
5729 
5730     /**
5731      * Returns an array of all the key listeners
5732      * registered on this component.
5733      *
5734      * @return all of this component's <code>KeyListener</code>s
5735      *         or an empty array if no key
5736      *         listeners are currently registered
5737      *
5738      * @see      #addKeyListener
5739      * @see      #removeKeyListener
5740      * @since    1.4
5741      */
5742     public synchronized KeyListener[] getKeyListeners() {
5743         return getListeners(KeyListener.class);
5744     }
5745 
5746     /**
5747      * Adds the specified mouse listener to receive mouse events from
5748      * this component.
5749      * If listener <code>l</code> is <code>null</code>,
5750      * no exception is thrown and no action is performed.
5751      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5752      * >AWT Threading Issues</a> for details on AWT's threading model.
5753      *
5754      * @param    l   the mouse listener
5755      * @see      java.awt.event.MouseEvent
5756      * @see      java.awt.event.MouseListener
5757      * @see      #removeMouseListener
5758      * @see      #getMouseListeners
5759      * @since    1.1
5760      */
5761     public synchronized void addMouseListener(MouseListener l) {
5762         if (l == null) {
5763             return;
5764         }
5765         mouseListener = AWTEventMulticaster.add(mouseListener,l);
5766         newEventsOnly = true;
5767 
5768         // if this is a lightweight component, enable mouse events
5769         // in the native container.
5770         if (peer instanceof LightweightPeer) {
5771             parent.proxyEnableEvents(AWTEvent.MOUSE_EVENT_MASK);
5772         }
5773     }
5774 
5775     /**
5776      * Removes the specified mouse listener so that it no longer
5777      * receives mouse events from this component. This method performs
5778      * no function, nor does it throw an exception, if the listener
5779      * specified by the argument was not previously added to this component.
5780      * If listener <code>l</code> is <code>null</code>,
5781      * no exception is thrown and no action is performed.
5782      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5783      * >AWT Threading Issues</a> for details on AWT's threading model.
5784      *
5785      * @param    l   the mouse listener
5786      * @see      java.awt.event.MouseEvent
5787      * @see      java.awt.event.MouseListener
5788      * @see      #addMouseListener
5789      * @see      #getMouseListeners
5790      * @since    1.1
5791      */
5792     public synchronized void removeMouseListener(MouseListener l) {
5793         if (l == null) {
5794             return;
5795         }
5796         mouseListener = AWTEventMulticaster.remove(mouseListener, l);
5797     }
5798 
5799     /**
5800      * Returns an array of all the mouse listeners
5801      * registered on this component.
5802      *
5803      * @return all of this component's <code>MouseListener</code>s
5804      *         or an empty array if no mouse
5805      *         listeners are currently registered
5806      *
5807      * @see      #addMouseListener
5808      * @see      #removeMouseListener
5809      * @since    1.4
5810      */
5811     public synchronized MouseListener[] getMouseListeners() {
5812         return getListeners(MouseListener.class);
5813     }
5814 
5815     /**
5816      * Adds the specified mouse motion listener to receive mouse motion
5817      * events from this component.
5818      * If listener <code>l</code> is <code>null</code>,
5819      * no exception is thrown and no action is performed.
5820      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5821      * >AWT Threading Issues</a> for details on AWT's threading model.
5822      *
5823      * @param    l   the mouse motion listener
5824      * @see      java.awt.event.MouseEvent
5825      * @see      java.awt.event.MouseMotionListener
5826      * @see      #removeMouseMotionListener
5827      * @see      #getMouseMotionListeners
5828      * @since    1.1
5829      */
5830     public synchronized void addMouseMotionListener(MouseMotionListener l) {
5831         if (l == null) {
5832             return;
5833         }
5834         mouseMotionListener = AWTEventMulticaster.add(mouseMotionListener,l);
5835         newEventsOnly = true;
5836 
5837         // if this is a lightweight component, enable mouse events
5838         // in the native container.
5839         if (peer instanceof LightweightPeer) {
5840             parent.proxyEnableEvents(AWTEvent.MOUSE_MOTION_EVENT_MASK);
5841         }
5842     }
5843 
5844     /**
5845      * Removes the specified mouse motion listener so that it no longer
5846      * receives mouse motion events from this component. This method performs
5847      * no function, nor does it throw an exception, if the listener
5848      * specified by the argument was not previously added to this component.
5849      * If listener <code>l</code> is <code>null</code>,
5850      * no exception is thrown and no action is performed.
5851      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5852      * >AWT Threading Issues</a> for details on AWT's threading model.
5853      *
5854      * @param    l   the mouse motion listener
5855      * @see      java.awt.event.MouseEvent
5856      * @see      java.awt.event.MouseMotionListener
5857      * @see      #addMouseMotionListener
5858      * @see      #getMouseMotionListeners
5859      * @since    1.1
5860      */
5861     public synchronized void removeMouseMotionListener(MouseMotionListener l) {
5862         if (l == null) {
5863             return;
5864         }
5865         mouseMotionListener = AWTEventMulticaster.remove(mouseMotionListener, l);
5866     }
5867 
5868     /**
5869      * Returns an array of all the mouse motion listeners
5870      * registered on this component.
5871      *
5872      * @return all of this component's <code>MouseMotionListener</code>s
5873      *         or an empty array if no mouse motion
5874      *         listeners are currently registered
5875      *
5876      * @see      #addMouseMotionListener
5877      * @see      #removeMouseMotionListener
5878      * @since    1.4
5879      */
5880     public synchronized MouseMotionListener[] getMouseMotionListeners() {
5881         return getListeners(MouseMotionListener.class);
5882     }
5883 
5884     /**
5885      * Adds the specified mouse wheel listener to receive mouse wheel events
5886      * from this component.  Containers also receive mouse wheel events from
5887      * sub-components.
5888      * <p>
5889      * For information on how mouse wheel events are dispatched, see
5890      * the class description for {@link MouseWheelEvent}.
5891      * <p>
5892      * If l is <code>null</code>, no exception is thrown and no
5893      * action is performed.
5894      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5895      * >AWT Threading Issues</a> for details on AWT's threading model.
5896      *
5897      * @param    l   the mouse wheel listener
5898      * @see      java.awt.event.MouseWheelEvent
5899      * @see      java.awt.event.MouseWheelListener
5900      * @see      #removeMouseWheelListener
5901      * @see      #getMouseWheelListeners
5902      * @since    1.4
5903      */
5904     public synchronized void addMouseWheelListener(MouseWheelListener l) {
5905         if (l == null) {
5906             return;
5907         }
5908         mouseWheelListener = AWTEventMulticaster.add(mouseWheelListener,l);
5909         newEventsOnly = true;
5910 
5911         // if this is a lightweight component, enable mouse events
5912         // in the native container.
5913         if (peer instanceof LightweightPeer) {
5914             parent.proxyEnableEvents(AWTEvent.MOUSE_WHEEL_EVENT_MASK);
5915         }
5916     }
5917 
5918     /**
5919      * Removes the specified mouse wheel listener so that it no longer
5920      * receives mouse wheel events from this component. This method performs
5921      * no function, nor does it throw an exception, if the listener
5922      * specified by the argument was not previously added to this component.
5923      * If l is null, no exception is thrown and no action is performed.
5924      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5925      * >AWT Threading Issues</a> for details on AWT's threading model.
5926      *
5927      * @param    l   the mouse wheel listener.
5928      * @see      java.awt.event.MouseWheelEvent
5929      * @see      java.awt.event.MouseWheelListener
5930      * @see      #addMouseWheelListener
5931      * @see      #getMouseWheelListeners
5932      * @since    1.4
5933      */
5934     public synchronized void removeMouseWheelListener(MouseWheelListener l) {
5935         if (l == null) {
5936             return;
5937         }
5938         mouseWheelListener = AWTEventMulticaster.remove(mouseWheelListener, l);
5939     }
5940 
5941     /**
5942      * Returns an array of all the mouse wheel listeners
5943      * registered on this component.
5944      *
5945      * @return all of this component's <code>MouseWheelListener</code>s
5946      *         or an empty array if no mouse wheel
5947      *         listeners are currently registered
5948      *
5949      * @see      #addMouseWheelListener
5950      * @see      #removeMouseWheelListener
5951      * @since    1.4
5952      */
5953     public synchronized MouseWheelListener[] getMouseWheelListeners() {
5954         return getListeners(MouseWheelListener.class);
5955     }
5956 
5957     /**
5958      * Adds the specified input method listener to receive
5959      * input method events from this component. A component will
5960      * only receive input method events from input methods
5961      * if it also overrides <code>getInputMethodRequests</code> to return an
5962      * <code>InputMethodRequests</code> instance.
5963      * If listener <code>l</code> is <code>null</code>,
5964      * no exception is thrown and no action is performed.
5965      * <p>Refer to <a href="{@docRoot}/java/awt/doc-files/AWTThreadIssues.html#ListenersThreads"
5966      * >AWT Threading Issues</a> for details on AWT's threading model.
5967      *
5968      * @param    l   the input method listener
5969      * @see      java.awt.event.InputMethodEvent
5970      * @see      java.awt.event.InputMethodListener
5971      * @see      #removeInputMethodListener
5972      * @see      #getInputMethodListeners
5973      * @see      #getInputMethodRequests
5974      * @since    1.2
5975      */
5976     public synchronized void addInputMethodListener(InputMethodListener l) {
5977         if (l == null) {
5978             return;
5979         }
5980         inputMethodListener = AWTEventMulticaster.add(inputMethodListener, l);
5981         newEventsOnly = true;
5982     }
5983 
5984     /**
5985      * Removes the specified input method listener so that it no longer
5986      * receives input method events from this component. This method performs
5987      * no function, nor does it throw an exception, if the listener
5988      * specified by the argument was not previously added to this component.
5989      * If listener <code>l</code> is <code>null</code>,
5990      * no exception is thrown and no action is performed.
5991      * <p>Refer to <a href="doc-files/AWTThreadIssues.html#ListenersThreads"
5992      * >AWT Threading Issues</a> for details on AWT's threading model.
5993      *
5994      * @param    l   the input method listener
5995      * @see      java.awt.event.InputMethodEvent
5996      * @see      java.awt.event.InputMethodListener
5997      * @see      #addInputMethodListener
5998      * @see      #getInputMethodListeners
5999      * @since    1.2
6000      */
6001     public synchronized void removeInputMethodListener(InputMethodListener l) {
6002         if (l == null) {
6003             return;
6004         }
6005         inputMethodListener = AWTEventMulticaster.remove(inputMethodListener, l);
6006     }
6007 
6008     /**
6009      * Returns an array of all the input method listeners
6010      * registered on this component.
6011      *
6012      * @return all of this component's <code>InputMethodListener</code>s
6013      *         or an empty array if no input method
6014      *         listeners are currently registered
6015      *
6016      * @see      #addInputMethodListener
6017      * @see      #removeInputMethodListener
6018      * @since    1.4
6019      */
6020     public synchronized InputMethodListener[] getInputMethodListeners() {
6021         return getListeners(InputMethodListener.class);
6022     }
6023 
6024     /**
6025      * Returns an array of all the objects currently registered
6026      * as <code><em>Foo</em>Listener</code>s
6027      * upon this <code>Component</code>.
6028      * <code><em>Foo</em>Listener</code>s are registered using the
6029      * <code>add<em>Foo</em>Listener</code> method.
6030      *
6031      * <p>
6032      * You can specify the <code>listenerType</code> argument
6033      * with a class literal, such as
6034      * <code><em>Foo</em>Listener.class</code>.
6035      * For example, you can query a
6036      * <code>Component</code> <code>c</code>
6037      * for its mouse listeners with the following code:
6038      *
6039      * <pre>MouseListener[] mls = (MouseListener[])(c.getListeners(MouseListener.class));</pre>
6040      *
6041      * If no such listeners exist, this method returns an empty array.
6042      *
6043      * @param <T> the type of the listeners
6044      * @param listenerType the type of listeners requested; this parameter
6045      *          should specify an interface that descends from
6046      *          <code>java.util.EventListener</code>
6047      * @return an array of all objects registered as
6048      *          <code><em>Foo</em>Listener</code>s on this component,
6049      *          or an empty array if no such listeners have been added
6050      * @exception ClassCastException if <code>listenerType</code>
6051      *          doesn't specify a class or interface that implements
6052      *          <code>java.util.EventListener</code>
6053      * @throws NullPointerException if {@code listenerType} is {@code null}
6054      * @see #getComponentListeners
6055      * @see #getFocusListeners
6056      * @see #getHierarchyListeners
6057      * @see #getHierarchyBoundsListeners
6058      * @see #getKeyListeners
6059      * @see #getMouseListeners
6060      * @see #getMouseMotionListeners
6061      * @see #getMouseWheelListeners
6062      * @see #getInputMethodListeners
6063      * @see #getPropertyChangeListeners
6064      *
6065      * @since 1.3
6066      */
6067     @SuppressWarnings("unchecked")
6068     public <T extends EventListener> T[] getListeners(Class<T> listenerType) {
6069         EventListener l = null;
6070         if  (listenerType == ComponentListener.class) {
6071             l = componentListener;
6072         } else if (listenerType == FocusListener.class) {
6073             l = focusListener;
6074         } else if (listenerType == HierarchyListener.class) {
6075             l = hierarchyListener;
6076         } else if (listenerType == HierarchyBoundsListener.class) {
6077             l = hierarchyBoundsListener;
6078         } else if (listenerType == KeyListener.class) {
6079             l = keyListener;
6080         } else if (listenerType == MouseListener.class) {
6081             l = mouseListener;
6082         } else if (listenerType == MouseMotionListener.class) {
6083             l = mouseMotionListener;
6084         } else if (listenerType == MouseWheelListener.class) {
6085             l = mouseWheelListener;
6086         } else if (listenerType == InputMethodListener.class) {
6087             l = inputMethodListener;
6088         } else if (listenerType == PropertyChangeListener.class) {
6089             return (T[])getPropertyChangeListeners();
6090         }
6091         return AWTEventMulticaster.getListeners(l, listenerType);
6092     }
6093 
6094     /**
6095      * Gets the input method request handler which supports
6096      * requests from input methods for this component. A component
6097      * that supports on-the-spot text input must override this
6098      * method to return an <code>InputMethodRequests</code> instance.
6099      * At the same time, it also has to handle input method events.
6100      *
6101      * @return the input method request handler for this component,
6102      *          <code>null</code> by default
6103      * @see #addInputMethodListener
6104      * @since 1.2
6105      */
6106     public InputMethodRequests getInputMethodRequests() {
6107         return null;
6108     }
6109 
6110     /**
6111      * Gets the input context used by this component for handling
6112      * the communication with input methods when text is entered
6113      * in this component. By default, the input context used for
6114      * the parent component is returned. Components may
6115      * override this to return a private input context.
6116      *
6117      * @return the input context used by this component;
6118      *          <code>null</code> if no context can be determined
6119      * @since 1.2
6120      */
6121     public InputContext getInputContext() {
6122         Container parent = this.parent;
6123         if (parent == null) {
6124             return null;
6125         } else {
6126             return parent.getInputContext();
6127         }
6128     }
6129 
6130     /**
6131      * Enables the events defined by the specified event mask parameter
6132      * to be delivered to this component.
6133      * <p>
6134      * Event types are automatically enabled when a listener for
6135      * that event type is added to the component.
6136      * <p>
6137      * This method only needs to be invoked by subclasses of
6138      * <code>Component</code> which desire to have the specified event
6139      * types delivered to <code>processEvent</code> regardless of whether
6140      * or not a listener is registered.
6141      * @param      eventsToEnable   the event mask defining the event types
6142      * @see        #processEvent
6143      * @see        #disableEvents
6144      * @see        AWTEvent
6145      * @since      1.1
6146      */
6147     protected final void enableEvents(long eventsToEnable) {
6148         long notifyAncestors = 0;
6149         synchronized (this) {
6150             if ((eventsToEnable & AWTEvent.HIERARCHY_EVENT_MASK) != 0 &&
6151                 hierarchyListener == null &&
6152                 (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) == 0) {
6153                 notifyAncestors |= AWTEvent.HIERARCHY_EVENT_MASK;
6154             }
6155             if ((eventsToEnable & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) != 0 &&
6156                 hierarchyBoundsListener == null &&
6157                 (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) == 0) {
6158                 notifyAncestors |= AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK;
6159             }
6160             eventMask |= eventsToEnable;
6161             newEventsOnly = true;
6162         }
6163 
6164         // if this is a lightweight component, enable mouse events
6165         // in the native container.
6166         if (peer instanceof LightweightPeer) {
6167             parent.proxyEnableEvents(eventMask);
6168         }
6169         if (notifyAncestors != 0) {
6170             synchronized (getTreeLock()) {
6171                 adjustListeningChildrenOnParent(notifyAncestors, 1);
6172             }
6173         }
6174     }
6175 
6176     /**
6177      * Disables the events defined by the specified event mask parameter
6178      * from being delivered to this component.
6179      * @param      eventsToDisable   the event mask defining the event types
6180      * @see        #enableEvents
6181      * @since      1.1
6182      */
6183     protected final void disableEvents(long eventsToDisable) {
6184         long notifyAncestors = 0;
6185         synchronized (this) {
6186             if ((eventsToDisable & AWTEvent.HIERARCHY_EVENT_MASK) != 0 &&
6187                 hierarchyListener == null &&
6188                 (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0) {
6189                 notifyAncestors |= AWTEvent.HIERARCHY_EVENT_MASK;
6190             }
6191             if ((eventsToDisable & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK)!=0 &&
6192                 hierarchyBoundsListener == null &&
6193                 (eventMask & AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK) != 0) {
6194                 notifyAncestors |= AWTEvent.HIERARCHY_BOUNDS_EVENT_MASK;
6195             }
6196             eventMask &= ~eventsToDisable;
6197         }
6198         if (notifyAncestors != 0) {
6199             synchronized (getTreeLock()) {
6200                 adjustListeningChildrenOnParent(notifyAncestors, -1);
6201             }
6202         }
6203     }
6204 
6205     transient sun.awt.EventQueueItem[] eventCache;
6206 
6207     /**
6208      * @see #isCoalescingEnabled
6209      * @see #checkCoalescing
6210      */
6211     transient private boolean coalescingEnabled = checkCoalescing();
6212 
6213     /**
6214      * Weak map of known coalesceEvent overriders.
6215      * Value indicates whether overriden.
6216      * Bootstrap classes are not included.
6217      */
6218     private static final Map<Class<?>, Boolean> coalesceMap =
6219         new java.util.WeakHashMap<Class<?>, Boolean>();
6220 
6221     /**
6222      * Indicates whether this class overrides coalesceEvents.
6223      * It is assumed that all classes that are loaded from the bootstrap
6224      *   do not.
6225      * The bootstrap class loader is assumed to be represented by null.
6226      * We do not check that the method really overrides
6227      *   (it might be static, private or package private).
6228      */
6229      private boolean checkCoalescing() {
6230          if (getClass().getClassLoader()==null) {
6231              return false;
6232          }
6233          final Class<? extends Component> clazz = getClass();
6234          synchronized (coalesceMap) {
6235              // Check cache.
6236              Boolean value = coalesceMap.get(clazz);
6237              if (value != null) {
6238                  return value;
6239              }
6240 
6241              // Need to check non-bootstraps.
6242              Boolean enabled = java.security.AccessController.doPrivileged(
6243                  new java.security.PrivilegedAction<Boolean>() {
6244                      public Boolean run() {
6245                          return isCoalesceEventsOverriden(clazz);
6246                      }
6247                  }
6248                  );
6249              coalesceMap.put(clazz, enabled);
6250              return enabled;
6251          }
6252      }
6253 
6254     /**
6255      * Parameter types of coalesceEvents(AWTEvent,AWTEVent).
6256      */
6257     private static final Class<?>[] coalesceEventsParams = {
6258         AWTEvent.class, AWTEvent.class
6259     };
6260 
6261     /**
6262      * Indicates whether a class or its superclasses override coalesceEvents.
6263      * Must be called with lock on coalesceMap and privileged.
6264      * @see checkCoalescing
6265      */
6266     private static boolean isCoalesceEventsOverriden(Class<?> clazz) {
6267         assert Thread.holdsLock(coalesceMap);
6268 
6269         // First check superclass - we may not need to bother ourselves.
6270         Class<?> superclass = clazz.getSuperclass();
6271         if (superclass == null) {
6272             // Only occurs on implementations that
6273             //   do not use null to represent the bootstrap class loader.
6274             return false;
6275         }
6276         if (superclass.getClassLoader() != null) {
6277             Boolean value = coalesceMap.get(superclass);
6278             if (value == null) {
6279                 // Not done already - recurse.
6280                 if (isCoalesceEventsOverriden(superclass)) {
6281                     coalesceMap.put(superclass, true);
6282                     return true;
6283                 }
6284             } else if (value) {
6285                 return true;
6286             }
6287         }
6288 
6289         try {
6290             // Throws if not overriden.
6291             clazz.getDeclaredMethod(
6292                 "coalesceEvents", coalesceEventsParams
6293                 );
6294             return true;
6295         } catch (NoSuchMethodException e) {
6296             // Not present in this class.
6297             return false;
6298         }
6299     }
6300 
6301     /**
6302      * Indicates whether coalesceEvents may do something.
6303      */
6304     final boolean isCoalescingEnabled() {
6305         return coalescingEnabled;
6306      }
6307 
6308 
6309     /**
6310      * Potentially coalesce an event being posted with an existing
6311      * event.  This method is called by <code>EventQueue.postEvent</code>
6312      * if an event with the same ID as the event to be posted is found in
6313      * the queue (both events must have this component as their source).
6314      * This method either returns a coalesced event which replaces
6315      * the existing event (and the new event is then discarded), or
6316      * <code>null</code> to indicate that no combining should be done
6317      * (add the second event to the end of the queue).  Either event
6318      * parameter may be modified and returned, as the other one is discarded
6319      * unless <code>null</code> is returned.
6320      * <p>
6321      * This implementation of <code>coalesceEvents</code> coalesces
6322      * two event types: mouse move (and drag) events,
6323      * and paint (and update) events.
6324      * For mouse move events the last event is always returned, causing
6325      * intermediate moves to be discarded.  For paint events, the new
6326      * event is coalesced into a complex <code>RepaintArea</code> in the peer.
6327      * The new <code>AWTEvent</code> is always returned.
6328      *
6329      * @param  existingEvent  the event already on the <code>EventQueue</code>
6330      * @param  newEvent       the event being posted to the
6331      *          <code>EventQueue</code>
6332      * @return a coalesced event, or <code>null</code> indicating that no
6333      *          coalescing was done
6334      */
6335     protected AWTEvent coalesceEvents(AWTEvent existingEvent,
6336                                       AWTEvent newEvent) {
6337         return null;
6338     }
6339 
6340     /**
6341      * Processes events occurring on this component. By default this
6342      * method calls the appropriate
6343      * <code>process&lt;event&nbsp;type&gt;Event</code>
6344      * method for the given class of event.
6345      * <p>Note that if the event parameter is <code>null</code>
6346      * the behavior is unspecified and may result in an
6347      * exception.
6348      *
6349      * @param     e the event
6350      * @see       #processComponentEvent
6351      * @see       #processFocusEvent
6352      * @see       #processKeyEvent
6353      * @see       #processMouseEvent
6354      * @see       #processMouseMotionEvent
6355      * @see       #processInputMethodEvent
6356      * @see       #processHierarchyEvent
6357      * @see       #processMouseWheelEvent
6358      * @since     1.1
6359      */
6360     protected void processEvent(AWTEvent e) {
6361         if (e instanceof FocusEvent) {
6362             processFocusEvent((FocusEvent)e);
6363 
6364         } else if (e instanceof MouseEvent) {
6365             switch(e.getID()) {
6366               case MouseEvent.MOUSE_PRESSED:
6367               case MouseEvent.MOUSE_RELEASED:
6368               case MouseEvent.MOUSE_CLICKED:
6369               case MouseEvent.MOUSE_ENTERED:
6370               case MouseEvent.MOUSE_EXITED:
6371                   processMouseEvent((MouseEvent)e);
6372                   break;
6373               case MouseEvent.MOUSE_MOVED:
6374               case MouseEvent.MOUSE_DRAGGED:
6375                   processMouseMotionEvent((MouseEvent)e);
6376                   break;
6377               case MouseEvent.MOUSE_WHEEL:
6378                   processMouseWheelEvent((MouseWheelEvent)e);
6379                   break;
6380             }
6381 
6382         } else if (e instanceof KeyEvent) {
6383             processKeyEvent((KeyEvent)e);
6384 
6385         } else if (e instanceof ComponentEvent) {
6386             processComponentEvent((ComponentEvent)e);
6387         } else if (e instanceof InputMethodEvent) {
6388             processInputMethodEvent((InputMethodEvent)e);
6389         } else if (e instanceof HierarchyEvent) {
6390             switch (e.getID()) {
6391               case HierarchyEvent.HIERARCHY_CHANGED:
6392                   processHierarchyEvent((HierarchyEvent)e);
6393                   break;
6394               case HierarchyEvent.ANCESTOR_MOVED:
6395               case HierarchyEvent.ANCESTOR_RESIZED:
6396                   processHierarchyBoundsEvent((HierarchyEvent)e);
6397                   break;
6398             }
6399         }
6400     }
6401 
6402     /**
6403      * Processes component events occurring on this component by
6404      * dispatching them to any registered
6405      * <code>ComponentListener</code> objects.
6406      * <p>
6407      * This method is not called unless component events are
6408      * enabled for this component. Component events are enabled
6409      * when one of the following occurs:
6410      * <ul>
6411      * <li>A <code>ComponentListener</code> object is registered
6412      * via <code>addComponentListener</code>.
6413      * <li>Component events are enabled via <code>enableEvents</code>.
6414      * </ul>
6415      * <p>Note that if the event parameter is <code>null</code>
6416      * the behavior is unspecified and may result in an
6417      * exception.
6418      *
6419      * @param       e the component event
6420      * @see         java.awt.event.ComponentEvent
6421      * @see         java.awt.event.ComponentListener
6422      * @see         #addComponentListener
6423      * @see         #enableEvents
6424      * @since       1.1
6425      */
6426     protected void processComponentEvent(ComponentEvent e) {
6427         ComponentListener listener = componentListener;
6428         if (listener != null) {
6429             int id = e.getID();
6430             switch(id) {
6431               case ComponentEvent.COMPONENT_RESIZED:
6432                   listener.componentResized(e);
6433                   break;
6434               case ComponentEvent.COMPONENT_MOVED:
6435                   listener.componentMoved(e);
6436                   break;
6437               case ComponentEvent.COMPONENT_SHOWN:
6438                   listener.componentShown(e);
6439                   break;
6440               case ComponentEvent.COMPONENT_HIDDEN:
6441                   listener.componentHidden(e);
6442                   break;
6443             }
6444         }
6445     }
6446 
6447     /**
6448      * Processes focus events occurring on this component by
6449      * dispatching them to any registered
6450      * <code>FocusListener</code> objects.
6451      * <p>
6452      * This method is not called unless focus events are
6453      * enabled for this component. Focus events are enabled
6454      * when one of the following occurs:
6455      * <ul>
6456      * <li>A <code>FocusListener</code> object is registered
6457      * via <code>addFocusListener</code>.
6458      * <li>Focus events are enabled via <code>enableEvents</code>.
6459      * </ul>
6460      * <p>
6461      * If focus events are enabled for a <code>Component</code>,
6462      * the current <code>KeyboardFocusManager</code> determines
6463      * whether or not a focus event should be dispatched to
6464      * registered <code>FocusListener</code> objects.  If the
6465      * events are to be dispatched, the <code>KeyboardFocusManager</code>
6466      * calls the <code>Component</code>'s <code>dispatchEvent</code>
6467      * method, which results in a call to the <code>Component</code>'s
6468      * <code>processFocusEvent</code> method.
6469      * <p>
6470      * If focus events are enabled for a <code>Component</code>, calling
6471      * the <code>Component</code>'s <code>dispatchEvent</code> method
6472      * with a <code>FocusEvent</code> as the argument will result in a
6473      * call to the <code>Component</code>'s <code>processFocusEvent</code>
6474      * method regardless of the current <code>KeyboardFocusManager</code>.
6475      *
6476      * <p>Note that if the event parameter is <code>null</code>
6477      * the behavior is unspecified and may result in an
6478      * exception.
6479      *
6480      * @param       e the focus event
6481      * @see         java.awt.event.FocusEvent
6482      * @see         java.awt.event.FocusListener
6483      * @see         java.awt.KeyboardFocusManager
6484      * @see         #addFocusListener
6485      * @see         #enableEvents
6486      * @see         #dispatchEvent
6487      * @since       1.1
6488      */
6489     protected void processFocusEvent(FocusEvent e) {
6490         FocusListener listener = focusListener;
6491         if (listener != null) {
6492             int id = e.getID();
6493             switch(id) {
6494               case FocusEvent.FOCUS_GAINED:
6495                   listener.focusGained(e);
6496                   break;
6497               case FocusEvent.FOCUS_LOST:
6498                   listener.focusLost(e);
6499                   break;
6500             }
6501         }
6502     }
6503 
6504     /**
6505      * Processes key events occurring on this component by
6506      * dispatching them to any registered
6507      * <code>KeyListener</code> objects.
6508      * <p>
6509      * This method is not called unless key events are
6510      * enabled for this component. Key events are enabled
6511      * when one of the following occurs:
6512      * <ul>
6513      * <li>A <code>KeyListener</code> object is registered
6514      * via <code>addKeyListener</code>.
6515      * <li>Key events are enabled via <code>enableEvents</code>.
6516      * </ul>
6517      *
6518      * <p>
6519      * If key events are enabled for a <code>Component</code>,
6520      * the current <code>KeyboardFocusManager</code> determines
6521      * whether or not a key event should be dispatched to
6522      * registered <code>KeyListener</code> objects.  The
6523      * <code>DefaultKeyboardFocusManager</code> will not dispatch
6524      * key events to a <code>Component</code> that is not the focus
6525      * owner or is not showing.
6526      * <p>
6527      * As of J2SE 1.4, <code>KeyEvent</code>s are redirected to
6528      * the focus owner. Please see the
6529      * <a href="doc-files/FocusSpec.html">Focus Specification</a>
6530      * for further information.
6531      * <p>
6532      * Calling a <code>Component</code>'s <code>dispatchEvent</code>
6533      * method with a <code>KeyEvent</code> as the argument will
6534      * result in a call to the <code>Component</code>'s
6535      * <code>processKeyEvent</code> method regardless of the
6536      * current <code>KeyboardFocusManager</code> as long as the
6537      * component is showing, focused, and enabled, and key events
6538      * are enabled on it.
6539      * <p>If the event parameter is <code>null</code>
6540      * the behavior is unspecified and may result in an
6541      * exception.
6542      *
6543      * @param       e the key event
6544      * @see         java.awt.event.KeyEvent
6545      * @see         java.awt.event.KeyListener
6546      * @see         java.awt.KeyboardFocusManager
6547      * @see         java.awt.DefaultKeyboardFocusManager
6548      * @see         #processEvent
6549      * @see         #dispatchEvent
6550      * @see         #addKeyListener
6551      * @see         #enableEvents
6552      * @see         #isShowing
6553      * @since       1.1
6554      */
6555     protected void processKeyEvent(KeyEvent e) {
6556         KeyListener listener = keyListener;
6557         if (listener != null) {
6558             int id = e.getID();
6559             switch(id) {
6560               case KeyEvent.KEY_TYPED:
6561                   listener.keyTyped(e);
6562                   break;
6563               case KeyEvent.KEY_PRESSED:
6564                   listener.keyPressed(e);
6565                   break;
6566               case KeyEvent.KEY_RELEASED:
6567                   listener.keyReleased(e);
6568                   break;
6569             }
6570         }
6571     }
6572 
6573     /**
6574      * Processes mouse events occurring on this component by
6575      * dispatching them to any registered
6576      * <code>MouseListener</code> objects.
6577      * <p>
6578      * This method is not called unless mouse events are
6579      * enabled for this component. Mouse events are enabled
6580      * when one of the following occurs:
6581      * <ul>
6582      * <li>A <code>MouseListener</code> object is registered
6583      * via <code>addMouseListener</code>.
6584      * <li>Mouse events are enabled via <code>enableEvents</code>.
6585      * </ul>
6586      * <p>Note that if the event parameter is <code>null</code>
6587      * the behavior is unspecified and may result in an
6588      * exception.
6589      *
6590      * @param       e the mouse event
6591      * @see         java.awt.event.MouseEvent
6592      * @see         java.awt.event.MouseListener
6593      * @see         #addMouseListener
6594      * @see         #enableEvents
6595      * @since       1.1
6596      */
6597     protected void processMouseEvent(MouseEvent e) {
6598         MouseListener listener = mouseListener;
6599         if (listener != null) {
6600             int id = e.getID();
6601             switch(id) {
6602               case MouseEvent.MOUSE_PRESSED:
6603                   listener.mousePressed(e);
6604                   break;
6605               case MouseEvent.MOUSE_RELEASED:
6606                   listener.mouseReleased(e);
6607                   break;
6608               case MouseEvent.MOUSE_CLICKED:
6609                   listener.mouseClicked(e);
6610                   break;
6611               case MouseEvent.MOUSE_EXITED:
6612                   listener.mouseExited(e);
6613                   break;
6614               case MouseEvent.MOUSE_ENTERED:
6615                   listener.mouseEntered(e);
6616                   break;
6617             }
6618         }
6619     }
6620 
6621     /**
6622      * Processes mouse motion events occurring on this component by
6623      * dispatching them to any registered
6624      * <code>MouseMotionListener</code> objects.
6625      * <p>
6626      * This method is not called unless mouse motion events are
6627      * enabled for this component. Mouse motion events are enabled
6628      * when one of the following occurs:
6629      * <ul>
6630      * <li>A <code>MouseMotionListener</code> object is registered
6631      * via <code>addMouseMotionListener</code>.
6632      * <li>Mouse motion events are enabled via <code>enableEvents</code>.
6633      * </ul>
6634      * <p>Note that if the event parameter is <code>null</code>
6635      * the behavior is unspecified and may result in an
6636      * exception.
6637      *
6638      * @param       e the mouse motion event
6639      * @see         java.awt.event.MouseEvent
6640      * @see         java.awt.event.MouseMotionListener
6641      * @see         #addMouseMotionListener
6642      * @see         #enableEvents
6643      * @since       1.1
6644      */
6645     protected void processMouseMotionEvent(MouseEvent e) {
6646         MouseMotionListener listener = mouseMotionListener;
6647         if (listener != null) {
6648             int id = e.getID();
6649             switch(id) {
6650               case MouseEvent.MOUSE_MOVED:
6651                   listener.mouseMoved(e);
6652                   break;
6653               case MouseEvent.MOUSE_DRAGGED:
6654                   listener.mouseDragged(e);
6655                   break;
6656             }
6657         }
6658     }
6659 
6660     /**
6661      * Processes mouse wheel events occurring on this component by
6662      * dispatching them to any registered
6663      * <code>MouseWheelListener</code> objects.
6664      * <p>
6665      * This method is not called unless mouse wheel events are
6666      * enabled for this component. Mouse wheel events are enabled
6667      * when one of the following occurs:
6668      * <ul>
6669      * <li>A <code>MouseWheelListener</code> object is registered
6670      * via <code>addMouseWheelListener</code>.
6671      * <li>Mouse wheel events are enabled via <code>enableEvents</code>.
6672      * </ul>
6673      * <p>
6674      * For information on how mouse wheel events are dispatched, see
6675      * the class description for {@link MouseWheelEvent}.
6676      * <p>
6677      * Note that if the event parameter is <code>null</code>
6678      * the behavior is unspecified and may result in an
6679      * exception.
6680      *
6681      * @param       e the mouse wheel event
6682      * @see         java.awt.event.MouseWheelEvent
6683      * @see         java.awt.event.MouseWheelListener
6684      * @see         #addMouseWheelListener
6685      * @see         #enableEvents
6686      * @since       1.4
6687      */
6688     protected void processMouseWheelEvent(MouseWheelEvent e) {
6689         MouseWheelListener listener = mouseWheelListener;
6690         if (listener != null) {
6691             int id = e.getID();
6692             switch(id) {
6693               case MouseEvent.MOUSE_WHEEL:
6694                   listener.mouseWheelMoved(e);
6695                   break;
6696             }
6697         }
6698     }
6699 
6700     boolean postsOldMouseEvents() {
6701         return false;
6702     }
6703 
6704     /**
6705      * Processes input method events occurring on this component by
6706      * dispatching them to any registered
6707      * <code>InputMethodListener</code> objects.
6708      * <p>
6709      * This method is not called unless input method events
6710      * are enabled for this component. Input method events are enabled
6711      * when one of the following occurs:
6712      * <ul>
6713      * <li>An <code>InputMethodListener</code> object is registered
6714      * via <code>addInputMethodListener</code>.
6715      * <li>Input method events are enabled via <code>enableEvents</code>.
6716      * </ul>
6717      * <p>Note that if the event parameter is <code>null</code>
6718      * the behavior is unspecified and may result in an
6719      * exception.
6720      *
6721      * @param       e the input method event
6722      * @see         java.awt.event.InputMethodEvent
6723      * @see         java.awt.event.InputMethodListener
6724      * @see         #addInputMethodListener
6725      * @see         #enableEvents
6726      * @since       1.2
6727      */
6728     protected void processInputMethodEvent(InputMethodEvent e) {
6729         InputMethodListener listener = inputMethodListener;
6730         if (listener != null) {
6731             int id = e.getID();
6732             switch (id) {
6733               case InputMethodEvent.INPUT_METHOD_TEXT_CHANGED:
6734                   listener.inputMethodTextChanged(e);
6735                   break;
6736               case InputMethodEvent.CARET_POSITION_CHANGED:
6737                   listener.caretPositionChanged(e);
6738                   break;
6739             }
6740         }
6741     }
6742 
6743     /**
6744      * Processes hierarchy events occurring on this component by
6745      * dispatching them to any registered
6746      * <code>HierarchyListener</code> objects.
6747      * <p>
6748      * This method is not called unless hierarchy events
6749      * are enabled for this component. Hierarchy events are enabled
6750      * when one of the following occurs:
6751      * <ul>
6752      * <li>An <code>HierarchyListener</code> object is registered
6753      * via <code>addHierarchyListener</code>.
6754      * <li>Hierarchy events are enabled via <code>enableEvents</code>.
6755      * </ul>
6756      * <p>Note that if the event parameter is <code>null</code>
6757      * the behavior is unspecified and may result in an
6758      * exception.
6759      *
6760      * @param       e the hierarchy event
6761      * @see         java.awt.event.HierarchyEvent
6762      * @see         java.awt.event.HierarchyListener
6763      * @see         #addHierarchyListener
6764      * @see         #enableEvents
6765      * @since       1.3
6766      */
6767     protected void processHierarchyEvent(HierarchyEvent e) {
6768         HierarchyListener listener = hierarchyListener;
6769         if (listener != null) {
6770             int id = e.getID();
6771             switch (id) {
6772               case HierarchyEvent.HIERARCHY_CHANGED:
6773                   listener.hierarchyChanged(e);
6774                   break;
6775             }
6776         }
6777     }
6778 
6779     /**
6780      * Processes hierarchy bounds events occurring on this component by
6781      * dispatching them to any registered
6782      * <code>HierarchyBoundsListener</code> objects.
6783      * <p>
6784      * This method is not called unless hierarchy bounds events
6785      * are enabled for this component. Hierarchy bounds events are enabled
6786      * when one of the following occurs:
6787      * <ul>
6788      * <li>An <code>HierarchyBoundsListener</code> object is registered
6789      * via <code>addHierarchyBoundsListener</code>.
6790      * <li>Hierarchy bounds events are enabled via <code>enableEvents</code>.
6791      * </ul>
6792      * <p>Note that if the event parameter is <code>null</code>
6793      * the behavior is unspecified and may result in an
6794      * exception.
6795      *
6796      * @param       e the hierarchy event
6797      * @see         java.awt.event.HierarchyEvent
6798      * @see         java.awt.event.HierarchyBoundsListener
6799      * @see         #addHierarchyBoundsListener
6800      * @see         #enableEvents
6801      * @since       1.3
6802      */
6803     protected void processHierarchyBoundsEvent(HierarchyEvent e) {
6804         HierarchyBoundsListener listener = hierarchyBoundsListener;
6805         if (listener != null) {
6806             int id = e.getID();
6807             switch (id) {
6808               case HierarchyEvent.ANCESTOR_MOVED:
6809                   listener.ancestorMoved(e);
6810                   break;
6811               case HierarchyEvent.ANCESTOR_RESIZED:
6812                   listener.ancestorResized(e);
6813                   break;
6814             }
6815         }
6816     }
6817 
6818     /**
6819      * @param  evt the event to handle
6820      * @return {@code true} if the event was handled, {@code false} otherwise
6821      * @deprecated As of JDK version 1.1
6822      * replaced by processEvent(AWTEvent).
6823      */
6824     @Deprecated
6825     public boolean handleEvent(Event evt) {
6826         switch (evt.id) {
6827           case Event.MOUSE_ENTER:
6828               return mouseEnter(evt, evt.x, evt.y);
6829 
6830           case Event.MOUSE_EXIT:
6831               return mouseExit(evt, evt.x, evt.y);
6832 
6833           case Event.MOUSE_MOVE:
6834               return mouseMove(evt, evt.x, evt.y);
6835 
6836           case Event.MOUSE_DOWN:
6837               return mouseDown(evt, evt.x, evt.y);
6838 
6839           case Event.MOUSE_DRAG:
6840               return mouseDrag(evt, evt.x, evt.y);
6841 
6842           case Event.MOUSE_UP:
6843               return mouseUp(evt, evt.x, evt.y);
6844 
6845           case Event.KEY_PRESS:
6846           case Event.KEY_ACTION:
6847               return keyDown(evt, evt.key);
6848 
6849           case Event.KEY_RELEASE:
6850           case Event.KEY_ACTION_RELEASE:
6851               return keyUp(evt, evt.key);
6852 
6853           case Event.ACTION_EVENT:
6854               return action(evt, evt.arg);
6855           case Event.GOT_FOCUS:
6856               return gotFocus(evt, evt.arg);
6857           case Event.LOST_FOCUS:
6858               return lostFocus(evt, evt.arg);
6859         }
6860         return false;
6861     }
6862 
6863     /**
6864      * @param  evt the event to handle
6865      * @param  x the x coordinate
6866      * @param  y the y coordinate
6867      * @return {@code false}
6868      * @deprecated As of JDK version 1.1,
6869      * replaced by processMouseEvent(MouseEvent).
6870      */
6871     @Deprecated
6872     public boolean mouseDown(Event evt, int x, int y) {
6873         return false;
6874     }
6875 
6876     /**
6877      * @param  evt the event to handle
6878      * @param  x the x coordinate
6879      * @param  y the y coordinate
6880      * @return {@code false}
6881      * @deprecated As of JDK version 1.1,
6882      * replaced by processMouseMotionEvent(MouseEvent).
6883      */
6884     @Deprecated
6885     public boolean mouseDrag(Event evt, int x, int y) {
6886         return false;
6887     }
6888 
6889     /**
6890      * @param  evt the event to handle
6891      * @param  x the x coordinate
6892      * @param  y the y coordinate
6893      * @return {@code false}
6894      * @deprecated As of JDK version 1.1,
6895      * replaced by processMouseEvent(MouseEvent).
6896      */
6897     @Deprecated
6898     public boolean mouseUp(Event evt, int x, int y) {
6899         return false;
6900     }
6901 
6902     /**
6903      * @param  evt the event to handle
6904      * @param  x the x coordinate
6905      * @param  y the y coordinate
6906      * @return {@code false}
6907      * @deprecated As of JDK version 1.1,
6908      * replaced by processMouseMotionEvent(MouseEvent).
6909      */
6910     @Deprecated
6911     public boolean mouseMove(Event evt, int x, int y) {
6912         return false;
6913     }
6914 
6915     /**
6916      * @param  evt the event to handle
6917      * @param  x the x coordinate
6918      * @param  y the y coordinate
6919      * @return {@code false}
6920      * @deprecated As of JDK version 1.1,
6921      * replaced by processMouseEvent(MouseEvent).
6922      */
6923     @Deprecated
6924     public boolean mouseEnter(Event evt, int x, int y) {
6925         return false;
6926     }
6927 
6928     /**
6929      * @param  evt the event to handle
6930      * @param  x the x coordinate
6931      * @param  y the y coordinate
6932      * @return {@code false}
6933      * @deprecated As of JDK version 1.1,
6934      * replaced by processMouseEvent(MouseEvent).
6935      */
6936     @Deprecated
6937     public boolean mouseExit(Event evt, int x, int y) {
6938         return false;
6939     }
6940 
6941     /**
6942      * @param  evt the event to handle
6943      * @param  key the key pressed
6944      * @return {@code false}
6945      * @deprecated As of JDK version 1.1,
6946      * replaced by processKeyEvent(KeyEvent).
6947      */
6948     @Deprecated
6949     public boolean keyDown(Event evt, int key) {
6950         return false;
6951     }
6952 
6953     /**
6954      * @param  evt the event to handle
6955      * @param  key the key pressed
6956      * @return {@code false}
6957      * @deprecated As of JDK version 1.1,
6958      * replaced by processKeyEvent(KeyEvent).
6959      */
6960     @Deprecated
6961     public boolean keyUp(Event evt, int key) {
6962         return false;
6963     }
6964 
6965     /**
6966      * @param  evt the event to handle
6967      * @param  what the object acted on
6968      * @return {@code false}
6969      * @deprecated As of JDK version 1.1,
6970      * should register this component as ActionListener on component
6971      * which fires action events.
6972      */
6973     @Deprecated
6974     public boolean action(Event evt, Object what) {
6975         return false;
6976     }
6977 
6978     /**
6979      * Makes this <code>Component</code> displayable by connecting it to a
6980      * native screen resource.
6981      * This method is called internally by the toolkit and should
6982      * not be called directly by programs.
6983      * <p>
6984      * This method changes layout-related information, and therefore,
6985      * invalidates the component hierarchy.
6986      *
6987      * @see       #isDisplayable
6988      * @see       #removeNotify
6989      * @see #invalidate
6990      * @since 1.0
6991      */
6992     public void addNotify() {
6993         synchronized (getTreeLock()) {
6994             ComponentPeer peer = this.peer;
6995             if (peer == null || peer instanceof LightweightPeer){
6996                 if (peer == null) {
6997                     // Update both the Component's peer variable and the local
6998                     // variable we use for thread safety.
6999                     this.peer = peer = getComponentFactory().createComponent(this);
7000                 }
7001 
7002                 // This is a lightweight component which means it won't be
7003                 // able to get window-related events by itself.  If any
7004                 // have been enabled, then the nearest native container must
7005                 // be enabled.
7006                 if (parent != null) {
7007                     long mask = 0;
7008                     if ((mouseListener != null) || ((eventMask & AWTEvent.MOUSE_EVENT_MASK) != 0)) {
7009                         mask |= AWTEvent.MOUSE_EVENT_MASK;
7010                     }
7011                     if ((mouseMotionListener != null) ||
7012                         ((eventMask & AWTEvent.MOUSE_MOTION_EVENT_MASK) != 0)) {
7013                         mask |= AWTEvent.MOUSE_MOTION_EVENT_MASK;
7014                     }
7015                     if ((mouseWheelListener != null ) ||
7016                         ((eventMask & AWTEvent.MOUSE_WHEEL_EVENT_MASK) != 0)) {
7017                         mask |= AWTEvent.MOUSE_WHEEL_EVENT_MASK;
7018                     }
7019                     if (focusListener != null || (eventMask & AWTEvent.FOCUS_EVENT_MASK) != 0) {
7020                         mask |= AWTEvent.FOCUS_EVENT_MASK;
7021                     }
7022                     if (keyListener != null || (eventMask & AWTEvent.KEY_EVENT_MASK) != 0) {
7023                         mask |= AWTEvent.KEY_EVENT_MASK;
7024                     }
7025                     if (mask != 0) {
7026                         parent.proxyEnableEvents(mask);
7027                     }
7028                 }
7029             } else {
7030                 // It's native. If the parent is lightweight it will need some
7031                 // help.
7032                 Container parent = getContainer();
7033                 if (parent != null && parent.isLightweight()) {
7034                     relocateComponent();
7035                     if (!parent.isRecursivelyVisibleUpToHeavyweightContainer())
7036                     {
7037                         peer.setVisible(false);
7038                     }
7039                 }
7040             }
7041             invalidate();
7042 
7043             int npopups = (popups != null? popups.size() : 0);
7044             for (int i = 0 ; i < npopups ; i++) {
7045                 PopupMenu popup = popups.elementAt(i);
7046                 popup.addNotify();
7047             }
7048 
7049             if (dropTarget != null) dropTarget.addNotify();
7050 
7051             peerFont = getFont();
7052 
7053             if (getContainer() != null && !isAddNotifyComplete) {
7054                 getContainer().increaseComponentCount(this);
7055             }
7056 
7057 
7058             // Update stacking order
7059             updateZOrder();
7060 
7061             if (!isAddNotifyComplete) {
7062                 mixOnShowing();
7063             }
7064 
7065             isAddNotifyComplete = true;
7066 
7067             if (hierarchyListener != null ||
7068                 (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0 ||
7069                 Toolkit.enabledOnToolkit(AWTEvent.HIERARCHY_EVENT_MASK)) {
7070                 HierarchyEvent e =
7071                     new HierarchyEvent(this, HierarchyEvent.HIERARCHY_CHANGED,
7072                                        this, parent,
7073                                        HierarchyEvent.DISPLAYABILITY_CHANGED |
7074                                        ((isRecursivelyVisible())
7075                                         ? HierarchyEvent.SHOWING_CHANGED
7076                                         : 0));
7077                 dispatchEvent(e);
7078             }
7079         }
7080     }
7081 
7082     /**
7083      * Makes this <code>Component</code> undisplayable by destroying it native
7084      * screen resource.
7085      * <p>
7086      * This method is called by the toolkit internally and should
7087      * not be called directly by programs. Code overriding
7088      * this method should call <code>super.removeNotify</code> as
7089      * the first line of the overriding method.
7090      *
7091      * @see       #isDisplayable
7092      * @see       #addNotify
7093      * @since 1.0
7094      */
7095     public void removeNotify() {
7096         KeyboardFocusManager.clearMostRecentFocusOwner(this);
7097         if (KeyboardFocusManager.getCurrentKeyboardFocusManager().
7098             getPermanentFocusOwner() == this)
7099         {
7100             KeyboardFocusManager.getCurrentKeyboardFocusManager().
7101                 setGlobalPermanentFocusOwner(null);
7102         }
7103 
7104         synchronized (getTreeLock()) {
7105             if (isFocusOwner() && KeyboardFocusManager.isAutoFocusTransferEnabledFor(this)) {
7106                 transferFocus(true);
7107             }
7108 
7109             if (getContainer() != null && isAddNotifyComplete) {
7110                 getContainer().decreaseComponentCount(this);
7111             }
7112 
7113             int npopups = (popups != null? popups.size() : 0);
7114             for (int i = 0 ; i < npopups ; i++) {
7115                 PopupMenu popup = popups.elementAt(i);
7116                 popup.removeNotify();
7117             }
7118             // If there is any input context for this component, notify
7119             // that this component is being removed. (This has to be done
7120             // before hiding peer.)
7121             if ((eventMask & AWTEvent.INPUT_METHODS_ENABLED_MASK) != 0) {
7122                 InputContext inputContext = getInputContext();
7123                 if (inputContext != null) {
7124                     inputContext.removeNotify(this);
7125                 }
7126             }
7127 
7128             ComponentPeer p = peer;
7129             if (p != null) {
7130                 boolean isLightweight = isLightweight();
7131 
7132                 if (bufferStrategy instanceof FlipBufferStrategy) {
7133                     ((FlipBufferStrategy)bufferStrategy).destroyBuffers();
7134                 }
7135 
7136                 if (dropTarget != null) dropTarget.removeNotify();
7137 
7138                 // Hide peer first to stop system events such as cursor moves.
7139                 if (visible) {
7140                     p.setVisible(false);
7141                 }
7142 
7143                 peer = null; // Stop peer updates.
7144                 peerFont = null;
7145 
7146                 Toolkit.getEventQueue().removeSourceEvents(this, false);
7147                 KeyboardFocusManager.getCurrentKeyboardFocusManager().
7148                     discardKeyEvents(this);
7149 
7150                 p.dispose();
7151 
7152                 mixOnHiding(isLightweight);
7153 
7154                 isAddNotifyComplete = false;
7155                 // Nullifying compoundShape means that the component has normal shape
7156                 // (or has no shape at all).
7157                 this.compoundShape = null;
7158             }
7159 
7160             if (hierarchyListener != null ||
7161                 (eventMask & AWTEvent.HIERARCHY_EVENT_MASK) != 0 ||
7162                 Toolkit.enabledOnToolkit(AWTEvent.HIERARCHY_EVENT_MASK)) {
7163                 HierarchyEvent e =
7164                     new HierarchyEvent(this, HierarchyEvent.HIERARCHY_CHANGED,
7165                                        this, parent,
7166                                        HierarchyEvent.DISPLAYABILITY_CHANGED |
7167                                        ((isRecursivelyVisible())
7168                                         ? HierarchyEvent.SHOWING_CHANGED
7169                                         : 0));
7170                 dispatchEvent(e);
7171             }
7172         }
7173     }
7174 
7175     /**
7176      * @param  evt the event to handle
7177      * @param  what the object focused
7178      * @return  {@code false}
7179      * @deprecated As of JDK version 1.1,
7180      * replaced by processFocusEvent(FocusEvent).
7181      */
7182     @Deprecated
7183     public boolean gotFocus(Event evt, Object what) {
7184         return false;
7185     }
7186 
7187     /**
7188      * @param evt  the event to handle
7189      * @param what the object focused
7190      * @return  {@code false}
7191      * @deprecated As of JDK version 1.1,
7192      * replaced by processFocusEvent(FocusEvent).
7193      */
7194     @Deprecated
7195     public boolean lostFocus(Event evt, Object what) {
7196         return false;
7197     }
7198 
7199     /**
7200      * Returns whether this <code>Component</code> can become the focus
7201      * owner.
7202      *
7203      * @return <code>true</code> if this <code>Component</code> is
7204      * focusable; <code>false</code> otherwise
7205      * @see #setFocusable
7206      * @since 1.1
7207      * @deprecated As of 1.4, replaced by <code>isFocusable()</code>.
7208      */
7209     @Deprecated
7210     public boolean isFocusTraversable() {
7211         if (isFocusTraversableOverridden == FOCUS_TRAVERSABLE_UNKNOWN) {
7212             isFocusTraversableOverridden = FOCUS_TRAVERSABLE_DEFAULT;
7213         }
7214         return focusable;
7215     }
7216 
7217     /**
7218      * Returns whether this Component can be focused.
7219      *
7220      * @return <code>true</code> if this Component is focusable;
7221      *         <code>false</code> otherwise.
7222      * @see #setFocusable
7223      * @since 1.4
7224      */
7225     public boolean isFocusable() {
7226         return isFocusTraversable();
7227     }
7228 
7229     /**
7230      * Sets the focusable state of this Component to the specified value. This
7231      * value overrides the Component's default focusability.
7232      *
7233      * @param focusable indicates whether this Component is focusable
7234      * @see #isFocusable
7235      * @since 1.4
7236      * @beaninfo
7237      *       bound: true
7238      */
7239     public void setFocusable(boolean focusable) {
7240         boolean oldFocusable;
7241         synchronized (this) {
7242             oldFocusable = this.focusable;
7243             this.focusable = focusable;
7244         }
7245         isFocusTraversableOverridden = FOCUS_TRAVERSABLE_SET;
7246 
7247         firePropertyChange("focusable", oldFocusable, focusable);
7248         if (oldFocusable && !focusable) {
7249             if (isFocusOwner() && KeyboardFocusManager.isAutoFocusTransferEnabled()) {
7250                 transferFocus(true);
7251             }
7252             KeyboardFocusManager.clearMostRecentFocusOwner(this);
7253         }
7254     }
7255 
7256     final boolean isFocusTraversableOverridden() {
7257         return (isFocusTraversableOverridden != FOCUS_TRAVERSABLE_DEFAULT);
7258     }
7259 
7260     /**
7261      * Sets the focus traversal keys for a given traversal operation for this
7262      * Component.
7263      * <p>
7264      * The default values for a Component's focus traversal keys are
7265      * implementation-dependent. Sun recommends that all implementations for a
7266      * particular native platform use the same default values. The
7267      * recommendations for Windows and Unix are listed below. These
7268      * recommendations are used in the Sun AWT implementations.
7269      *
7270      * <table border=1 summary="Recommended default values for a Component's focus traversal keys">
7271      * <tr>
7272      *    <th>Identifier</th>
7273      *    <th>Meaning</th>
7274      *    <th>Default</th>
7275      * </tr>
7276      * <tr>
7277      *    <td>KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS</td>
7278      *    <td>Normal forward keyboard traversal</td>
7279      *    <td>TAB on KEY_PRESSED, CTRL-TAB on KEY_PRESSED</td>
7280      * </tr>
7281      * <tr>
7282      *    <td>KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS</td>
7283      *    <td>Normal reverse keyboard traversal</td>
7284      *    <td>SHIFT-TAB on KEY_PRESSED, CTRL-SHIFT-TAB on KEY_PRESSED</td>
7285      * </tr>
7286      * <tr>
7287      *    <td>KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS</td>
7288      *    <td>Go up one focus traversal cycle</td>
7289      *    <td>none</td>
7290      * </tr>
7291      * </table>
7292      *
7293      * To disable a traversal key, use an empty Set; Collections.EMPTY_SET is
7294      * recommended.
7295      * <p>
7296      * Using the AWTKeyStroke API, client code can specify on which of two
7297      * specific KeyEvents, KEY_PRESSED or KEY_RELEASED, the focus traversal
7298      * operation will occur. Regardless of which KeyEvent is specified,
7299      * however, all KeyEvents related to the focus traversal key, including the
7300      * associated KEY_TYPED event, will be consumed, and will not be dispatched
7301      * to any Component. It is a runtime error to specify a KEY_TYPED event as
7302      * mapping to a focus traversal operation, or to map the same event to
7303      * multiple default focus traversal operations.
7304      * <p>
7305      * If a value of null is specified for the Set, this Component inherits the
7306      * Set from its parent. If all ancestors of this Component have null
7307      * specified for the Set, then the current KeyboardFocusManager's default
7308      * Set is used.
7309      * <p>
7310      * This method may throw a {@code ClassCastException} if any {@code Object}
7311      * in {@code keystrokes} is not an {@code AWTKeyStroke}.
7312      *
7313      * @param id one of KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7314      *        KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7315      *        KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS
7316      * @param keystrokes the Set of AWTKeyStroke for the specified operation
7317      * @see #getFocusTraversalKeys
7318      * @see KeyboardFocusManager#FORWARD_TRAVERSAL_KEYS
7319      * @see KeyboardFocusManager#BACKWARD_TRAVERSAL_KEYS
7320      * @see KeyboardFocusManager#UP_CYCLE_TRAVERSAL_KEYS
7321      * @throws IllegalArgumentException if id is not one of
7322      *         KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7323      *         KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7324      *         KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS, or if keystrokes
7325      *         contains null, or if any keystroke represents a KEY_TYPED event,
7326      *         or if any keystroke already maps to another focus traversal
7327      *         operation for this Component
7328      * @since 1.4
7329      * @beaninfo
7330      *       bound: true
7331      */
7332     public void setFocusTraversalKeys(int id,
7333                                       Set<? extends AWTKeyStroke> keystrokes)
7334     {
7335         if (id < 0 || id >= KeyboardFocusManager.TRAVERSAL_KEY_LENGTH - 1) {
7336             throw new IllegalArgumentException("invalid focus traversal key identifier");
7337         }
7338 
7339         setFocusTraversalKeys_NoIDCheck(id, keystrokes);
7340     }
7341 
7342     /**
7343      * Returns the Set of focus traversal keys for a given traversal operation
7344      * for this Component. (See
7345      * <code>setFocusTraversalKeys</code> for a full description of each key.)
7346      * <p>
7347      * If a Set of traversal keys has not been explicitly defined for this
7348      * Component, then this Component's parent's Set is returned. If no Set
7349      * has been explicitly defined for any of this Component's ancestors, then
7350      * the current KeyboardFocusManager's default Set is returned.
7351      *
7352      * @param id one of KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7353      *        KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7354      *        KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS
7355      * @return the Set of AWTKeyStrokes for the specified operation. The Set
7356      *         will be unmodifiable, and may be empty. null will never be
7357      *         returned.
7358      * @see #setFocusTraversalKeys
7359      * @see KeyboardFocusManager#FORWARD_TRAVERSAL_KEYS
7360      * @see KeyboardFocusManager#BACKWARD_TRAVERSAL_KEYS
7361      * @see KeyboardFocusManager#UP_CYCLE_TRAVERSAL_KEYS
7362      * @throws IllegalArgumentException if id is not one of
7363      *         KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7364      *         KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7365      *         KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS
7366      * @since 1.4
7367      */
7368     public Set<AWTKeyStroke> getFocusTraversalKeys(int id) {
7369         if (id < 0 || id >= KeyboardFocusManager.TRAVERSAL_KEY_LENGTH - 1) {
7370             throw new IllegalArgumentException("invalid focus traversal key identifier");
7371         }
7372 
7373         return getFocusTraversalKeys_NoIDCheck(id);
7374     }
7375 
7376     // We define these methods so that Container does not need to repeat this
7377     // code. Container cannot call super.<method> because Container allows
7378     // DOWN_CYCLE_TRAVERSAL_KEY while Component does not. The Component method
7379     // would erroneously generate an IllegalArgumentException for
7380     // DOWN_CYCLE_TRAVERSAL_KEY.
7381     final void setFocusTraversalKeys_NoIDCheck(int id, Set<? extends AWTKeyStroke> keystrokes) {
7382         Set<AWTKeyStroke> oldKeys;
7383 
7384         synchronized (this) {
7385             if (focusTraversalKeys == null) {
7386                 initializeFocusTraversalKeys();
7387             }
7388 
7389             if (keystrokes != null) {
7390                 for (AWTKeyStroke keystroke : keystrokes ) {
7391 
7392                     if (keystroke == null) {
7393                         throw new IllegalArgumentException("cannot set null focus traversal key");
7394                     }
7395 
7396                     if (keystroke.getKeyChar() != KeyEvent.CHAR_UNDEFINED) {
7397                         throw new IllegalArgumentException("focus traversal keys cannot map to KEY_TYPED events");
7398                     }
7399 
7400                     for (int i = 0; i < focusTraversalKeys.length; i++) {
7401                         if (i == id) {
7402                             continue;
7403                         }
7404 
7405                         if (getFocusTraversalKeys_NoIDCheck(i).contains(keystroke))
7406                         {
7407                             throw new IllegalArgumentException("focus traversal keys must be unique for a Component");
7408                         }
7409                     }
7410                 }
7411             }
7412 
7413             oldKeys = focusTraversalKeys[id];
7414             focusTraversalKeys[id] = (keystrokes != null)
7415                 ? Collections.unmodifiableSet(new HashSet<AWTKeyStroke>(keystrokes))
7416                 : null;
7417         }
7418 
7419         firePropertyChange(focusTraversalKeyPropertyNames[id], oldKeys,
7420                            keystrokes);
7421     }
7422     final Set<AWTKeyStroke> getFocusTraversalKeys_NoIDCheck(int id) {
7423         // Okay to return Set directly because it is an unmodifiable view
7424         @SuppressWarnings("unchecked")
7425         Set<AWTKeyStroke> keystrokes = (focusTraversalKeys != null)
7426             ? focusTraversalKeys[id]
7427             : null;
7428 
7429         if (keystrokes != null) {
7430             return keystrokes;
7431         } else {
7432             Container parent = this.parent;
7433             if (parent != null) {
7434                 return parent.getFocusTraversalKeys(id);
7435             } else {
7436                 return KeyboardFocusManager.getCurrentKeyboardFocusManager().
7437                     getDefaultFocusTraversalKeys(id);
7438             }
7439         }
7440     }
7441 
7442     /**
7443      * Returns whether the Set of focus traversal keys for the given focus
7444      * traversal operation has been explicitly defined for this Component. If
7445      * this method returns <code>false</code>, this Component is inheriting the
7446      * Set from an ancestor, or from the current KeyboardFocusManager.
7447      *
7448      * @param id one of KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7449      *        KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7450      *        KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS
7451      * @return <code>true</code> if the Set of focus traversal keys for the
7452      *         given focus traversal operation has been explicitly defined for
7453      *         this Component; <code>false</code> otherwise.
7454      * @throws IllegalArgumentException if id is not one of
7455      *         KeyboardFocusManager.FORWARD_TRAVERSAL_KEYS,
7456      *         KeyboardFocusManager.BACKWARD_TRAVERSAL_KEYS, or
7457      *         KeyboardFocusManager.UP_CYCLE_TRAVERSAL_KEYS
7458      * @since 1.4
7459      */
7460     public boolean areFocusTraversalKeysSet(int id) {
7461         if (id < 0 || id >= KeyboardFocusManager.TRAVERSAL_KEY_LENGTH - 1) {
7462             throw new IllegalArgumentException("invalid focus traversal key identifier");
7463         }
7464 
7465         return (focusTraversalKeys != null && focusTraversalKeys[id] != null);
7466     }
7467 
7468     /**
7469      * Sets whether focus traversal keys are enabled for this Component.
7470      * Components for which focus traversal keys are disabled receive key
7471      * events for focus traversal keys. Components for which focus traversal
7472      * keys are enabled do not see these events; instead, the events are
7473      * automatically converted to traversal operations.
7474      *
7475      * @param focusTraversalKeysEnabled whether focus traversal keys are
7476      *        enabled for this Component
7477      * @see #getFocusTraversalKeysEnabled
7478      * @see #setFocusTraversalKeys
7479      * @see #getFocusTraversalKeys
7480      * @since 1.4
7481      * @beaninfo
7482      *       bound: true
7483      */
7484     public void setFocusTraversalKeysEnabled(boolean
7485                                              focusTraversalKeysEnabled) {
7486         boolean oldFocusTraversalKeysEnabled;
7487         synchronized (this) {
7488             oldFocusTraversalKeysEnabled = this.focusTraversalKeysEnabled;
7489             this.focusTraversalKeysEnabled = focusTraversalKeysEnabled;
7490         }
7491         firePropertyChange("focusTraversalKeysEnabled",
7492                            oldFocusTraversalKeysEnabled,
7493                            focusTraversalKeysEnabled);
7494     }
7495 
7496     /**
7497      * Returns whether focus traversal keys are enabled for this Component.
7498      * Components for which focus traversal keys are disabled receive key
7499      * events for focus traversal keys. Components for which focus traversal
7500      * keys are enabled do not see these events; instead, the events are
7501      * automatically converted to traversal operations.
7502      *
7503      * @return whether focus traversal keys are enabled for this Component
7504      * @see #setFocusTraversalKeysEnabled
7505      * @see #setFocusTraversalKeys
7506      * @see #getFocusTraversalKeys
7507      * @since 1.4
7508      */
7509     public boolean getFocusTraversalKeysEnabled() {
7510         return focusTraversalKeysEnabled;
7511     }
7512 
7513     /**
7514      * Requests that this Component get the input focus, and that this
7515      * Component's top-level ancestor become the focused Window. This
7516      * component must be displayable, focusable, visible and all of
7517      * its ancestors (with the exception of the top-level Window) must
7518      * be visible for the request to be granted. Every effort will be
7519      * made to honor the request; however, in some cases it may be
7520      * impossible to do so. Developers must never assume that this
7521      * Component is the focus owner until this Component receives a
7522      * FOCUS_GAINED event. If this request is denied because this
7523      * Component's top-level Window cannot become the focused Window,
7524      * the request will be remembered and will be granted when the
7525      * Window is later focused by the user.
7526      * <p>
7527      * This method cannot be used to set the focus owner to no Component at
7528      * all. Use <code>KeyboardFocusManager.clearGlobalFocusOwner()</code>
7529      * instead.
7530      * <p>
7531      * Because the focus behavior of this method is platform-dependent,
7532      * developers are strongly encouraged to use
7533      * <code>requestFocusInWindow</code> when possible.
7534      *
7535      * <p>Note: Not all focus transfers result from invoking this method. As
7536      * such, a component may receive focus without this or any of the other
7537      * {@code requestFocus} methods of {@code Component} being invoked.
7538      *
7539      * @see #requestFocusInWindow
7540      * @see java.awt.event.FocusEvent
7541      * @see #addFocusListener
7542      * @see #isFocusable
7543      * @see #isDisplayable
7544      * @see KeyboardFocusManager#clearGlobalFocusOwner
7545      * @since 1.0
7546      */
7547     public void requestFocus() {
7548         requestFocusHelper(false, true);
7549     }
7550 
7551     boolean requestFocus(CausedFocusEvent.Cause cause) {
7552         return requestFocusHelper(false, true, cause);
7553     }
7554 
7555     /**
7556      * Requests that this <code>Component</code> get the input focus,
7557      * and that this <code>Component</code>'s top-level ancestor
7558      * become the focused <code>Window</code>. This component must be
7559      * displayable, focusable, visible and all of its ancestors (with
7560      * the exception of the top-level Window) must be visible for the
7561      * request to be granted. Every effort will be made to honor the
7562      * request; however, in some cases it may be impossible to do
7563      * so. Developers must never assume that this component is the
7564      * focus owner until this component receives a FOCUS_GAINED
7565      * event. If this request is denied because this component's
7566      * top-level window cannot become the focused window, the request
7567      * will be remembered and will be granted when the window is later
7568      * focused by the user.
7569      * <p>
7570      * This method returns a boolean value. If <code>false</code> is returned,
7571      * the request is <b>guaranteed to fail</b>. If <code>true</code> is
7572      * returned, the request will succeed <b>unless</b> it is vetoed, or an
7573      * extraordinary event, such as disposal of the component's peer, occurs
7574      * before the request can be granted by the native windowing system. Again,
7575      * while a return value of <code>true</code> indicates that the request is
7576      * likely to succeed, developers must never assume that this component is
7577      * the focus owner until this component receives a FOCUS_GAINED event.
7578      * <p>
7579      * This method cannot be used to set the focus owner to no component at
7580      * all. Use <code>KeyboardFocusManager.clearGlobalFocusOwner</code>
7581      * instead.
7582      * <p>
7583      * Because the focus behavior of this method is platform-dependent,
7584      * developers are strongly encouraged to use
7585      * <code>requestFocusInWindow</code> when possible.
7586      * <p>
7587      * Every effort will be made to ensure that <code>FocusEvent</code>s
7588      * generated as a
7589      * result of this request will have the specified temporary value. However,
7590      * because specifying an arbitrary temporary state may not be implementable
7591      * on all native windowing systems, correct behavior for this method can be
7592      * guaranteed only for lightweight <code>Component</code>s.
7593      * This method is not intended
7594      * for general use, but exists instead as a hook for lightweight component
7595      * libraries, such as Swing.
7596      *
7597      * <p>Note: Not all focus transfers result from invoking this method. As
7598      * such, a component may receive focus without this or any of the other
7599      * {@code requestFocus} methods of {@code Component} being invoked.
7600      *
7601      * @param temporary true if the focus change is temporary,
7602      *        such as when the window loses the focus; for
7603      *        more information on temporary focus changes see the
7604      *<a href="../../java/awt/doc-files/FocusSpec.html">Focus Specification</a>
7605      * @return <code>false</code> if the focus change request is guaranteed to
7606      *         fail; <code>true</code> if it is likely to succeed
7607      * @see java.awt.event.FocusEvent
7608      * @see #addFocusListener
7609      * @see #isFocusable
7610      * @see #isDisplayable
7611      * @see KeyboardFocusManager#clearGlobalFocusOwner
7612      * @since 1.4
7613      */
7614     protected boolean requestFocus(boolean temporary) {
7615         return requestFocusHelper(temporary, true);
7616     }
7617 
7618     boolean requestFocus(boolean temporary, CausedFocusEvent.Cause cause) {
7619         return requestFocusHelper(temporary, true, cause);
7620     }
7621     /**
7622      * Requests that this Component get the input focus, if this
7623      * Component's top-level ancestor is already the focused
7624      * Window. This component must be displayable, focusable, visible
7625      * and all of its ancestors (with the exception of the top-level
7626      * Window) must be visible for the request to be granted. Every
7627      * effort will be made to honor the request; however, in some
7628      * cases it may be impossible to do so. Developers must never
7629      * assume that this Component is the focus owner until this
7630      * Component receives a FOCUS_GAINED event.
7631      * <p>
7632      * This method returns a boolean value. If <code>false</code> is returned,
7633      * the request is <b>guaranteed to fail</b>. If <code>true</code> is
7634      * returned, the request will succeed <b>unless</b> it is vetoed, or an
7635      * extraordinary event, such as disposal of the Component's peer, occurs
7636      * before the request can be granted by the native windowing system. Again,
7637      * while a return value of <code>true</code> indicates that the request is
7638      * likely to succeed, developers must never assume that this Component is
7639      * the focus owner until this Component receives a FOCUS_GAINED event.
7640      * <p>
7641      * This method cannot be used to set the focus owner to no Component at
7642      * all. Use <code>KeyboardFocusManager.clearGlobalFocusOwner()</code>
7643      * instead.
7644      * <p>
7645      * The focus behavior of this method can be implemented uniformly across
7646      * platforms, and thus developers are strongly encouraged to use this
7647      * method over <code>requestFocus</code> when possible. Code which relies
7648      * on <code>requestFocus</code> may exhibit different focus behavior on
7649      * different platforms.
7650      *
7651      * <p>Note: Not all focus transfers result from invoking this method. As
7652      * such, a component may receive focus without this or any of the other
7653      * {@code requestFocus} methods of {@code Component} being invoked.
7654      *
7655      * @return <code>false</code> if the focus change request is guaranteed to
7656      *         fail; <code>true</code> if it is likely to succeed
7657      * @see #requestFocus
7658      * @see java.awt.event.FocusEvent
7659      * @see #addFocusListener
7660      * @see #isFocusable
7661      * @see #isDisplayable
7662      * @see KeyboardFocusManager#clearGlobalFocusOwner
7663      * @since 1.4
7664      */
7665     public boolean requestFocusInWindow() {
7666         return requestFocusHelper(false, false);
7667     }
7668 
7669     boolean requestFocusInWindow(CausedFocusEvent.Cause cause) {
7670         return requestFocusHelper(false, false, cause);
7671     }
7672 
7673     /**
7674      * Requests that this <code>Component</code> get the input focus,
7675      * if this <code>Component</code>'s top-level ancestor is already
7676      * the focused <code>Window</code>.  This component must be
7677      * displayable, focusable, visible and all of its ancestors (with
7678      * the exception of the top-level Window) must be visible for the
7679      * request to be granted. Every effort will be made to honor the
7680      * request; however, in some cases it may be impossible to do
7681      * so. Developers must never assume that this component is the
7682      * focus owner until this component receives a FOCUS_GAINED event.
7683      * <p>
7684      * This method returns a boolean value. If <code>false</code> is returned,
7685      * the request is <b>guaranteed to fail</b>. If <code>true</code> is
7686      * returned, the request will succeed <b>unless</b> it is vetoed, or an
7687      * extraordinary event, such as disposal of the component's peer, occurs
7688      * before the request can be granted by the native windowing system. Again,
7689      * while a return value of <code>true</code> indicates that the request is
7690      * likely to succeed, developers must never assume that this component is
7691      * the focus owner until this component receives a FOCUS_GAINED event.
7692      * <p>
7693      * This method cannot be used to set the focus owner to no component at
7694      * all. Use <code>KeyboardFocusManager.clearGlobalFocusOwner</code>
7695      * instead.
7696      * <p>
7697      * The focus behavior of this method can be implemented uniformly across
7698      * platforms, and thus developers are strongly encouraged to use this
7699      * method over <code>requestFocus</code> when possible. Code which relies
7700      * on <code>requestFocus</code> may exhibit different focus behavior on
7701      * different platforms.
7702      * <p>
7703      * Every effort will be made to ensure that <code>FocusEvent</code>s
7704      * generated as a
7705      * result of this request will have the specified temporary value. However,
7706      * because specifying an arbitrary temporary state may not be implementable
7707      * on all native windowing systems, correct behavior for this method can be
7708      * guaranteed only for lightweight components. This method is not intended
7709      * for general use, but exists instead as a hook for lightweight component
7710      * libraries, such as Swing.
7711      *
7712      * <p>Note: Not all focus transfers result from invoking this method. As
7713      * such, a component may receive focus without this or any of the other
7714      * {@code requestFocus} methods of {@code Component} being invoked.
7715      *
7716      * @param temporary true if the focus change is temporary,
7717      *        such as when the window loses the focus; for
7718      *        more information on temporary focus changes see the
7719      *<a href="../../java/awt/doc-files/FocusSpec.html">Focus Specification</a>
7720      * @return <code>false</code> if the focus change request is guaranteed to
7721      *         fail; <code>true</code> if it is likely to succeed
7722      * @see #requestFocus
7723      * @see java.awt.event.FocusEvent
7724      * @see #addFocusListener
7725      * @see #isFocusable
7726      * @see #isDisplayable
7727      * @see KeyboardFocusManager#clearGlobalFocusOwner
7728      * @since 1.4
7729      */
7730     protected boolean requestFocusInWindow(boolean temporary) {
7731         return requestFocusHelper(temporary, false);
7732     }
7733 
7734     boolean requestFocusInWindow(boolean temporary, CausedFocusEvent.Cause cause) {
7735         return requestFocusHelper(temporary, false, cause);
7736     }
7737 
7738     final boolean requestFocusHelper(boolean temporary,
7739                                      boolean focusedWindowChangeAllowed) {
7740         return requestFocusHelper(temporary, focusedWindowChangeAllowed, CausedFocusEvent.Cause.UNKNOWN);
7741     }
7742 
7743     final boolean requestFocusHelper(boolean temporary,
7744                                      boolean focusedWindowChangeAllowed,
7745                                      CausedFocusEvent.Cause cause)
7746     {
7747         // 1) Check if the event being dispatched is a system-generated mouse event.
7748         AWTEvent currentEvent = EventQueue.getCurrentEvent();
7749         if (currentEvent instanceof MouseEvent &&
7750             SunToolkit.isSystemGenerated(currentEvent))
7751         {
7752             // 2) Sanity check: if the mouse event component source belongs to the same containing window.
7753             Component source = ((MouseEvent)currentEvent).getComponent();
7754             if (source == null || source.getContainingWindow() == getContainingWindow()) {
7755                 focusLog.finest("requesting focus by mouse event \"in window\"");
7756 
7757                 // If both the conditions are fulfilled the focus request should be strictly
7758                 // bounded by the toplevel window. It's assumed that the mouse event activates
7759                 // the window (if it wasn't active) and this makes it possible for a focus
7760                 // request with a strong in-window requirement to change focus in the bounds
7761                 // of the toplevel. If, by any means, due to asynchronous nature of the event
7762                 // dispatching mechanism, the window happens to be natively inactive by the time
7763                 // this focus request is eventually handled, it should not re-activate the
7764                 // toplevel. Otherwise the result may not meet user expectations. See 6981400.
7765                 focusedWindowChangeAllowed = false;
7766             }
7767         }
7768         if (!isRequestFocusAccepted(temporary, focusedWindowChangeAllowed, cause)) {
7769             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7770                 focusLog.finest("requestFocus is not accepted");
7771             }
7772             return false;
7773         }
7774         // Update most-recent map
7775         KeyboardFocusManager.setMostRecentFocusOwner(this);
7776 
7777         Component window = this;
7778         while ( (window != null) && !(window instanceof Window)) {
7779             if (!window.isVisible()) {
7780                 if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7781                     focusLog.finest("component is recursively invisible");
7782                 }
7783                 return false;
7784             }
7785             window = window.parent;
7786         }
7787 
7788         ComponentPeer peer = this.peer;
7789         Component heavyweight = (peer instanceof LightweightPeer)
7790             ? getNativeContainer() : this;
7791         if (heavyweight == null || !heavyweight.isVisible()) {
7792             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7793                 focusLog.finest("Component is not a part of visible hierarchy");
7794             }
7795             return false;
7796         }
7797         peer = heavyweight.peer;
7798         if (peer == null) {
7799             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7800                 focusLog.finest("Peer is null");
7801             }
7802             return false;
7803         }
7804 
7805         // Focus this Component
7806         long time = 0;
7807         if (EventQueue.isDispatchThread()) {
7808             time = Toolkit.getEventQueue().getMostRecentKeyEventTime();
7809         } else {
7810             // A focus request made from outside EDT should not be associated with any event
7811             // and so its time stamp is simply set to the current time.
7812             time = System.currentTimeMillis();
7813         }
7814 
7815         boolean success = peer.requestFocus
7816             (this, temporary, focusedWindowChangeAllowed, time, cause);
7817         if (!success) {
7818             KeyboardFocusManager.getCurrentKeyboardFocusManager
7819                 (appContext).dequeueKeyEvents(time, this);
7820             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7821                 focusLog.finest("Peer request failed");
7822             }
7823         } else {
7824             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7825                 focusLog.finest("Pass for " + this);
7826             }
7827         }
7828         return success;
7829     }
7830 
7831     private boolean isRequestFocusAccepted(boolean temporary,
7832                                            boolean focusedWindowChangeAllowed,
7833                                            CausedFocusEvent.Cause cause)
7834     {
7835         if (!isFocusable() || !isVisible()) {
7836             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7837                 focusLog.finest("Not focusable or not visible");
7838             }
7839             return false;
7840         }
7841 
7842         ComponentPeer peer = this.peer;
7843         if (peer == null) {
7844             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7845                 focusLog.finest("peer is null");
7846             }
7847             return false;
7848         }
7849 
7850         Window window = getContainingWindow();
7851         if (window == null || !window.isFocusableWindow()) {
7852             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7853                 focusLog.finest("Component doesn't have toplevel");
7854             }
7855             return false;
7856         }
7857 
7858         // We have passed all regular checks for focus request,
7859         // now let's call RequestFocusController and see what it says.
7860         Component focusOwner = KeyboardFocusManager.getMostRecentFocusOwner(window);
7861         if (focusOwner == null) {
7862             // sometimes most recent focus owner may be null, but focus owner is not
7863             // e.g. we reset most recent focus owner if user removes focus owner
7864             focusOwner = KeyboardFocusManager.getCurrentKeyboardFocusManager().getFocusOwner();
7865             if (focusOwner != null && focusOwner.getContainingWindow() != window) {
7866                 focusOwner = null;
7867             }
7868         }
7869 
7870         if (focusOwner == this || focusOwner == null) {
7871             // Controller is supposed to verify focus transfers and for this it
7872             // should know both from and to components.  And it shouldn't verify
7873             // transfers from when these components are equal.
7874             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7875                 focusLog.finest("focus owner is null or this");
7876             }
7877             return true;
7878         }
7879 
7880         if (CausedFocusEvent.Cause.ACTIVATION == cause) {
7881             // we shouldn't call RequestFocusController in case we are
7882             // in activation.  We do request focus on component which
7883             // has got temporary focus lost and then on component which is
7884             // most recent focus owner.  But most recent focus owner can be
7885             // changed by requestFocusXXX() call only, so this transfer has
7886             // been already approved.
7887             if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7888                 focusLog.finest("cause is activation");
7889             }
7890             return true;
7891         }
7892 
7893         boolean ret = Component.requestFocusController.acceptRequestFocus(focusOwner,
7894                                                                           this,
7895                                                                           temporary,
7896                                                                           focusedWindowChangeAllowed,
7897                                                                           cause);
7898         if (focusLog.isLoggable(PlatformLogger.Level.FINEST)) {
7899             focusLog.finest("RequestFocusController returns {0}", ret);
7900         }
7901 
7902         return ret;
7903     }
7904 
7905     private static RequestFocusController requestFocusController = new DummyRequestFocusController();
7906 
7907     // Swing access this method through reflection to implement InputVerifier's functionality.
7908     // Perhaps, we should make this method public (later ;)
7909     private static class DummyRequestFocusController implements RequestFocusController {
7910         public boolean acceptRequestFocus(Component from, Component to,
7911                                           boolean temporary, boolean focusedWindowChangeAllowed,
7912                                           CausedFocusEvent.Cause cause)
7913         {
7914             return true;
7915         }
7916     };
7917 
7918     synchronized static void setRequestFocusController(RequestFocusController requestController)
7919     {
7920         if (requestController == null) {
7921             requestFocusController = new DummyRequestFocusController();
7922         } else {
7923             requestFocusController = requestController;
7924         }
7925     }
7926 
7927     /**
7928      * Returns the Container which is the focus cycle root of this Component's
7929      * focus traversal cycle. Each focus traversal cycle has only a single
7930      * focus cycle root and each Component which is not a Container belongs to
7931      * only a single focus traversal cycle. Containers which are focus cycle
7932      * roots belong to two cycles: one rooted at the Container itself, and one
7933      * rooted at the Container's nearest focus-cycle-root ancestor. For such
7934      * Containers, this method will return the Container's nearest focus-cycle-
7935      * root ancestor.
7936      *
7937      * @return this Component's nearest focus-cycle-root ancestor
7938      * @see Container#isFocusCycleRoot()
7939      * @since 1.4
7940      */
7941     public Container getFocusCycleRootAncestor() {
7942         Container rootAncestor = this.parent;
7943         while (rootAncestor != null && !rootAncestor.isFocusCycleRoot()) {
7944             rootAncestor = rootAncestor.parent;
7945         }
7946         return rootAncestor;
7947     }
7948 
7949     /**
7950      * Returns whether the specified Container is the focus cycle root of this
7951      * Component's focus traversal cycle. Each focus traversal cycle has only
7952      * a single focus cycle root and each Component which is not a Container
7953      * belongs to only a single focus traversal cycle.
7954      *
7955      * @param container the Container to be tested
7956      * @return <code>true</code> if the specified Container is a focus-cycle-
7957      *         root of this Component; <code>false</code> otherwise
7958      * @see Container#isFocusCycleRoot()
7959      * @since 1.4
7960      */
7961     public boolean isFocusCycleRoot(Container container) {
7962         Container rootAncestor = getFocusCycleRootAncestor();
7963         return (rootAncestor == container);
7964     }
7965 
7966     Container getTraversalRoot() {
7967         return getFocusCycleRootAncestor();
7968     }
7969 
7970     /**
7971      * Transfers the focus to the next component, as though this Component were
7972      * the focus owner.
7973      * @see       #requestFocus()
7974      * @since     1.1
7975      */
7976     public void transferFocus() {
7977         nextFocus();
7978     }
7979 
7980     /**
7981      * @deprecated As of JDK version 1.1,
7982      * replaced by transferFocus().
7983      */
7984     @Deprecated
7985     public void nextFocus() {
7986         transferFocus(false);
7987     }
7988 
7989     boolean transferFocus(boolean clearOnFailure) {
7990         if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
7991             focusLog.finer("clearOnFailure = " + clearOnFailure);
7992         }
7993         Component toFocus = getNextFocusCandidate();
7994         boolean res = false;
7995         if (toFocus != null && !toFocus.isFocusOwner() && toFocus != this) {
7996             res = toFocus.requestFocusInWindow(CausedFocusEvent.Cause.TRAVERSAL_FORWARD);
7997         }
7998         if (clearOnFailure && !res) {
7999             if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8000                 focusLog.finer("clear global focus owner");
8001             }
8002             KeyboardFocusManager.getCurrentKeyboardFocusManager().clearGlobalFocusOwnerPriv();
8003         }
8004         if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8005             focusLog.finer("returning result: " + res);
8006         }
8007         return res;
8008     }
8009 
8010     final Component getNextFocusCandidate() {
8011         Container rootAncestor = getTraversalRoot();
8012         Component comp = this;
8013         while (rootAncestor != null &&
8014                !(rootAncestor.isShowing() && rootAncestor.canBeFocusOwner()))
8015         {
8016             comp = rootAncestor;
8017             rootAncestor = comp.getFocusCycleRootAncestor();
8018         }
8019         if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8020             focusLog.finer("comp = " + comp + ", root = " + rootAncestor);
8021         }
8022         Component candidate = null;
8023         if (rootAncestor != null) {
8024             FocusTraversalPolicy policy = rootAncestor.getFocusTraversalPolicy();
8025             Component toFocus = policy.getComponentAfter(rootAncestor, comp);
8026             if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8027                 focusLog.finer("component after is " + toFocus);
8028             }
8029             if (toFocus == null) {
8030                 toFocus = policy.getDefaultComponent(rootAncestor);
8031                 if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8032                     focusLog.finer("default component is " + toFocus);
8033                 }
8034             }
8035             if (toFocus == null) {
8036                 Applet applet = EmbeddedFrame.getAppletIfAncestorOf(this);
8037                 if (applet != null) {
8038                     toFocus = applet;
8039                 }
8040             }
8041             candidate = toFocus;
8042         }
8043         if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8044             focusLog.finer("Focus transfer candidate: " + candidate);
8045         }
8046         return candidate;
8047     }
8048 
8049     /**
8050      * Transfers the focus to the previous component, as though this Component
8051      * were the focus owner.
8052      * @see       #requestFocus()
8053      * @since     1.4
8054      */
8055     public void transferFocusBackward() {
8056         transferFocusBackward(false);
8057     }
8058 
8059     boolean transferFocusBackward(boolean clearOnFailure) {
8060         Container rootAncestor = getTraversalRoot();
8061         Component comp = this;
8062         while (rootAncestor != null &&
8063                !(rootAncestor.isShowing() && rootAncestor.canBeFocusOwner()))
8064         {
8065             comp = rootAncestor;
8066             rootAncestor = comp.getFocusCycleRootAncestor();
8067         }
8068         boolean res = false;
8069         if (rootAncestor != null) {
8070             FocusTraversalPolicy policy = rootAncestor.getFocusTraversalPolicy();
8071             Component toFocus = policy.getComponentBefore(rootAncestor, comp);
8072             if (toFocus == null) {
8073                 toFocus = policy.getDefaultComponent(rootAncestor);
8074             }
8075             if (toFocus != null) {
8076                 res = toFocus.requestFocusInWindow(CausedFocusEvent.Cause.TRAVERSAL_BACKWARD);
8077             }
8078         }
8079         if (clearOnFailure && !res) {
8080             if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8081                 focusLog.finer("clear global focus owner");
8082             }
8083             KeyboardFocusManager.getCurrentKeyboardFocusManager().clearGlobalFocusOwnerPriv();
8084         }
8085         if (focusLog.isLoggable(PlatformLogger.Level.FINER)) {
8086             focusLog.finer("returning result: " + res);
8087         }
8088         return res;
8089     }
8090 
8091     /**
8092      * Transfers the focus up one focus traversal cycle. Typically, the focus
8093      * owner is set to this Component's focus cycle root, and the current focus
8094      * cycle root is set to the new focus owner's focus cycle root. If,
8095      * however, this Component's focus cycle root is a Window, then the focus
8096      * owner is set to the focus cycle root's default Component to focus, and
8097      * the current focus cycle root is unchanged.
8098      *
8099      * @see       #requestFocus()
8100      * @see       Container#isFocusCycleRoot()
8101      * @see       Container#setFocusCycleRoot(boolean)
8102      * @since     1.4
8103      */
8104     public void transferFocusUpCycle() {
8105         Container rootAncestor;
8106         for (rootAncestor = getFocusCycleRootAncestor();
8107              rootAncestor != null && !(rootAncestor.isShowing() &&
8108                                        rootAncestor.isFocusable() &&
8109                                        rootAncestor.isEnabled());
8110              rootAncestor = rootAncestor.getFocusCycleRootAncestor()) {
8111         }
8112 
8113         if (rootAncestor != null) {
8114             Container rootAncestorRootAncestor =
8115                 rootAncestor.getFocusCycleRootAncestor();
8116             Container fcr = (rootAncestorRootAncestor != null) ?
8117                 rootAncestorRootAncestor : rootAncestor;
8118 
8119             KeyboardFocusManager.getCurrentKeyboardFocusManager().
8120                 setGlobalCurrentFocusCycleRootPriv(fcr);
8121             rootAncestor.requestFocus(CausedFocusEvent.Cause.TRAVERSAL_UP);
8122         } else {
8123             Window window = getContainingWindow();
8124 
8125             if (window != null) {
8126                 Component toFocus = window.getFocusTraversalPolicy().
8127                     getDefaultComponent(window);
8128                 if (toFocus != null) {
8129                     KeyboardFocusManager.getCurrentKeyboardFocusManager().
8130                         setGlobalCurrentFocusCycleRootPriv(window);
8131                     toFocus.requestFocus(CausedFocusEvent.Cause.TRAVERSAL_UP);
8132                 }
8133             }
8134         }
8135     }
8136 
8137     /**
8138      * Returns <code>true</code> if this <code>Component</code> is the
8139      * focus owner.  This method is obsolete, and has been replaced by
8140      * <code>isFocusOwner()</code>.
8141      *
8142      * @return <code>true</code> if this <code>Component</code> is the
8143      *         focus owner; <code>false</code> otherwise
8144      * @since 1.2
8145      */
8146     public boolean hasFocus() {
8147         return (KeyboardFocusManager.getCurrentKeyboardFocusManager().
8148                 getFocusOwner() == this);
8149     }
8150 
8151     /**
8152      * Returns <code>true</code> if this <code>Component</code> is the
8153      *    focus owner.
8154      *
8155      * @return <code>true</code> if this <code>Component</code> is the
8156      *     focus owner; <code>false</code> otherwise
8157      * @since 1.4
8158      */
8159     public boolean isFocusOwner() {
8160         return hasFocus();
8161     }
8162 
8163     /*
8164      * Used to disallow auto-focus-transfer on disposal of the focus owner
8165      * in the process of disposing its parent container.
8166      */
8167     private boolean autoFocusTransferOnDisposal = true;
8168 
8169     void setAutoFocusTransferOnDisposal(boolean value) {
8170         autoFocusTransferOnDisposal = value;
8171     }
8172 
8173     boolean isAutoFocusTransferOnDisposal() {
8174         return autoFocusTransferOnDisposal;
8175     }
8176 
8177     /**
8178      * Adds the specified popup menu to the component.
8179      * @param     popup the popup menu to be added to the component.
8180      * @see       #remove(MenuComponent)
8181      * @exception NullPointerException if {@code popup} is {@code null}
8182      * @since     1.1
8183      */
8184     public void add(PopupMenu popup) {
8185         synchronized (getTreeLock()) {
8186             if (popup.parent != null) {
8187                 popup.parent.remove(popup);
8188             }
8189             if (popups == null) {
8190                 popups = new Vector<PopupMenu>();
8191             }
8192             popups.addElement(popup);
8193             popup.parent = this;
8194 
8195             if (peer != null) {
8196                 if (popup.peer == null) {
8197                     popup.addNotify();
8198                 }
8199             }
8200         }
8201     }
8202 
8203     /**
8204      * Removes the specified popup menu from the component.
8205      * @param     popup the popup menu to be removed
8206      * @see       #add(PopupMenu)
8207      * @since     1.1
8208      */
8209     @SuppressWarnings("unchecked")
8210     public void remove(MenuComponent popup) {
8211         synchronized (getTreeLock()) {
8212             if (popups == null) {
8213                 return;
8214             }
8215             int index = popups.indexOf(popup);
8216             if (index >= 0) {
8217                 PopupMenu pmenu = (PopupMenu)popup;
8218                 if (pmenu.peer != null) {
8219                     pmenu.removeNotify();
8220                 }
8221                 pmenu.parent = null;
8222                 popups.removeElementAt(index);
8223                 if (popups.size() == 0) {
8224                     popups = null;
8225                 }
8226             }
8227         }
8228     }
8229 
8230     /**
8231      * Returns a string representing the state of this component. This
8232      * method is intended to be used only for debugging purposes, and the
8233      * content and format of the returned string may vary between
8234      * implementations. The returned string may be empty but may not be
8235      * <code>null</code>.
8236      *
8237      * @return  a string representation of this component's state
8238      * @since     1.0
8239      */
8240     protected String paramString() {
8241         final String thisName = Objects.toString(getName(), "");
8242         final String invalid = isValid() ? "" : ",invalid";
8243         final String hidden = visible ? "" : ",hidden";
8244         final String disabled = enabled ? "" : ",disabled";
8245         return thisName + ',' + x + ',' + y + ',' + width + 'x' + height
8246                 + invalid + hidden + disabled;
8247     }
8248 
8249     /**
8250      * Returns a string representation of this component and its values.
8251      * @return    a string representation of this component
8252      * @since     1.0
8253      */
8254     public String toString() {
8255         return getClass().getName() + '[' + paramString() + ']';
8256     }
8257 
8258     /**
8259      * Prints a listing of this component to the standard system output
8260      * stream <code>System.out</code>.
8261      * @see       java.lang.System#out
8262      * @since     1.0
8263      */
8264     public void list() {
8265         list(System.out, 0);
8266     }
8267 
8268     /**
8269      * Prints a listing of this component to the specified output
8270      * stream.
8271      * @param    out   a print stream
8272      * @throws   NullPointerException if {@code out} is {@code null}
8273      * @since    1.0
8274      */
8275     public void list(PrintStream out) {
8276         list(out, 0);
8277     }
8278 
8279     /**
8280      * Prints out a list, starting at the specified indentation, to the
8281      * specified print stream.
8282      * @param     out      a print stream
8283      * @param     indent   number of spaces to indent
8284      * @see       java.io.PrintStream#println(java.lang.Object)
8285      * @throws    NullPointerException if {@code out} is {@code null}
8286      * @since     1.0
8287      */
8288     public void list(PrintStream out, int indent) {
8289         for (int i = 0 ; i < indent ; i++) {
8290             out.print(" ");
8291         }
8292         out.println(this);
8293     }
8294 
8295     /**
8296      * Prints a listing to the specified print writer.
8297      * @param  out  the print writer to print to
8298      * @throws NullPointerException if {@code out} is {@code null}
8299      * @since 1.1
8300      */
8301     public void list(PrintWriter out) {
8302         list(out, 0);
8303     }
8304 
8305     /**
8306      * Prints out a list, starting at the specified indentation, to
8307      * the specified print writer.
8308      * @param out the print writer to print to
8309      * @param indent the number of spaces to indent
8310      * @throws NullPointerException if {@code out} is {@code null}
8311      * @see       java.io.PrintStream#println(java.lang.Object)
8312      * @since 1.1
8313      */
8314     public void list(PrintWriter out, int indent) {
8315         for (int i = 0 ; i < indent ; i++) {
8316             out.print(" ");
8317         }
8318         out.println(this);
8319     }
8320 
8321     /*
8322      * Fetches the native container somewhere higher up in the component
8323      * tree that contains this component.
8324      */
8325     final Container getNativeContainer() {
8326         Container p = getContainer();
8327         while (p != null && p.peer instanceof LightweightPeer) {
8328             p = p.getContainer();
8329         }
8330         return p;
8331     }
8332 
8333     /**
8334      * Adds a PropertyChangeListener to the listener list. The listener is
8335      * registered for all bound properties of this class, including the
8336      * following:
8337      * <ul>
8338      *    <li>this Component's font ("font")</li>
8339      *    <li>this Component's background color ("background")</li>
8340      *    <li>this Component's foreground color ("foreground")</li>
8341      *    <li>this Component's focusability ("focusable")</li>
8342      *    <li>this Component's focus traversal keys enabled state
8343      *        ("focusTraversalKeysEnabled")</li>
8344      *    <li>this Component's Set of FORWARD_TRAVERSAL_KEYS
8345      *        ("forwardFocusTraversalKeys")</li>
8346      *    <li>this Component's Set of BACKWARD_TRAVERSAL_KEYS
8347      *        ("backwardFocusTraversalKeys")</li>
8348      *    <li>this Component's Set of UP_CYCLE_TRAVERSAL_KEYS
8349      *        ("upCycleFocusTraversalKeys")</li>
8350      *    <li>this Component's preferred size ("preferredSize")</li>
8351      *    <li>this Component's minimum size ("minimumSize")</li>
8352      *    <li>this Component's maximum size ("maximumSize")</li>
8353      *    <li>this Component's name ("name")</li>
8354      * </ul>
8355      * Note that if this <code>Component</code> is inheriting a bound property, then no
8356      * event will be fired in response to a change in the inherited property.
8357      * <p>
8358      * If <code>listener</code> is <code>null</code>,
8359      * no exception is thrown and no action is performed.
8360      *
8361      * @param    listener  the property change listener to be added
8362      *
8363      * @see #removePropertyChangeListener
8364      * @see #getPropertyChangeListeners
8365      * @see #addPropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8366      */
8367     public void addPropertyChangeListener(
8368                                                        PropertyChangeListener listener) {
8369         synchronized (getObjectLock()) {
8370             if (listener == null) {
8371                 return;
8372             }
8373             if (changeSupport == null) {
8374                 changeSupport = new PropertyChangeSupport(this);
8375             }
8376             changeSupport.addPropertyChangeListener(listener);
8377         }
8378     }
8379 
8380     /**
8381      * Removes a PropertyChangeListener from the listener list. This method
8382      * should be used to remove PropertyChangeListeners that were registered
8383      * for all bound properties of this class.
8384      * <p>
8385      * If listener is null, no exception is thrown and no action is performed.
8386      *
8387      * @param listener the PropertyChangeListener to be removed
8388      *
8389      * @see #addPropertyChangeListener
8390      * @see #getPropertyChangeListeners
8391      * @see #removePropertyChangeListener(java.lang.String,java.beans.PropertyChangeListener)
8392      */
8393     public void removePropertyChangeListener(
8394                                                           PropertyChangeListener listener) {
8395         synchronized (getObjectLock()) {
8396             if (listener == null || changeSupport == null) {
8397                 return;
8398             }
8399             changeSupport.removePropertyChangeListener(listener);
8400         }
8401     }
8402 
8403     /**
8404      * Returns an array of all the property change listeners
8405      * registered on this component.
8406      *
8407      * @return all of this component's <code>PropertyChangeListener</code>s
8408      *         or an empty array if no property change
8409      *         listeners are currently registered
8410      *
8411      * @see      #addPropertyChangeListener
8412      * @see      #removePropertyChangeListener
8413      * @see      #getPropertyChangeListeners(java.lang.String)
8414      * @see      java.beans.PropertyChangeSupport#getPropertyChangeListeners
8415      * @since    1.4
8416      */
8417     public PropertyChangeListener[] getPropertyChangeListeners() {
8418         synchronized (getObjectLock()) {
8419             if (changeSupport == null) {
8420                 return new PropertyChangeListener[0];
8421             }
8422             return changeSupport.getPropertyChangeListeners();
8423         }
8424     }
8425 
8426     /**
8427      * Adds a PropertyChangeListener to the listener list for a specific
8428      * property. The specified property may be user-defined, or one of the
8429      * following:
8430      * <ul>
8431      *    <li>this Component's font ("font")</li>
8432      *    <li>this Component's background color ("background")</li>
8433      *    <li>this Component's foreground color ("foreground")</li>
8434      *    <li>this Component's focusability ("focusable")</li>
8435      *    <li>this Component's focus traversal keys enabled state
8436      *        ("focusTraversalKeysEnabled")</li>
8437      *    <li>this Component's Set of FORWARD_TRAVERSAL_KEYS
8438      *        ("forwardFocusTraversalKeys")</li>
8439      *    <li>this Component's Set of BACKWARD_TRAVERSAL_KEYS
8440      *        ("backwardFocusTraversalKeys")</li>
8441      *    <li>this Component's Set of UP_CYCLE_TRAVERSAL_KEYS
8442      *        ("upCycleFocusTraversalKeys")</li>
8443      * </ul>
8444      * Note that if this <code>Component</code> is inheriting a bound property, then no
8445      * event will be fired in response to a change in the inherited property.
8446      * <p>
8447      * If <code>propertyName</code> or <code>listener</code> is <code>null</code>,
8448      * no exception is thrown and no action is taken.
8449      *
8450      * @param propertyName one of the property names listed above
8451      * @param listener the property change listener to be added
8452      *
8453      * @see #removePropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8454      * @see #getPropertyChangeListeners(java.lang.String)
8455      * @see #addPropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8456      */
8457     public void addPropertyChangeListener(
8458                                                        String propertyName,
8459                                                        PropertyChangeListener listener) {
8460         synchronized (getObjectLock()) {
8461             if (listener == null) {
8462                 return;
8463             }
8464             if (changeSupport == null) {
8465                 changeSupport = new PropertyChangeSupport(this);
8466             }
8467             changeSupport.addPropertyChangeListener(propertyName, listener);
8468         }
8469     }
8470 
8471     /**
8472      * Removes a <code>PropertyChangeListener</code> from the listener
8473      * list for a specific property. This method should be used to remove
8474      * <code>PropertyChangeListener</code>s
8475      * that were registered for a specific bound property.
8476      * <p>
8477      * If <code>propertyName</code> or <code>listener</code> is <code>null</code>,
8478      * no exception is thrown and no action is taken.
8479      *
8480      * @param propertyName a valid property name
8481      * @param listener the PropertyChangeListener to be removed
8482      *
8483      * @see #addPropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8484      * @see #getPropertyChangeListeners(java.lang.String)
8485      * @see #removePropertyChangeListener(java.beans.PropertyChangeListener)
8486      */
8487     public void removePropertyChangeListener(
8488                                                           String propertyName,
8489                                                           PropertyChangeListener listener) {
8490         synchronized (getObjectLock()) {
8491             if (listener == null || changeSupport == null) {
8492                 return;
8493             }
8494             changeSupport.removePropertyChangeListener(propertyName, listener);
8495         }
8496     }
8497 
8498     /**
8499      * Returns an array of all the listeners which have been associated
8500      * with the named property.
8501      *
8502      * @param  propertyName the property name
8503      * @return all of the <code>PropertyChangeListener</code>s associated with
8504      *         the named property; if no such listeners have been added or
8505      *         if <code>propertyName</code> is <code>null</code>, an empty
8506      *         array is returned
8507      *
8508      * @see #addPropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8509      * @see #removePropertyChangeListener(java.lang.String, java.beans.PropertyChangeListener)
8510      * @see #getPropertyChangeListeners
8511      * @since 1.4
8512      */
8513     public PropertyChangeListener[] getPropertyChangeListeners(String propertyName) {
8514         synchronized (getObjectLock()) {
8515             if (changeSupport == null) {
8516                 return new PropertyChangeListener[0];
8517             }
8518             return changeSupport.getPropertyChangeListeners(propertyName);
8519         }
8520     }
8521 
8522     /**
8523      * Support for reporting bound property changes for Object properties.
8524      * This method can be called when a bound property has changed and it will
8525      * send the appropriate PropertyChangeEvent to any registered
8526      * PropertyChangeListeners.
8527      *
8528      * @param propertyName the property whose value has changed
8529      * @param oldValue the property's previous value
8530      * @param newValue the property's new value
8531      */
8532     protected void firePropertyChange(String propertyName,
8533                                       Object oldValue, Object newValue) {
8534         PropertyChangeSupport changeSupport;
8535         synchronized (getObjectLock()) {
8536             changeSupport = this.changeSupport;
8537         }
8538         if (changeSupport == null ||
8539             (oldValue != null && newValue != null && oldValue.equals(newValue))) {
8540             return;
8541         }
8542         changeSupport.firePropertyChange(propertyName, oldValue, newValue);
8543     }
8544 
8545     /**
8546      * Support for reporting bound property changes for boolean properties.
8547      * This method can be called when a bound property has changed and it will
8548      * send the appropriate PropertyChangeEvent to any registered
8549      * PropertyChangeListeners.
8550      *
8551      * @param propertyName the property whose value has changed
8552      * @param oldValue the property's previous value
8553      * @param newValue the property's new value
8554      * @since 1.4
8555      */
8556     protected void firePropertyChange(String propertyName,
8557                                       boolean oldValue, boolean newValue) {
8558         PropertyChangeSupport changeSupport = this.changeSupport;
8559         if (changeSupport == null || oldValue == newValue) {
8560             return;
8561         }
8562         changeSupport.firePropertyChange(propertyName, oldValue, newValue);
8563     }
8564 
8565     /**
8566      * Support for reporting bound property changes for integer properties.
8567      * This method can be called when a bound property has changed and it will
8568      * send the appropriate PropertyChangeEvent to any registered
8569      * PropertyChangeListeners.
8570      *
8571      * @param propertyName the property whose value has changed
8572      * @param oldValue the property's previous value
8573      * @param newValue the property's new value
8574      * @since 1.4
8575      */
8576     protected void firePropertyChange(String propertyName,
8577                                       int oldValue, int newValue) {
8578         PropertyChangeSupport changeSupport = this.changeSupport;
8579         if (changeSupport == null || oldValue == newValue) {
8580             return;
8581         }
8582         changeSupport.firePropertyChange(propertyName, oldValue, newValue);
8583     }
8584 
8585     /**
8586      * Reports a bound property change.
8587      *
8588      * @param propertyName the programmatic name of the property
8589      *          that was changed
8590      * @param oldValue the old value of the property (as a byte)
8591      * @param newValue the new value of the property (as a byte)
8592      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8593      *          java.lang.Object)
8594      * @since 1.5
8595      */
8596     public void firePropertyChange(String propertyName, byte oldValue, byte newValue) {
8597         if (changeSupport == null || oldValue == newValue) {
8598             return;
8599         }
8600         firePropertyChange(propertyName, Byte.valueOf(oldValue), Byte.valueOf(newValue));
8601     }
8602 
8603     /**
8604      * Reports a bound property change.
8605      *
8606      * @param propertyName the programmatic name of the property
8607      *          that was changed
8608      * @param oldValue the old value of the property (as a char)
8609      * @param newValue the new value of the property (as a char)
8610      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8611      *          java.lang.Object)
8612      * @since 1.5
8613      */
8614     public void firePropertyChange(String propertyName, char oldValue, char newValue) {
8615         if (changeSupport == null || oldValue == newValue) {
8616             return;
8617         }
8618         firePropertyChange(propertyName, Character.valueOf(oldValue), Character.valueOf(newValue));
8619     }
8620 
8621     /**
8622      * Reports a bound property change.
8623      *
8624      * @param propertyName the programmatic name of the property
8625      *          that was changed
8626      * @param oldValue the old value of the property (as a short)
8627      * @param newValue the new value of the property (as a short)
8628      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8629      *          java.lang.Object)
8630      * @since 1.5
8631      */
8632     public void firePropertyChange(String propertyName, short oldValue, short newValue) {
8633         if (changeSupport == null || oldValue == newValue) {
8634             return;
8635         }
8636         firePropertyChange(propertyName, Short.valueOf(oldValue), Short.valueOf(newValue));
8637     }
8638 
8639 
8640     /**
8641      * Reports a bound property change.
8642      *
8643      * @param propertyName the programmatic name of the property
8644      *          that was changed
8645      * @param oldValue the old value of the property (as a long)
8646      * @param newValue the new value of the property (as a long)
8647      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8648      *          java.lang.Object)
8649      * @since 1.5
8650      */
8651     public void firePropertyChange(String propertyName, long oldValue, long newValue) {
8652         if (changeSupport == null || oldValue == newValue) {
8653             return;
8654         }
8655         firePropertyChange(propertyName, Long.valueOf(oldValue), Long.valueOf(newValue));
8656     }
8657 
8658     /**
8659      * Reports a bound property change.
8660      *
8661      * @param propertyName the programmatic name of the property
8662      *          that was changed
8663      * @param oldValue the old value of the property (as a float)
8664      * @param newValue the new value of the property (as a float)
8665      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8666      *          java.lang.Object)
8667      * @since 1.5
8668      */
8669     public void firePropertyChange(String propertyName, float oldValue, float newValue) {
8670         if (changeSupport == null || oldValue == newValue) {
8671             return;
8672         }
8673         firePropertyChange(propertyName, Float.valueOf(oldValue), Float.valueOf(newValue));
8674     }
8675 
8676     /**
8677      * Reports a bound property change.
8678      *
8679      * @param propertyName the programmatic name of the property
8680      *          that was changed
8681      * @param oldValue the old value of the property (as a double)
8682      * @param newValue the new value of the property (as a double)
8683      * @see #firePropertyChange(java.lang.String, java.lang.Object,
8684      *          java.lang.Object)
8685      * @since 1.5
8686      */
8687     public void firePropertyChange(String propertyName, double oldValue, double newValue) {
8688         if (changeSupport == null || oldValue == newValue) {
8689             return;
8690         }
8691         firePropertyChange(propertyName, Double.valueOf(oldValue), Double.valueOf(newValue));
8692     }
8693 
8694 
8695     // Serialization support.
8696 
8697     /**
8698      * Component Serialized Data Version.
8699      *
8700      * @serial
8701      */
8702     private int componentSerializedDataVersion = 4;
8703 
8704     /**
8705      * This hack is for Swing serialization. It will invoke
8706      * the Swing package private method <code>compWriteObjectNotify</code>.
8707      */
8708     private void doSwingSerialization() {
8709         Package swingPackage = Package.getPackage("javax.swing");
8710         // For Swing serialization to correctly work Swing needs to
8711         // be notified before Component does it's serialization.  This
8712         // hack accommodates this.
8713         //
8714         // Swing classes MUST be loaded by the bootstrap class loader,
8715         // otherwise we don't consider them.
8716         for (Class<?> klass = Component.this.getClass(); klass != null;
8717                    klass = klass.getSuperclass()) {
8718             if (klass.getPackage() == swingPackage &&
8719                       klass.getClassLoader() == null) {
8720                 final Class<?> swingClass = klass;
8721                 // Find the first override of the compWriteObjectNotify method
8722                 Method[] methods = AccessController.doPrivileged(
8723                                                                  new PrivilegedAction<Method[]>() {
8724                                                                      public Method[] run() {
8725                                                                          return swingClass.getDeclaredMethods();
8726                                                                      }
8727                                                                  });
8728                 for (int counter = methods.length - 1; counter >= 0;
8729                      counter--) {
8730                     final Method method = methods[counter];
8731                     if (method.getName().equals("compWriteObjectNotify")){
8732                         // We found it, use doPrivileged to make it accessible
8733                         // to use.
8734                         AccessController.doPrivileged(new PrivilegedAction<Void>() {
8735                                 public Void run() {
8736                                     method.setAccessible(true);
8737                                     return null;
8738                                 }
8739                             });
8740                         // Invoke the method
8741                         try {
8742                             method.invoke(this, (Object[]) null);
8743                         } catch (IllegalAccessException iae) {
8744                         } catch (InvocationTargetException ite) {
8745                         }
8746                         // We're done, bail.
8747                         return;
8748                     }
8749                 }
8750             }
8751         }
8752     }
8753 
8754     /**
8755      * Writes default serializable fields to stream.  Writes
8756      * a variety of serializable listeners as optional data.
8757      * The non-serializable listeners are detected and
8758      * no attempt is made to serialize them.
8759      *
8760      * @param s the <code>ObjectOutputStream</code> to write
8761      * @serialData <code>null</code> terminated sequence of
8762      *   0 or more pairs; the pair consists of a <code>String</code>
8763      *   and an <code>Object</code>; the <code>String</code> indicates
8764      *   the type of object and is one of the following (as of 1.4):
8765      *   <code>componentListenerK</code> indicating an
8766      *     <code>ComponentListener</code> object;
8767      *   <code>focusListenerK</code> indicating an
8768      *     <code>FocusListener</code> object;
8769      *   <code>keyListenerK</code> indicating an
8770      *     <code>KeyListener</code> object;
8771      *   <code>mouseListenerK</code> indicating an
8772      *     <code>MouseListener</code> object;
8773      *   <code>mouseMotionListenerK</code> indicating an
8774      *     <code>MouseMotionListener</code> object;
8775      *   <code>inputMethodListenerK</code> indicating an
8776      *     <code>InputMethodListener</code> object;
8777      *   <code>hierarchyListenerK</code> indicating an
8778      *     <code>HierarchyListener</code> object;
8779      *   <code>hierarchyBoundsListenerK</code> indicating an
8780      *     <code>HierarchyBoundsListener</code> object;
8781      *   <code>mouseWheelListenerK</code> indicating an
8782      *     <code>MouseWheelListener</code> object
8783      * @serialData an optional <code>ComponentOrientation</code>
8784      *    (after <code>inputMethodListener</code>, as of 1.2)
8785      *
8786      * @see AWTEventMulticaster#save(java.io.ObjectOutputStream, java.lang.String, java.util.EventListener)
8787      * @see #componentListenerK
8788      * @see #focusListenerK
8789      * @see #keyListenerK
8790      * @see #mouseListenerK
8791      * @see #mouseMotionListenerK
8792      * @see #inputMethodListenerK
8793      * @see #hierarchyListenerK
8794      * @see #hierarchyBoundsListenerK
8795      * @see #mouseWheelListenerK
8796      * @see #readObject(ObjectInputStream)
8797      */
8798     private void writeObject(ObjectOutputStream s)
8799       throws IOException
8800     {
8801         doSwingSerialization();
8802 
8803         s.defaultWriteObject();
8804 
8805         AWTEventMulticaster.save(s, componentListenerK, componentListener);
8806         AWTEventMulticaster.save(s, focusListenerK, focusListener);
8807         AWTEventMulticaster.save(s, keyListenerK, keyListener);
8808         AWTEventMulticaster.save(s, mouseListenerK, mouseListener);
8809         AWTEventMulticaster.save(s, mouseMotionListenerK, mouseMotionListener);
8810         AWTEventMulticaster.save(s, inputMethodListenerK, inputMethodListener);
8811 
8812         s.writeObject(null);
8813         s.writeObject(componentOrientation);
8814 
8815         AWTEventMulticaster.save(s, hierarchyListenerK, hierarchyListener);
8816         AWTEventMulticaster.save(s, hierarchyBoundsListenerK,
8817                                  hierarchyBoundsListener);
8818         s.writeObject(null);
8819 
8820         AWTEventMulticaster.save(s, mouseWheelListenerK, mouseWheelListener);
8821         s.writeObject(null);
8822 
8823     }
8824 
8825     /**
8826      * Reads the <code>ObjectInputStream</code> and if it isn't
8827      * <code>null</code> adds a listener to receive a variety
8828      * of events fired by the component.
8829      * Unrecognized keys or values will be ignored.
8830      *
8831      * @param s the <code>ObjectInputStream</code> to read
8832      * @see #writeObject(ObjectOutputStream)
8833      */
8834     private void readObject(ObjectInputStream s)
8835       throws ClassNotFoundException, IOException
8836     {
8837         objectLock = new Object();
8838 
8839         acc = AccessController.getContext();
8840 
8841         s.defaultReadObject();
8842 
8843         appContext = AppContext.getAppContext();
8844         coalescingEnabled = checkCoalescing();
8845         if (componentSerializedDataVersion < 4) {
8846             // These fields are non-transient and rely on default
8847             // serialization. However, the default values are insufficient,
8848             // so we need to set them explicitly for object data streams prior
8849             // to 1.4.
8850             focusable = true;
8851             isFocusTraversableOverridden = FOCUS_TRAVERSABLE_UNKNOWN;
8852             initializeFocusTraversalKeys();
8853             focusTraversalKeysEnabled = true;
8854         }
8855 
8856         Object keyOrNull;
8857         while(null != (keyOrNull = s.readObject())) {
8858             String key = ((String)keyOrNull).intern();
8859 
8860             if (componentListenerK == key)
8861                 addComponentListener((ComponentListener)(s.readObject()));
8862 
8863             else if (focusListenerK == key)
8864                 addFocusListener((FocusListener)(s.readObject()));
8865 
8866             else if (keyListenerK == key)
8867                 addKeyListener((KeyListener)(s.readObject()));
8868 
8869             else if (mouseListenerK == key)
8870                 addMouseListener((MouseListener)(s.readObject()));
8871 
8872             else if (mouseMotionListenerK == key)
8873                 addMouseMotionListener((MouseMotionListener)(s.readObject()));
8874 
8875             else if (inputMethodListenerK == key)
8876                 addInputMethodListener((InputMethodListener)(s.readObject()));
8877 
8878             else // skip value for unrecognized key
8879                 s.readObject();
8880 
8881         }
8882 
8883         // Read the component's orientation if it's present
8884         Object orient = null;
8885 
8886         try {
8887             orient = s.readObject();
8888         } catch (java.io.OptionalDataException e) {
8889             // JDK 1.1 instances will not have this optional data.
8890             // e.eof will be true to indicate that there is no more
8891             // data available for this object.
8892             // If e.eof is not true, throw the exception as it
8893             // might have been caused by reasons unrelated to
8894             // componentOrientation.
8895 
8896             if (!e.eof)  {
8897                 throw (e);
8898             }
8899         }
8900 
8901         if (orient != null) {
8902             componentOrientation = (ComponentOrientation)orient;
8903         } else {
8904             componentOrientation = ComponentOrientation.UNKNOWN;
8905         }
8906 
8907         try {
8908             while(null != (keyOrNull = s.readObject())) {
8909                 String key = ((String)keyOrNull).intern();
8910 
8911                 if (hierarchyListenerK == key) {
8912                     addHierarchyListener((HierarchyListener)(s.readObject()));
8913                 }
8914                 else if (hierarchyBoundsListenerK == key) {
8915                     addHierarchyBoundsListener((HierarchyBoundsListener)
8916                                                (s.readObject()));
8917                 }
8918                 else {
8919                     // skip value for unrecognized key
8920                     s.readObject();
8921                 }
8922             }
8923         } catch (java.io.OptionalDataException e) {
8924             // JDK 1.1/1.2 instances will not have this optional data.
8925             // e.eof will be true to indicate that there is no more
8926             // data available for this object.
8927             // If e.eof is not true, throw the exception as it
8928             // might have been caused by reasons unrelated to
8929             // hierarchy and hierarchyBounds listeners.
8930 
8931             if (!e.eof)  {
8932                 throw (e);
8933             }
8934         }
8935 
8936         try {
8937             while (null != (keyOrNull = s.readObject())) {
8938                 String key = ((String)keyOrNull).intern();
8939 
8940                 if (mouseWheelListenerK == key) {
8941                     addMouseWheelListener((MouseWheelListener)(s.readObject()));
8942                 }
8943                 else {
8944                     // skip value for unrecognized key
8945                     s.readObject();
8946                 }
8947             }
8948         } catch (java.io.OptionalDataException e) {
8949             // pre-1.3 instances will not have this optional data.
8950             // e.eof will be true to indicate that there is no more
8951             // data available for this object.
8952             // If e.eof is not true, throw the exception as it
8953             // might have been caused by reasons unrelated to
8954             // mouse wheel listeners
8955 
8956             if (!e.eof)  {
8957                 throw (e);
8958             }
8959         }
8960 
8961         if (popups != null) {
8962             int npopups = popups.size();
8963             for (int i = 0 ; i < npopups ; i++) {
8964                 PopupMenu popup = popups.elementAt(i);
8965                 popup.parent = this;
8966             }
8967         }
8968     }
8969 
8970     /**
8971      * Sets the language-sensitive orientation that is to be used to order
8972      * the elements or text within this component.  Language-sensitive
8973      * <code>LayoutManager</code> and <code>Component</code>
8974      * subclasses will use this property to
8975      * determine how to lay out and draw components.
8976      * <p>
8977      * At construction time, a component's orientation is set to
8978      * <code>ComponentOrientation.UNKNOWN</code>,
8979      * indicating that it has not been specified
8980      * explicitly.  The UNKNOWN orientation behaves the same as
8981      * <code>ComponentOrientation.LEFT_TO_RIGHT</code>.
8982      * <p>
8983      * To set the orientation of a single component, use this method.
8984      * To set the orientation of an entire component
8985      * hierarchy, use
8986      * {@link #applyComponentOrientation applyComponentOrientation}.
8987      * <p>
8988      * This method changes layout-related information, and therefore,
8989      * invalidates the component hierarchy.
8990      *
8991      * @param  o the orientation to be set
8992      *
8993      * @see ComponentOrientation
8994      * @see #invalidate
8995      *
8996      * @author Laura Werner, IBM
8997      * @beaninfo
8998      *       bound: true
8999      */
9000     public void setComponentOrientation(ComponentOrientation o) {
9001         ComponentOrientation oldValue = componentOrientation;
9002         componentOrientation = o;
9003 
9004         // This is a bound property, so report the change to
9005         // any registered listeners.  (Cheap if there are none.)
9006         firePropertyChange("componentOrientation", oldValue, o);
9007 
9008         // This could change the preferred size of the Component.
9009         invalidateIfValid();
9010     }
9011 
9012     /**
9013      * Retrieves the language-sensitive orientation that is to be used to order
9014      * the elements or text within this component.  <code>LayoutManager</code>
9015      * and <code>Component</code>
9016      * subclasses that wish to respect orientation should call this method to
9017      * get the component's orientation before performing layout or drawing.
9018      *
9019      * @return the orientation to order the elements or text
9020      * @see ComponentOrientation
9021      *
9022      * @author Laura Werner, IBM
9023      */
9024     public ComponentOrientation getComponentOrientation() {
9025         return componentOrientation;
9026     }
9027 
9028     /**
9029      * Sets the <code>ComponentOrientation</code> property of this component
9030      * and all components contained within it.
9031      * <p>
9032      * This method changes layout-related information, and therefore,
9033      * invalidates the component hierarchy.
9034      *
9035      *
9036      * @param orientation the new component orientation of this component and
9037      *        the components contained within it.
9038      * @exception NullPointerException if <code>orientation</code> is null.
9039      * @see #setComponentOrientation
9040      * @see #getComponentOrientation
9041      * @see #invalidate
9042      * @since 1.4
9043      */
9044     public void applyComponentOrientation(ComponentOrientation orientation) {
9045         if (orientation == null) {
9046             throw new NullPointerException();
9047         }
9048         setComponentOrientation(orientation);
9049     }
9050 
9051     final boolean canBeFocusOwner() {
9052         // It is enabled, visible, focusable.
9053         if (isEnabled() && isDisplayable() && isVisible() && isFocusable()) {
9054             return true;
9055         }
9056         return false;
9057     }
9058 
9059     /**
9060      * Checks that this component meets the prerequisites to be focus owner:
9061      * - it is enabled, visible, focusable
9062      * - it's parents are all enabled and showing
9063      * - top-level window is focusable
9064      * - if focus cycle root has DefaultFocusTraversalPolicy then it also checks that this policy accepts
9065      * this component as focus owner
9066      * @since 1.5
9067      */
9068     final boolean canBeFocusOwnerRecursively() {
9069         // - it is enabled, visible, focusable
9070         if (!canBeFocusOwner()) {
9071             return false;
9072         }
9073 
9074         // - it's parents are all enabled and showing
9075         synchronized(getTreeLock()) {
9076             if (parent != null) {
9077                 return parent.canContainFocusOwner(this);
9078             }
9079         }
9080         return true;
9081     }
9082 
9083     /**
9084      * Fix the location of the HW component in a LW container hierarchy.
9085      */
9086     final void relocateComponent() {
9087         synchronized (getTreeLock()) {
9088             if (peer == null) {
9089                 return;
9090             }
9091             int nativeX = x;
9092             int nativeY = y;
9093             for (Component cont = getContainer();
9094                     cont != null && cont.isLightweight();
9095                     cont = cont.getContainer())
9096             {
9097                 nativeX += cont.x;
9098                 nativeY += cont.y;
9099             }
9100             peer.setBounds(nativeX, nativeY, width, height,
9101                     ComponentPeer.SET_LOCATION);
9102         }
9103     }
9104 
9105     /**
9106      * Returns the <code>Window</code> ancestor of the component.
9107      * @return Window ancestor of the component or component by itself if it is Window;
9108      *         null, if component is not a part of window hierarchy
9109      */
9110     Window getContainingWindow() {
9111         return SunToolkit.getContainingWindow(this);
9112     }
9113 
9114     /**
9115      * Initialize JNI field and method IDs
9116      */
9117     private static native void initIDs();
9118 
9119     /*
9120      * --- Accessibility Support ---
9121      *
9122      *  Component will contain all of the methods in interface Accessible,
9123      *  though it won't actually implement the interface - that will be up
9124      *  to the individual objects which extend Component.
9125      */
9126 
9127     /**
9128      * The {@code AccessibleContext} associated with this {@code Component}.
9129      */
9130     protected AccessibleContext accessibleContext = null;
9131 
9132     /**
9133      * Gets the <code>AccessibleContext</code> associated
9134      * with this <code>Component</code>.
9135      * The method implemented by this base
9136      * class returns null.  Classes that extend <code>Component</code>
9137      * should implement this method to return the
9138      * <code>AccessibleContext</code> associated with the subclass.
9139      *
9140      *
9141      * @return the <code>AccessibleContext</code> of this
9142      *    <code>Component</code>
9143      * @since 1.3
9144      */
9145     public AccessibleContext getAccessibleContext() {
9146         return accessibleContext;
9147     }
9148 
9149     /**
9150      * Inner class of Component used to provide default support for
9151      * accessibility.  This class is not meant to be used directly by
9152      * application developers, but is instead meant only to be
9153      * subclassed by component developers.
9154      * <p>
9155      * The class used to obtain the accessible role for this object.
9156      * @since 1.3
9157      */
9158     protected abstract class AccessibleAWTComponent extends AccessibleContext
9159         implements Serializable, AccessibleComponent {
9160 
9161         private static final long serialVersionUID = 642321655757800191L;
9162 
9163         /**
9164          * Though the class is abstract, this should be called by
9165          * all sub-classes.
9166          */
9167         protected AccessibleAWTComponent() {
9168         }
9169 
9170         /**
9171          * Number of PropertyChangeListener objects registered. It's used
9172          * to add/remove ComponentListener and FocusListener to track
9173          * target Component's state.
9174          */
9175         private volatile transient int propertyListenersCount = 0;
9176 
9177         /**
9178          * A component listener to track show/hide/resize events
9179          * and convert them to PropertyChange events.
9180          */
9181         protected ComponentListener accessibleAWTComponentHandler = null;
9182 
9183         /**
9184          * A listener to track focus events
9185          * and convert them to PropertyChange events.
9186          */
9187         protected FocusListener accessibleAWTFocusHandler = null;
9188 
9189         /**
9190          * Fire PropertyChange listener, if one is registered,
9191          * when shown/hidden..
9192          * @since 1.3
9193          */
9194         protected class AccessibleAWTComponentHandler implements ComponentListener {
9195             public void componentHidden(ComponentEvent e)  {
9196                 if (accessibleContext != null) {
9197                     accessibleContext.firePropertyChange(
9198                                                          AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9199                                                          AccessibleState.VISIBLE, null);
9200                 }
9201             }
9202 
9203             public void componentShown(ComponentEvent e)  {
9204                 if (accessibleContext != null) {
9205                     accessibleContext.firePropertyChange(
9206                                                          AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9207                                                          null, AccessibleState.VISIBLE);
9208                 }
9209             }
9210 
9211             public void componentMoved(ComponentEvent e)  {
9212             }
9213 
9214             public void componentResized(ComponentEvent e)  {
9215             }
9216         } // inner class AccessibleAWTComponentHandler
9217 
9218 
9219         /**
9220          * Fire PropertyChange listener, if one is registered,
9221          * when focus events happen
9222          * @since 1.3
9223          */
9224         protected class AccessibleAWTFocusHandler implements FocusListener {
9225             public void focusGained(FocusEvent event) {
9226                 if (accessibleContext != null) {
9227                     accessibleContext.firePropertyChange(
9228                                                          AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9229                                                          null, AccessibleState.FOCUSED);
9230                 }
9231             }
9232             public void focusLost(FocusEvent event) {
9233                 if (accessibleContext != null) {
9234                     accessibleContext.firePropertyChange(
9235                                                          AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9236                                                          AccessibleState.FOCUSED, null);
9237                 }
9238             }
9239         }  // inner class AccessibleAWTFocusHandler
9240 
9241 
9242         /**
9243          * Adds a <code>PropertyChangeListener</code> to the listener list.
9244          *
9245          * @param listener  the property change listener to be added
9246          */
9247         public void addPropertyChangeListener(PropertyChangeListener listener) {
9248             if (accessibleAWTComponentHandler == null) {
9249                 accessibleAWTComponentHandler = new AccessibleAWTComponentHandler();
9250             }
9251             if (accessibleAWTFocusHandler == null) {
9252                 accessibleAWTFocusHandler = new AccessibleAWTFocusHandler();
9253             }
9254             if (propertyListenersCount++ == 0) {
9255                 Component.this.addComponentListener(accessibleAWTComponentHandler);
9256                 Component.this.addFocusListener(accessibleAWTFocusHandler);
9257             }
9258             super.addPropertyChangeListener(listener);
9259         }
9260 
9261         /**
9262          * Remove a PropertyChangeListener from the listener list.
9263          * This removes a PropertyChangeListener that was registered
9264          * for all properties.
9265          *
9266          * @param listener  The PropertyChangeListener to be removed
9267          */
9268         public void removePropertyChangeListener(PropertyChangeListener listener) {
9269             if (--propertyListenersCount == 0) {
9270                 Component.this.removeComponentListener(accessibleAWTComponentHandler);
9271                 Component.this.removeFocusListener(accessibleAWTFocusHandler);
9272             }
9273             super.removePropertyChangeListener(listener);
9274         }
9275 
9276         // AccessibleContext methods
9277         //
9278         /**
9279          * Gets the accessible name of this object.  This should almost never
9280          * return <code>java.awt.Component.getName()</code>,
9281          * as that generally isn't a localized name,
9282          * and doesn't have meaning for the user.  If the
9283          * object is fundamentally a text object (e.g. a menu item), the
9284          * accessible name should be the text of the object (e.g. "save").
9285          * If the object has a tooltip, the tooltip text may also be an
9286          * appropriate String to return.
9287          *
9288          * @return the localized name of the object -- can be
9289          *         <code>null</code> if this
9290          *         object does not have a name
9291          * @see javax.accessibility.AccessibleContext#setAccessibleName
9292          */
9293         public String getAccessibleName() {
9294             return accessibleName;
9295         }
9296 
9297         /**
9298          * Gets the accessible description of this object.  This should be
9299          * a concise, localized description of what this object is - what
9300          * is its meaning to the user.  If the object has a tooltip, the
9301          * tooltip text may be an appropriate string to return, assuming
9302          * it contains a concise description of the object (instead of just
9303          * the name of the object - e.g. a "Save" icon on a toolbar that
9304          * had "save" as the tooltip text shouldn't return the tooltip
9305          * text as the description, but something like "Saves the current
9306          * text document" instead).
9307          *
9308          * @return the localized description of the object -- can be
9309          *        <code>null</code> if this object does not have a description
9310          * @see javax.accessibility.AccessibleContext#setAccessibleDescription
9311          */
9312         public String getAccessibleDescription() {
9313             return accessibleDescription;
9314         }
9315 
9316         /**
9317          * Gets the role of this object.
9318          *
9319          * @return an instance of <code>AccessibleRole</code>
9320          *      describing the role of the object
9321          * @see javax.accessibility.AccessibleRole
9322          */
9323         public AccessibleRole getAccessibleRole() {
9324             return AccessibleRole.AWT_COMPONENT;
9325         }
9326 
9327         /**
9328          * Gets the state of this object.
9329          *
9330          * @return an instance of <code>AccessibleStateSet</code>
9331          *       containing the current state set of the object
9332          * @see javax.accessibility.AccessibleState
9333          */
9334         public AccessibleStateSet getAccessibleStateSet() {
9335             return Component.this.getAccessibleStateSet();
9336         }
9337 
9338         /**
9339          * Gets the <code>Accessible</code> parent of this object.
9340          * If the parent of this object implements <code>Accessible</code>,
9341          * this method should simply return <code>getParent</code>.
9342          *
9343          * @return the <code>Accessible</code> parent of this
9344          *      object -- can be <code>null</code> if this
9345          *      object does not have an <code>Accessible</code> parent
9346          */
9347         public Accessible getAccessibleParent() {
9348             if (accessibleParent != null) {
9349                 return accessibleParent;
9350             } else {
9351                 Container parent = getParent();
9352                 if (parent instanceof Accessible) {
9353                     return (Accessible) parent;
9354                 }
9355             }
9356             return null;
9357         }
9358 
9359         /**
9360          * Gets the index of this object in its accessible parent.
9361          *
9362          * @return the index of this object in its parent; or -1 if this
9363          *    object does not have an accessible parent
9364          * @see #getAccessibleParent
9365          */
9366         public int getAccessibleIndexInParent() {
9367             return Component.this.getAccessibleIndexInParent();
9368         }
9369 
9370         /**
9371          * Returns the number of accessible children in the object.  If all
9372          * of the children of this object implement <code>Accessible</code>,
9373          * then this method should return the number of children of this object.
9374          *
9375          * @return the number of accessible children in the object
9376          */
9377         public int getAccessibleChildrenCount() {
9378             return 0; // Components don't have children
9379         }
9380 
9381         /**
9382          * Returns the nth <code>Accessible</code> child of the object.
9383          *
9384          * @param i zero-based index of child
9385          * @return the nth <code>Accessible</code> child of the object
9386          */
9387         public Accessible getAccessibleChild(int i) {
9388             return null; // Components don't have children
9389         }
9390 
9391         /**
9392          * Returns the locale of this object.
9393          *
9394          * @return the locale of this object
9395          */
9396         public Locale getLocale() {
9397             return Component.this.getLocale();
9398         }
9399 
9400         /**
9401          * Gets the <code>AccessibleComponent</code> associated
9402          * with this object if one exists.
9403          * Otherwise return <code>null</code>.
9404          *
9405          * @return the component
9406          */
9407         public AccessibleComponent getAccessibleComponent() {
9408             return this;
9409         }
9410 
9411 
9412         // AccessibleComponent methods
9413         //
9414         /**
9415          * Gets the background color of this object.
9416          *
9417          * @return the background color, if supported, of the object;
9418          *      otherwise, <code>null</code>
9419          */
9420         public Color getBackground() {
9421             return Component.this.getBackground();
9422         }
9423 
9424         /**
9425          * Sets the background color of this object.
9426          * (For transparency, see <code>isOpaque</code>.)
9427          *
9428          * @param c the new <code>Color</code> for the background
9429          * @see Component#isOpaque
9430          */
9431         public void setBackground(Color c) {
9432             Component.this.setBackground(c);
9433         }
9434 
9435         /**
9436          * Gets the foreground color of this object.
9437          *
9438          * @return the foreground color, if supported, of the object;
9439          *     otherwise, <code>null</code>
9440          */
9441         public Color getForeground() {
9442             return Component.this.getForeground();
9443         }
9444 
9445         /**
9446          * Sets the foreground color of this object.
9447          *
9448          * @param c the new <code>Color</code> for the foreground
9449          */
9450         public void setForeground(Color c) {
9451             Component.this.setForeground(c);
9452         }
9453 
9454         /**
9455          * Gets the <code>Cursor</code> of this object.
9456          *
9457          * @return the <code>Cursor</code>, if supported,
9458          *     of the object; otherwise, <code>null</code>
9459          */
9460         public Cursor getCursor() {
9461             return Component.this.getCursor();
9462         }
9463 
9464         /**
9465          * Sets the <code>Cursor</code> of this object.
9466          * <p>
9467          * The method may have no visual effect if the Java platform
9468          * implementation and/or the native system do not support
9469          * changing the mouse cursor shape.
9470          * @param cursor the new <code>Cursor</code> for the object
9471          */
9472         public void setCursor(Cursor cursor) {
9473             Component.this.setCursor(cursor);
9474         }
9475 
9476         /**
9477          * Gets the <code>Font</code> of this object.
9478          *
9479          * @return the <code>Font</code>, if supported,
9480          *    for the object; otherwise, <code>null</code>
9481          */
9482         public Font getFont() {
9483             return Component.this.getFont();
9484         }
9485 
9486         /**
9487          * Sets the <code>Font</code> of this object.
9488          *
9489          * @param f the new <code>Font</code> for the object
9490          */
9491         public void setFont(Font f) {
9492             Component.this.setFont(f);
9493         }
9494 
9495         /**
9496          * Gets the <code>FontMetrics</code> of this object.
9497          *
9498          * @param f the <code>Font</code>
9499          * @return the <code>FontMetrics</code>, if supported,
9500          *     the object; otherwise, <code>null</code>
9501          * @see #getFont
9502          */
9503         public FontMetrics getFontMetrics(Font f) {
9504             if (f == null) {
9505                 return null;
9506             } else {
9507                 return Component.this.getFontMetrics(f);
9508             }
9509         }
9510 
9511         /**
9512          * Determines if the object is enabled.
9513          *
9514          * @return true if object is enabled; otherwise, false
9515          */
9516         public boolean isEnabled() {
9517             return Component.this.isEnabled();
9518         }
9519 
9520         /**
9521          * Sets the enabled state of the object.
9522          *
9523          * @param b if true, enables this object; otherwise, disables it
9524          */
9525         public void setEnabled(boolean b) {
9526             boolean old = Component.this.isEnabled();
9527             Component.this.setEnabled(b);
9528             if (b != old) {
9529                 if (accessibleContext != null) {
9530                     if (b) {
9531                         accessibleContext.firePropertyChange(
9532                                                              AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9533                                                              null, AccessibleState.ENABLED);
9534                     } else {
9535                         accessibleContext.firePropertyChange(
9536                                                              AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9537                                                              AccessibleState.ENABLED, null);
9538                     }
9539                 }
9540             }
9541         }
9542 
9543         /**
9544          * Determines if the object is visible.  Note: this means that the
9545          * object intends to be visible; however, it may not in fact be
9546          * showing on the screen because one of the objects that this object
9547          * is contained by is not visible.  To determine if an object is
9548          * showing on the screen, use <code>isShowing</code>.
9549          *
9550          * @return true if object is visible; otherwise, false
9551          */
9552         public boolean isVisible() {
9553             return Component.this.isVisible();
9554         }
9555 
9556         /**
9557          * Sets the visible state of the object.
9558          *
9559          * @param b if true, shows this object; otherwise, hides it
9560          */
9561         public void setVisible(boolean b) {
9562             boolean old = Component.this.isVisible();
9563             Component.this.setVisible(b);
9564             if (b != old) {
9565                 if (accessibleContext != null) {
9566                     if (b) {
9567                         accessibleContext.firePropertyChange(
9568                                                              AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9569                                                              null, AccessibleState.VISIBLE);
9570                     } else {
9571                         accessibleContext.firePropertyChange(
9572                                                              AccessibleContext.ACCESSIBLE_STATE_PROPERTY,
9573                                                              AccessibleState.VISIBLE, null);
9574                     }
9575                 }
9576             }
9577         }
9578 
9579         /**
9580          * Determines if the object is showing.  This is determined by checking
9581          * the visibility of the object and ancestors of the object.  Note:
9582          * this will return true even if the object is obscured by another
9583          * (for example, it happens to be underneath a menu that was pulled
9584          * down).
9585          *
9586          * @return true if object is showing; otherwise, false
9587          */
9588         public boolean isShowing() {
9589             return Component.this.isShowing();
9590         }
9591 
9592         /**
9593          * Checks whether the specified point is within this object's bounds,
9594          * where the point's x and y coordinates are defined to be relative to
9595          * the coordinate system of the object.
9596          *
9597          * @param p the <code>Point</code> relative to the
9598          *     coordinate system of the object
9599          * @return true if object contains <code>Point</code>; otherwise false
9600          */
9601         public boolean contains(Point p) {
9602             return Component.this.contains(p);
9603         }
9604 
9605         /**
9606          * Returns the location of the object on the screen.
9607          *
9608          * @return location of object on screen -- can be
9609          *    <code>null</code> if this object is not on the screen
9610          */
9611         public Point getLocationOnScreen() {
9612             synchronized (Component.this.getTreeLock()) {
9613                 if (Component.this.isShowing()) {
9614                     return Component.this.getLocationOnScreen();
9615                 } else {
9616                     return null;
9617                 }
9618             }
9619         }
9620 
9621         /**
9622          * Gets the location of the object relative to the parent in the form
9623          * of a point specifying the object's top-left corner in the screen's
9624          * coordinate space.
9625          *
9626          * @return an instance of Point representing the top-left corner of
9627          * the object's bounds in the coordinate space of the screen;
9628          * <code>null</code> if this object or its parent are not on the screen
9629          */
9630         public Point getLocation() {
9631             return Component.this.getLocation();
9632         }
9633 
9634         /**
9635          * Sets the location of the object relative to the parent.
9636          * @param p  the coordinates of the object
9637          */
9638         public void setLocation(Point p) {
9639             Component.this.setLocation(p);
9640         }
9641 
9642         /**
9643          * Gets the bounds of this object in the form of a Rectangle object.
9644          * The bounds specify this object's width, height, and location
9645          * relative to its parent.
9646          *
9647          * @return a rectangle indicating this component's bounds;
9648          *   <code>null</code> if this object is not on the screen
9649          */
9650         public Rectangle getBounds() {
9651             return Component.this.getBounds();
9652         }
9653 
9654         /**
9655          * Sets the bounds of this object in the form of a
9656          * <code>Rectangle</code> object.
9657          * The bounds specify this object's width, height, and location
9658          * relative to its parent.
9659          *
9660          * @param r a rectangle indicating this component's bounds
9661          */
9662         public void setBounds(Rectangle r) {
9663             Component.this.setBounds(r);
9664         }
9665 
9666         /**
9667          * Returns the size of this object in the form of a
9668          * <code>Dimension</code> object. The height field of the
9669          * <code>Dimension</code> object contains this object's
9670          * height, and the width field of the <code>Dimension</code>
9671          * object contains this object's width.
9672          *
9673          * @return a <code>Dimension</code> object that indicates
9674          *     the size of this component; <code>null</code> if
9675          *     this object is not on the screen
9676          */
9677         public Dimension getSize() {
9678             return Component.this.getSize();
9679         }
9680 
9681         /**
9682          * Resizes this object so that it has width and height.
9683          *
9684          * @param d - the dimension specifying the new size of the object
9685          */
9686         public void setSize(Dimension d) {
9687             Component.this.setSize(d);
9688         }
9689 
9690         /**
9691          * Returns the <code>Accessible</code> child,
9692          * if one exists, contained at the local
9693          * coordinate <code>Point</code>.  Otherwise returns
9694          * <code>null</code>.
9695          *
9696          * @param p the point defining the top-left corner of
9697          *      the <code>Accessible</code>, given in the
9698          *      coordinate space of the object's parent
9699          * @return the <code>Accessible</code>, if it exists,
9700          *      at the specified location; else <code>null</code>
9701          */
9702         public Accessible getAccessibleAt(Point p) {
9703             return null; // Components don't have children
9704         }
9705 
9706         /**
9707          * Returns whether this object can accept focus or not.
9708          *
9709          * @return true if object can accept focus; otherwise false
9710          */
9711         public boolean isFocusTraversable() {
9712             return Component.this.isFocusTraversable();
9713         }
9714 
9715         /**
9716          * Requests focus for this object.
9717          */
9718         public void requestFocus() {
9719             Component.this.requestFocus();
9720         }
9721 
9722         /**
9723          * Adds the specified focus listener to receive focus events from this
9724          * component.
9725          *
9726          * @param l the focus listener
9727          */
9728         public void addFocusListener(FocusListener l) {
9729             Component.this.addFocusListener(l);
9730         }
9731 
9732         /**
9733          * Removes the specified focus listener so it no longer receives focus
9734          * events from this component.
9735          *
9736          * @param l the focus listener
9737          */
9738         public void removeFocusListener(FocusListener l) {
9739             Component.this.removeFocusListener(l);
9740         }
9741 
9742     } // inner class AccessibleAWTComponent
9743 
9744 
9745     /**
9746      * Gets the index of this object in its accessible parent.
9747      * If this object does not have an accessible parent, returns
9748      * -1.
9749      *
9750      * @return the index of this object in its accessible parent
9751      */
9752     int getAccessibleIndexInParent() {
9753         synchronized (getTreeLock()) {
9754             int index = -1;
9755             Container parent = this.getParent();
9756             if (parent != null && parent instanceof Accessible) {
9757                 Component ca[] = parent.getComponents();
9758                 for (int i = 0; i < ca.length; i++) {
9759                     if (ca[i] instanceof Accessible) {
9760                         index++;
9761                     }
9762                     if (this.equals(ca[i])) {
9763                         return index;
9764                     }
9765                 }
9766             }
9767             return -1;
9768         }
9769     }
9770 
9771     /**
9772      * Gets the current state set of this object.
9773      *
9774      * @return an instance of <code>AccessibleStateSet</code>
9775      *    containing the current state set of the object
9776      * @see AccessibleState
9777      */
9778     AccessibleStateSet getAccessibleStateSet() {
9779         synchronized (getTreeLock()) {
9780             AccessibleStateSet states = new AccessibleStateSet();
9781             if (this.isEnabled()) {
9782                 states.add(AccessibleState.ENABLED);
9783             }
9784             if (this.isFocusTraversable()) {
9785                 states.add(AccessibleState.FOCUSABLE);
9786             }
9787             if (this.isVisible()) {
9788                 states.add(AccessibleState.VISIBLE);
9789             }
9790             if (this.isShowing()) {
9791                 states.add(AccessibleState.SHOWING);
9792             }
9793             if (this.isFocusOwner()) {
9794                 states.add(AccessibleState.FOCUSED);
9795             }
9796             if (this instanceof Accessible) {
9797                 AccessibleContext ac = ((Accessible) this).getAccessibleContext();
9798                 if (ac != null) {
9799                     Accessible ap = ac.getAccessibleParent();
9800                     if (ap != null) {
9801                         AccessibleContext pac = ap.getAccessibleContext();
9802                         if (pac != null) {
9803                             AccessibleSelection as = pac.getAccessibleSelection();
9804                             if (as != null) {
9805                                 states.add(AccessibleState.SELECTABLE);
9806                                 int i = ac.getAccessibleIndexInParent();
9807                                 if (i >= 0) {
9808                                     if (as.isAccessibleChildSelected(i)) {
9809                                         states.add(AccessibleState.SELECTED);
9810                                     }
9811                                 }
9812                             }
9813                         }
9814                     }
9815                 }
9816             }
9817             if (Component.isInstanceOf(this, "javax.swing.JComponent")) {
9818                 if (((javax.swing.JComponent) this).isOpaque()) {
9819                     states.add(AccessibleState.OPAQUE);
9820                 }
9821             }
9822             return states;
9823         }
9824     }
9825 
9826     /**
9827      * Checks that the given object is instance of the given class.
9828      * @param obj Object to be checked
9829      * @param className The name of the class. Must be fully-qualified class name.
9830      * @return true, if this object is instanceof given class,
9831      *         false, otherwise, or if obj or className is null
9832      */
9833     static boolean isInstanceOf(Object obj, String className) {
9834         if (obj == null) return false;
9835         if (className == null) return false;
9836 
9837         Class<?> cls = obj.getClass();
9838         while (cls != null) {
9839             if (cls.getName().equals(className)) {
9840                 return true;
9841             }
9842             cls = cls.getSuperclass();
9843         }
9844         return false;
9845     }
9846 
9847 
9848     // ************************** MIXING CODE *******************************
9849 
9850     /**
9851      * Check whether we can trust the current bounds of the component.
9852      * The return value of false indicates that the container of the
9853      * component is invalid, and therefore needs to be laid out, which would
9854      * probably mean changing the bounds of its children.
9855      * Null-layout of the container or absence of the container mean
9856      * the bounds of the component are final and can be trusted.
9857      */
9858     final boolean areBoundsValid() {
9859         Container cont = getContainer();
9860         return cont == null || cont.isValid() || cont.getLayout() == null;
9861     }
9862 
9863     /**
9864      * Applies the shape to the component
9865      * @param shape Shape to be applied to the component
9866      */
9867     void applyCompoundShape(Region shape) {
9868         checkTreeLock();
9869 
9870         if (!areBoundsValid()) {
9871             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
9872                 mixingLog.fine("this = " + this + "; areBoundsValid = " + areBoundsValid());
9873             }
9874             return;
9875         }
9876 
9877         if (!isLightweight()) {
9878             ComponentPeer peer = this.peer;
9879             if (peer != null) {
9880                 // The Region class has some optimizations. That's why
9881                 // we should manually check whether it's empty and
9882                 // substitute the object ourselves. Otherwise we end up
9883                 // with some incorrect Region object with loX being
9884                 // greater than the hiX for instance.
9885                 if (shape.isEmpty()) {
9886                     shape = Region.EMPTY_REGION;
9887                 }
9888 
9889 
9890                 // Note: the shape is not really copied/cloned. We create
9891                 // the Region object ourselves, so there's no any possibility
9892                 // to modify the object outside of the mixing code.
9893                 // Nullifying compoundShape means that the component has normal shape
9894                 // (or has no shape at all).
9895                 if (shape.equals(getNormalShape())) {
9896                     if (this.compoundShape == null) {
9897                         return;
9898                     }
9899                     this.compoundShape = null;
9900                     peer.applyShape(null);
9901                 } else {
9902                     if (shape.equals(getAppliedShape())) {
9903                         return;
9904                     }
9905                     this.compoundShape = shape;
9906                     Point compAbsolute = getLocationOnWindow();
9907                     if (mixingLog.isLoggable(PlatformLogger.Level.FINER)) {
9908                         mixingLog.fine("this = " + this +
9909                                 "; compAbsolute=" + compAbsolute + "; shape=" + shape);
9910                     }
9911                     peer.applyShape(shape.getTranslatedRegion(-compAbsolute.x, -compAbsolute.y));
9912                 }
9913             }
9914         }
9915     }
9916 
9917     /**
9918      * Returns the shape previously set with applyCompoundShape().
9919      * If the component is LW or no shape was applied yet,
9920      * the method returns the normal shape.
9921      */
9922     private Region getAppliedShape() {
9923         checkTreeLock();
9924         //XXX: if we allow LW components to have a shape, this must be changed
9925         return (this.compoundShape == null || isLightweight()) ? getNormalShape() : this.compoundShape;
9926     }
9927 
9928     Point getLocationOnWindow() {
9929         checkTreeLock();
9930         Point curLocation = getLocation();
9931 
9932         for (Container parent = getContainer();
9933                 parent != null && !(parent instanceof Window);
9934                 parent = parent.getContainer())
9935         {
9936             curLocation.x += parent.getX();
9937             curLocation.y += parent.getY();
9938         }
9939 
9940         return curLocation;
9941     }
9942 
9943     /**
9944      * Returns the full shape of the component located in window coordinates
9945      */
9946     final Region getNormalShape() {
9947         checkTreeLock();
9948         //XXX: we may take into account a user-specified shape for this component
9949         Point compAbsolute = getLocationOnWindow();
9950         return
9951             Region.getInstanceXYWH(
9952                     compAbsolute.x,
9953                     compAbsolute.y,
9954                     getWidth(),
9955                     getHeight()
9956             );
9957     }
9958 
9959     /**
9960      * Returns the "opaque shape" of the component.
9961      *
9962      * The opaque shape of a lightweight components is the actual shape that
9963      * needs to be cut off of the heavyweight components in order to mix this
9964      * lightweight component correctly with them.
9965      *
9966      * The method is overriden in the java.awt.Container to handle non-opaque
9967      * containers containing opaque children.
9968      *
9969      * See 6637655 for details.
9970      */
9971     Region getOpaqueShape() {
9972         checkTreeLock();
9973         if (mixingCutoutRegion != null) {
9974             return mixingCutoutRegion;
9975         } else {
9976             return getNormalShape();
9977         }
9978     }
9979 
9980     final int getSiblingIndexAbove() {
9981         checkTreeLock();
9982         Container parent = getContainer();
9983         if (parent == null) {
9984             return -1;
9985         }
9986 
9987         int nextAbove = parent.getComponentZOrder(this) - 1;
9988 
9989         return nextAbove < 0 ? -1 : nextAbove;
9990     }
9991 
9992     final ComponentPeer getHWPeerAboveMe() {
9993         checkTreeLock();
9994 
9995         Container cont = getContainer();
9996         int indexAbove = getSiblingIndexAbove();
9997 
9998         while (cont != null) {
9999             for (int i = indexAbove; i > -1; i--) {
10000                 Component comp = cont.getComponent(i);
10001                 if (comp != null && comp.isDisplayable() && !comp.isLightweight()) {
10002                     return comp.peer;
10003                 }
10004             }
10005             // traversing the hierarchy up to the closest HW container;
10006             // further traversing may return a component that is not actually
10007             // a native sibling of this component and this kind of z-order
10008             // request may not be allowed by the underlying system (6852051).
10009             if (!cont.isLightweight()) {
10010                 break;
10011             }
10012 
10013             indexAbove = cont.getSiblingIndexAbove();
10014             cont = cont.getContainer();
10015         }
10016 
10017         return null;
10018     }
10019 
10020     final int getSiblingIndexBelow() {
10021         checkTreeLock();
10022         Container parent = getContainer();
10023         if (parent == null) {
10024             return -1;
10025         }
10026 
10027         int nextBelow = parent.getComponentZOrder(this) + 1;
10028 
10029         return nextBelow >= parent.getComponentCount() ? -1 : nextBelow;
10030     }
10031 
10032     final boolean isNonOpaqueForMixing() {
10033         return mixingCutoutRegion != null &&
10034             mixingCutoutRegion.isEmpty();
10035     }
10036 
10037     private Region calculateCurrentShape() {
10038         checkTreeLock();
10039         Region s = getNormalShape();
10040 
10041         if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10042             mixingLog.fine("this = " + this + "; normalShape=" + s);
10043         }
10044 
10045         if (getContainer() != null) {
10046             Component comp = this;
10047             Container cont = comp.getContainer();
10048 
10049             while (cont != null) {
10050                 for (int index = comp.getSiblingIndexAbove(); index != -1; --index) {
10051                     /* It is assumed that:
10052                      *
10053                      *    getComponent(getContainer().getComponentZOrder(comp)) == comp
10054                      *
10055                      * The assumption has been made according to the current
10056                      * implementation of the Container class.
10057                      */
10058                     Component c = cont.getComponent(index);
10059                     if (c.isLightweight() && c.isShowing()) {
10060                         s = s.getDifference(c.getOpaqueShape());
10061                     }
10062                 }
10063 
10064                 if (cont.isLightweight()) {
10065                     s = s.getIntersection(cont.getNormalShape());
10066                 } else {
10067                     break;
10068                 }
10069 
10070                 comp = cont;
10071                 cont = cont.getContainer();
10072             }
10073         }
10074 
10075         if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10076             mixingLog.fine("currentShape=" + s);
10077         }
10078 
10079         return s;
10080     }
10081 
10082     void applyCurrentShape() {
10083         checkTreeLock();
10084         if (!areBoundsValid()) {
10085             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10086                 mixingLog.fine("this = " + this + "; areBoundsValid = " + areBoundsValid());
10087             }
10088             return; // Because applyCompoundShape() ignores such components anyway
10089         }
10090         if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10091             mixingLog.fine("this = " + this);
10092         }
10093         applyCompoundShape(calculateCurrentShape());
10094     }
10095 
10096     final void subtractAndApplyShape(Region s) {
10097         checkTreeLock();
10098 
10099         if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10100             mixingLog.fine("this = " + this + "; s=" + s);
10101         }
10102 
10103         applyCompoundShape(getAppliedShape().getDifference(s));
10104     }
10105 
10106     private final void applyCurrentShapeBelowMe() {
10107         checkTreeLock();
10108         Container parent = getContainer();
10109         if (parent != null && parent.isShowing()) {
10110             // First, reapply shapes of my siblings
10111             parent.recursiveApplyCurrentShape(getSiblingIndexBelow());
10112 
10113             // Second, if my container is non-opaque, reapply shapes of siblings of my container
10114             Container parent2 = parent.getContainer();
10115             while (!parent.isOpaque() && parent2 != null) {
10116                 parent2.recursiveApplyCurrentShape(parent.getSiblingIndexBelow());
10117 
10118                 parent = parent2;
10119                 parent2 = parent.getContainer();
10120             }
10121         }
10122     }
10123 
10124     final void subtractAndApplyShapeBelowMe() {
10125         checkTreeLock();
10126         Container parent = getContainer();
10127         if (parent != null && isShowing()) {
10128             Region opaqueShape = getOpaqueShape();
10129 
10130             // First, cut my siblings
10131             parent.recursiveSubtractAndApplyShape(opaqueShape, getSiblingIndexBelow());
10132 
10133             // Second, if my container is non-opaque, cut siblings of my container
10134             Container parent2 = parent.getContainer();
10135             while (!parent.isOpaque() && parent2 != null) {
10136                 parent2.recursiveSubtractAndApplyShape(opaqueShape, parent.getSiblingIndexBelow());
10137 
10138                 parent = parent2;
10139                 parent2 = parent.getContainer();
10140             }
10141         }
10142     }
10143 
10144     void mixOnShowing() {
10145         synchronized (getTreeLock()) {
10146             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10147                 mixingLog.fine("this = " + this);
10148             }
10149             if (!isMixingNeeded()) {
10150                 return;
10151             }
10152             if (isLightweight()) {
10153                 subtractAndApplyShapeBelowMe();
10154             } else {
10155                 applyCurrentShape();
10156             }
10157         }
10158     }
10159 
10160     void mixOnHiding(boolean isLightweight) {
10161         // We cannot be sure that the peer exists at this point, so we need the argument
10162         //    to find out whether the hiding component is (well, actually was) a LW or a HW.
10163         synchronized (getTreeLock()) {
10164             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10165                 mixingLog.fine("this = " + this + "; isLightweight = " + isLightweight);
10166             }
10167             if (!isMixingNeeded()) {
10168                 return;
10169             }
10170             if (isLightweight) {
10171                 applyCurrentShapeBelowMe();
10172             }
10173         }
10174     }
10175 
10176     void mixOnReshaping() {
10177         synchronized (getTreeLock()) {
10178             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10179                 mixingLog.fine("this = " + this);
10180             }
10181             if (!isMixingNeeded()) {
10182                 return;
10183             }
10184             if (isLightweight()) {
10185                 applyCurrentShapeBelowMe();
10186             } else {
10187                 applyCurrentShape();
10188             }
10189         }
10190     }
10191 
10192     void mixOnZOrderChanging(int oldZorder, int newZorder) {
10193         synchronized (getTreeLock()) {
10194             boolean becameHigher = newZorder < oldZorder;
10195             Container parent = getContainer();
10196 
10197             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10198                 mixingLog.fine("this = " + this +
10199                     "; oldZorder=" + oldZorder + "; newZorder=" + newZorder + "; parent=" + parent);
10200             }
10201             if (!isMixingNeeded()) {
10202                 return;
10203             }
10204             if (isLightweight()) {
10205                 if (becameHigher) {
10206                     if (parent != null && isShowing()) {
10207                         parent.recursiveSubtractAndApplyShape(getOpaqueShape(), getSiblingIndexBelow(), oldZorder);
10208                     }
10209                 } else {
10210                     if (parent != null) {
10211                         parent.recursiveApplyCurrentShape(oldZorder, newZorder);
10212                     }
10213                 }
10214             } else {
10215                 if (becameHigher) {
10216                     applyCurrentShape();
10217                 } else {
10218                     if (parent != null) {
10219                         Region shape = getAppliedShape();
10220 
10221                         for (int index = oldZorder; index < newZorder; index++) {
10222                             Component c = parent.getComponent(index);
10223                             if (c.isLightweight() && c.isShowing()) {
10224                                 shape = shape.getDifference(c.getOpaqueShape());
10225                             }
10226                         }
10227                         applyCompoundShape(shape);
10228                     }
10229                 }
10230             }
10231         }
10232     }
10233 
10234     void mixOnValidating() {
10235         // This method gets overriden in the Container. Obviously, a plain
10236         // non-container components don't need to handle validation.
10237     }
10238 
10239     final boolean isMixingNeeded() {
10240         if (SunToolkit.getSunAwtDisableMixing()) {
10241             if (mixingLog.isLoggable(PlatformLogger.Level.FINEST)) {
10242                 mixingLog.finest("this = " + this + "; Mixing disabled via sun.awt.disableMixing");
10243             }
10244             return false;
10245         }
10246         if (!areBoundsValid()) {
10247             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10248                 mixingLog.fine("this = " + this + "; areBoundsValid = " + areBoundsValid());
10249             }
10250             return false;
10251         }
10252         Window window = getContainingWindow();
10253         if (window != null) {
10254             if (!window.hasHeavyweightDescendants() || !window.hasLightweightDescendants() || window.isDisposing()) {
10255                 if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10256                     mixingLog.fine("containing window = " + window +
10257                             "; has h/w descendants = " + window.hasHeavyweightDescendants() +
10258                             "; has l/w descendants = " + window.hasLightweightDescendants() +
10259                             "; disposing = " + window.isDisposing());
10260                 }
10261                 return false;
10262             }
10263         } else {
10264             if (mixingLog.isLoggable(PlatformLogger.Level.FINE)) {
10265                 mixingLog.fine("this = " + this + "; containing window is null");
10266             }
10267             return false;
10268         }
10269         return true;
10270     }
10271 
10272     // ****************** END OF MIXING CODE ********************************
10273 
10274     // Note that the method is overriden in the Window class,
10275     // a window doesn't need to be updated in the Z-order.
10276     void updateZOrder() {
10277         peer.setZOrder(getHWPeerAboveMe());
10278     }
10279 
10280 }