ViewGroup.java revision 73eb97f628b298c7bd032aa9db11dadf05f5b539
1/*
2 * Copyright (C) 2006 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 *      http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17package android.view;
18
19import android.animation.LayoutTransition;
20import android.content.Context;
21import android.content.res.Configuration;
22import android.content.res.TypedArray;
23import android.graphics.Bitmap;
24import android.graphics.Canvas;
25import android.graphics.Matrix;
26import android.graphics.Paint;
27import android.graphics.PointF;
28import android.graphics.Rect;
29import android.graphics.RectF;
30import android.graphics.Region;
31import android.os.Build;
32import android.os.Parcelable;
33import android.os.SystemClock;
34import android.util.AttributeSet;
35import android.util.Log;
36import android.util.SparseArray;
37import android.view.accessibility.AccessibilityEvent;
38import android.view.accessibility.AccessibilityNodeInfo;
39import android.view.animation.Animation;
40import android.view.animation.AnimationUtils;
41import android.view.animation.LayoutAnimationController;
42import android.view.animation.Transformation;
43
44import com.android.internal.R;
45import com.android.internal.util.Predicate;
46
47import java.util.ArrayList;
48import java.util.HashSet;
49
50/**
51 * <p>
52 * A <code>ViewGroup</code> is a special view that can contain other views
53 * (called children.) The view group is the base class for layouts and views
54 * containers. This class also defines the
55 * {@link android.view.ViewGroup.LayoutParams} class which serves as the base
56 * class for layouts parameters.
57 * </p>
58 *
59 * <p>
60 * Also see {@link LayoutParams} for layout attributes.
61 * </p>
62 *
63 * <div class="special reference">
64 * <h3>Developer Guides</h3>
65 * <p>For more information about creating user interface layouts, read the
66 * <a href="{@docRoot}guide/topics/ui/declaring-layout.html">XML Layouts</a> developer
67 * guide.</p></div>
68 *
69 * @attr ref android.R.styleable#ViewGroup_clipChildren
70 * @attr ref android.R.styleable#ViewGroup_clipToPadding
71 * @attr ref android.R.styleable#ViewGroup_layoutAnimation
72 * @attr ref android.R.styleable#ViewGroup_animationCache
73 * @attr ref android.R.styleable#ViewGroup_persistentDrawingCache
74 * @attr ref android.R.styleable#ViewGroup_alwaysDrawnWithCache
75 * @attr ref android.R.styleable#ViewGroup_addStatesFromChildren
76 * @attr ref android.R.styleable#ViewGroup_descendantFocusability
77 * @attr ref android.R.styleable#ViewGroup_animateLayoutChanges
78 */
79public abstract class ViewGroup extends View implements ViewParent, ViewManager {
80
81    private static final boolean DBG = false;
82
83    /**
84     * Views which have been hidden or removed which need to be animated on
85     * their way out.
86     * This field should be made private, so it is hidden from the SDK.
87     * {@hide}
88     */
89    protected ArrayList<View> mDisappearingChildren;
90
91    /**
92     * Listener used to propagate events indicating when children are added
93     * and/or removed from a view group.
94     * This field should be made private, so it is hidden from the SDK.
95     * {@hide}
96     */
97    protected OnHierarchyChangeListener mOnHierarchyChangeListener;
98
99    // The view contained within this ViewGroup that has or contains focus.
100    private View mFocused;
101
102    /**
103     * A Transformation used when drawing children, to
104     * apply on the child being drawn.
105     */
106    private final Transformation mChildTransformation = new Transformation();
107
108    /**
109     * Used to track the current invalidation region.
110     */
111    private RectF mInvalidateRegion;
112
113    /**
114     * A Transformation used to calculate a correct
115     * invalidation area when the application is autoscaled.
116     */
117    private Transformation mInvalidationTransformation;
118
119    // View currently under an ongoing drag
120    private View mCurrentDragView;
121
122    // Metadata about the ongoing drag
123    private DragEvent mCurrentDrag;
124    private HashSet<View> mDragNotifiedChildren;
125
126    // Does this group have a child that can accept the current drag payload?
127    private boolean mChildAcceptsDrag;
128
129    // Used during drag dispatch
130    private final PointF mLocalPoint = new PointF();
131
132    // Layout animation
133    private LayoutAnimationController mLayoutAnimationController;
134    private Animation.AnimationListener mAnimationListener;
135
136    // First touch target in the linked list of touch targets.
137    private TouchTarget mFirstTouchTarget;
138
139    // For debugging only.  You can see these in hierarchyviewer.
140    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})
141    @ViewDebug.ExportedProperty(category = "events")
142    private long mLastTouchDownTime;
143    @ViewDebug.ExportedProperty(category = "events")
144    private int mLastTouchDownIndex = -1;
145    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})
146    @ViewDebug.ExportedProperty(category = "events")
147    private float mLastTouchDownX;
148    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})
149    @ViewDebug.ExportedProperty(category = "events")
150    private float mLastTouchDownY;
151
152    // First hover target in the linked list of hover targets.
153    // The hover targets are children which have received ACTION_HOVER_ENTER.
154    // They might not have actually handled the hover event, but we will
155    // continue sending hover events to them as long as the pointer remains over
156    // their bounds and the view group does not intercept hover.
157    private HoverTarget mFirstHoverTarget;
158
159    // True if the view group itself received a hover event.
160    // It might not have actually handled the hover event.
161    private boolean mHoveredSelf;
162
163    /**
164     * Internal flags.
165     *
166     * This field should be made private, so it is hidden from the SDK.
167     * {@hide}
168     */
169    protected int mGroupFlags;
170
171    // When set, ViewGroup invalidates only the child's rectangle
172    // Set by default
173    private static final int FLAG_CLIP_CHILDREN = 0x1;
174
175    // When set, ViewGroup excludes the padding area from the invalidate rectangle
176    // Set by default
177    private static final int FLAG_CLIP_TO_PADDING = 0x2;
178
179    // When set, dispatchDraw() will invoke invalidate(); this is set by drawChild() when
180    // a child needs to be invalidated and FLAG_OPTIMIZE_INVALIDATE is set
181    private static final int FLAG_INVALIDATE_REQUIRED  = 0x4;
182
183    // When set, dispatchDraw() will run the layout animation and unset the flag
184    private static final int FLAG_RUN_ANIMATION = 0x8;
185
186    // When set, there is either no layout animation on the ViewGroup or the layout
187    // animation is over
188    // Set by default
189    private static final int FLAG_ANIMATION_DONE = 0x10;
190
191    // If set, this ViewGroup has padding; if unset there is no padding and we don't need
192    // to clip it, even if FLAG_CLIP_TO_PADDING is set
193    private static final int FLAG_PADDING_NOT_NULL = 0x20;
194
195    // When set, this ViewGroup caches its children in a Bitmap before starting a layout animation
196    // Set by default
197    private static final int FLAG_ANIMATION_CACHE = 0x40;
198
199    // When set, this ViewGroup converts calls to invalidate(Rect) to invalidate() during a
200    // layout animation; this avoid clobbering the hierarchy
201    // Automatically set when the layout animation starts, depending on the animation's
202    // characteristics
203    private static final int FLAG_OPTIMIZE_INVALIDATE = 0x80;
204
205    // When set, the next call to drawChild() will clear mChildTransformation's matrix
206    private static final int FLAG_CLEAR_TRANSFORMATION = 0x100;
207
208    // When set, this ViewGroup invokes mAnimationListener.onAnimationEnd() and removes
209    // the children's Bitmap caches if necessary
210    // This flag is set when the layout animation is over (after FLAG_ANIMATION_DONE is set)
211    private static final int FLAG_NOTIFY_ANIMATION_LISTENER = 0x200;
212
213    /**
214     * When set, the drawing method will call {@link #getChildDrawingOrder(int, int)}
215     * to get the index of the child to draw for that iteration.
216     *
217     * @hide
218     */
219    protected static final int FLAG_USE_CHILD_DRAWING_ORDER = 0x400;
220
221    /**
222     * When set, this ViewGroup supports static transformations on children; this causes
223     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} to be
224     * invoked when a child is drawn.
225     *
226     * Any subclass overriding
227     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} should
228     * set this flags in {@link #mGroupFlags}.
229     *
230     * {@hide}
231     */
232    protected static final int FLAG_SUPPORT_STATIC_TRANSFORMATIONS = 0x800;
233
234    // When the previous drawChild() invocation used an alpha value that was lower than
235    // 1.0 and set it in mCachePaint
236    private static final int FLAG_ALPHA_LOWER_THAN_ONE = 0x1000;
237
238    /**
239     * When set, this ViewGroup's drawable states also include those
240     * of its children.
241     */
242    private static final int FLAG_ADD_STATES_FROM_CHILDREN = 0x2000;
243
244    /**
245     * When set, this ViewGroup tries to always draw its children using their drawing cache.
246     */
247    private static final int FLAG_ALWAYS_DRAWN_WITH_CACHE = 0x4000;
248
249    /**
250     * When set, and if FLAG_ALWAYS_DRAWN_WITH_CACHE is not set, this ViewGroup will try to
251     * draw its children with their drawing cache.
252     */
253    private static final int FLAG_CHILDREN_DRAWN_WITH_CACHE = 0x8000;
254
255    /**
256     * When set, this group will go through its list of children to notify them of
257     * any drawable state change.
258     */
259    private static final int FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE = 0x10000;
260
261    private static final int FLAG_MASK_FOCUSABILITY = 0x60000;
262
263    /**
264     * This view will get focus before any of its descendants.
265     */
266    public static final int FOCUS_BEFORE_DESCENDANTS = 0x20000;
267
268    /**
269     * This view will get focus only if none of its descendants want it.
270     */
271    public static final int FOCUS_AFTER_DESCENDANTS = 0x40000;
272
273    /**
274     * This view will block any of its descendants from getting focus, even
275     * if they are focusable.
276     */
277    public static final int FOCUS_BLOCK_DESCENDANTS = 0x60000;
278
279    /**
280     * Used to map between enum in attrubutes and flag values.
281     */
282    private static final int[] DESCENDANT_FOCUSABILITY_FLAGS =
283            {FOCUS_BEFORE_DESCENDANTS, FOCUS_AFTER_DESCENDANTS,
284                    FOCUS_BLOCK_DESCENDANTS};
285
286    /**
287     * When set, this ViewGroup should not intercept touch events.
288     * {@hide}
289     */
290    protected static final int FLAG_DISALLOW_INTERCEPT = 0x80000;
291
292    /**
293     * When set, this ViewGroup will split MotionEvents to multiple child Views when appropriate.
294     */
295    private static final int FLAG_SPLIT_MOTION_EVENTS = 0x200000;
296
297    /**
298     * When set, this ViewGroup will not dispatch onAttachedToWindow calls
299     * to children when adding new views. This is used to prevent multiple
300     * onAttached calls when a ViewGroup adds children in its own onAttached method.
301     */
302    private static final int FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW = 0x400000;
303
304    /**
305     * Indicates which types of drawing caches are to be kept in memory.
306     * This field should be made private, so it is hidden from the SDK.
307     * {@hide}
308     */
309    protected int mPersistentDrawingCache;
310
311    /**
312     * Used to indicate that no drawing cache should be kept in memory.
313     */
314    public static final int PERSISTENT_NO_CACHE = 0x0;
315
316    /**
317     * Used to indicate that the animation drawing cache should be kept in memory.
318     */
319    public static final int PERSISTENT_ANIMATION_CACHE = 0x1;
320
321    /**
322     * Used to indicate that the scrolling drawing cache should be kept in memory.
323     */
324    public static final int PERSISTENT_SCROLLING_CACHE = 0x2;
325
326    /**
327     * Used to indicate that all drawing caches should be kept in memory.
328     */
329    public static final int PERSISTENT_ALL_CACHES = 0x3;
330
331    /**
332     * We clip to padding when FLAG_CLIP_TO_PADDING and FLAG_PADDING_NOT_NULL
333     * are set at the same time.
334     */
335    protected static final int CLIP_TO_PADDING_MASK = FLAG_CLIP_TO_PADDING | FLAG_PADDING_NOT_NULL;
336
337    // Index of the child's left position in the mLocation array
338    private static final int CHILD_LEFT_INDEX = 0;
339    // Index of the child's top position in the mLocation array
340    private static final int CHILD_TOP_INDEX = 1;
341
342    // Child views of this ViewGroup
343    private View[] mChildren;
344    // Number of valid children in the mChildren array, the rest should be null or not
345    // considered as children
346
347    private boolean mLayoutSuppressed = false;
348
349    private int mChildrenCount;
350
351    private static final int ARRAY_INITIAL_CAPACITY = 12;
352    private static final int ARRAY_CAPACITY_INCREMENT = 12;
353
354    // Used to draw cached views
355    private Paint mCachePaint;
356
357    // Used to animate add/remove changes in layout
358    private LayoutTransition mTransition;
359
360    // The set of views that are currently being transitioned. This list is used to track views
361    // being removed that should not actually be removed from the parent yet because they are
362    // being animated.
363    private ArrayList<View> mTransitioningViews;
364
365    // List of children changing visibility. This is used to potentially keep rendering
366    // views during a transition when they otherwise would have become gone/invisible
367    private ArrayList<View> mVisibilityChangingChildren;
368
369    // Indicates whether this container will use its children layers to draw
370    @ViewDebug.ExportedProperty(category = "drawing")
371    private boolean mDrawLayers = true;
372
373    public ViewGroup(Context context) {
374        super(context);
375        initViewGroup();
376    }
377
378    public ViewGroup(Context context, AttributeSet attrs) {
379        super(context, attrs);
380        initViewGroup();
381        initFromAttributes(context, attrs);
382    }
383
384    public ViewGroup(Context context, AttributeSet attrs, int defStyle) {
385        super(context, attrs, defStyle);
386        initViewGroup();
387        initFromAttributes(context, attrs);
388    }
389
390    private void initViewGroup() {
391        // ViewGroup doesn't draw by default
392        setFlags(WILL_NOT_DRAW, DRAW_MASK);
393        mGroupFlags |= FLAG_CLIP_CHILDREN;
394        mGroupFlags |= FLAG_CLIP_TO_PADDING;
395        mGroupFlags |= FLAG_ANIMATION_DONE;
396        mGroupFlags |= FLAG_ANIMATION_CACHE;
397        mGroupFlags |= FLAG_ALWAYS_DRAWN_WITH_CACHE;
398
399        if (mContext.getApplicationInfo().targetSdkVersion >= Build.VERSION_CODES.HONEYCOMB) {
400            mGroupFlags |= FLAG_SPLIT_MOTION_EVENTS;
401        }
402
403        setDescendantFocusability(FOCUS_BEFORE_DESCENDANTS);
404
405        mChildren = new View[ARRAY_INITIAL_CAPACITY];
406        mChildrenCount = 0;
407
408        mPersistentDrawingCache = PERSISTENT_SCROLLING_CACHE;
409    }
410
411    private void initFromAttributes(Context context, AttributeSet attrs) {
412        TypedArray a = context.obtainStyledAttributes(attrs,
413                R.styleable.ViewGroup);
414
415        final int N = a.getIndexCount();
416        for (int i = 0; i < N; i++) {
417            int attr = a.getIndex(i);
418            switch (attr) {
419                case R.styleable.ViewGroup_clipChildren:
420                    setClipChildren(a.getBoolean(attr, true));
421                    break;
422                case R.styleable.ViewGroup_clipToPadding:
423                    setClipToPadding(a.getBoolean(attr, true));
424                    break;
425                case R.styleable.ViewGroup_animationCache:
426                    setAnimationCacheEnabled(a.getBoolean(attr, true));
427                    break;
428                case R.styleable.ViewGroup_persistentDrawingCache:
429                    setPersistentDrawingCache(a.getInt(attr, PERSISTENT_SCROLLING_CACHE));
430                    break;
431                case R.styleable.ViewGroup_addStatesFromChildren:
432                    setAddStatesFromChildren(a.getBoolean(attr, false));
433                    break;
434                case R.styleable.ViewGroup_alwaysDrawnWithCache:
435                    setAlwaysDrawnWithCacheEnabled(a.getBoolean(attr, true));
436                    break;
437                case R.styleable.ViewGroup_layoutAnimation:
438                    int id = a.getResourceId(attr, -1);
439                    if (id > 0) {
440                        setLayoutAnimation(AnimationUtils.loadLayoutAnimation(mContext, id));
441                    }
442                    break;
443                case R.styleable.ViewGroup_descendantFocusability:
444                    setDescendantFocusability(DESCENDANT_FOCUSABILITY_FLAGS[a.getInt(attr, 0)]);
445                    break;
446                case R.styleable.ViewGroup_splitMotionEvents:
447                    setMotionEventSplittingEnabled(a.getBoolean(attr, false));
448                    break;
449                case R.styleable.ViewGroup_animateLayoutChanges:
450                    boolean animateLayoutChanges = a.getBoolean(attr, false);
451                    if (animateLayoutChanges) {
452                        setLayoutTransition(new LayoutTransition());
453                    }
454                    break;
455            }
456        }
457
458        a.recycle();
459    }
460
461    /**
462     * Gets the descendant focusability of this view group.  The descendant
463     * focusability defines the relationship between this view group and its
464     * descendants when looking for a view to take focus in
465     * {@link #requestFocus(int, android.graphics.Rect)}.
466     *
467     * @return one of {@link #FOCUS_BEFORE_DESCENDANTS}, {@link #FOCUS_AFTER_DESCENDANTS},
468     *   {@link #FOCUS_BLOCK_DESCENDANTS}.
469     */
470    @ViewDebug.ExportedProperty(category = "focus", mapping = {
471        @ViewDebug.IntToString(from = FOCUS_BEFORE_DESCENDANTS, to = "FOCUS_BEFORE_DESCENDANTS"),
472        @ViewDebug.IntToString(from = FOCUS_AFTER_DESCENDANTS, to = "FOCUS_AFTER_DESCENDANTS"),
473        @ViewDebug.IntToString(from = FOCUS_BLOCK_DESCENDANTS, to = "FOCUS_BLOCK_DESCENDANTS")
474    })
475    public int getDescendantFocusability() {
476        return mGroupFlags & FLAG_MASK_FOCUSABILITY;
477    }
478
479    /**
480     * Set the descendant focusability of this view group. This defines the relationship
481     * between this view group and its descendants when looking for a view to
482     * take focus in {@link #requestFocus(int, android.graphics.Rect)}.
483     *
484     * @param focusability one of {@link #FOCUS_BEFORE_DESCENDANTS}, {@link #FOCUS_AFTER_DESCENDANTS},
485     *   {@link #FOCUS_BLOCK_DESCENDANTS}.
486     */
487    public void setDescendantFocusability(int focusability) {
488        switch (focusability) {
489            case FOCUS_BEFORE_DESCENDANTS:
490            case FOCUS_AFTER_DESCENDANTS:
491            case FOCUS_BLOCK_DESCENDANTS:
492                break;
493            default:
494                throw new IllegalArgumentException("must be one of FOCUS_BEFORE_DESCENDANTS, "
495                        + "FOCUS_AFTER_DESCENDANTS, FOCUS_BLOCK_DESCENDANTS");
496        }
497        mGroupFlags &= ~FLAG_MASK_FOCUSABILITY;
498        mGroupFlags |= (focusability & FLAG_MASK_FOCUSABILITY);
499    }
500
501    /**
502     * {@inheritDoc}
503     */
504    @Override
505    void handleFocusGainInternal(int direction, Rect previouslyFocusedRect) {
506        if (mFocused != null) {
507            mFocused.unFocus();
508            mFocused = null;
509        }
510        super.handleFocusGainInternal(direction, previouslyFocusedRect);
511    }
512
513    /**
514     * {@inheritDoc}
515     */
516    public void requestChildFocus(View child, View focused) {
517        if (DBG) {
518            System.out.println(this + " requestChildFocus()");
519        }
520        if (getDescendantFocusability() == FOCUS_BLOCK_DESCENDANTS) {
521            return;
522        }
523
524        // Unfocus us, if necessary
525        super.unFocus();
526
527        // We had a previous notion of who had focus. Clear it.
528        if (mFocused != child) {
529            if (mFocused != null) {
530                mFocused.unFocus();
531            }
532
533            mFocused = child;
534        }
535        if (mParent != null) {
536            mParent.requestChildFocus(this, focused);
537        }
538    }
539
540    /**
541     * {@inheritDoc}
542     */
543    public void focusableViewAvailable(View v) {
544        if (mParent != null
545                // shortcut: don't report a new focusable view if we block our descendants from
546                // getting focus
547                && (getDescendantFocusability() != FOCUS_BLOCK_DESCENDANTS)
548                // shortcut: don't report a new focusable view if we already are focused
549                // (and we don't prefer our descendants)
550                //
551                // note: knowing that mFocused is non-null is not a good enough reason
552                // to break the traversal since in that case we'd actually have to find
553                // the focused view and make sure it wasn't FOCUS_AFTER_DESCENDANTS and
554                // an ancestor of v; this will get checked for at ViewAncestor
555                && !(isFocused() && getDescendantFocusability() != FOCUS_AFTER_DESCENDANTS)) {
556            mParent.focusableViewAvailable(v);
557        }
558    }
559
560    /**
561     * {@inheritDoc}
562     */
563    public boolean showContextMenuForChild(View originalView) {
564        return mParent != null && mParent.showContextMenuForChild(originalView);
565    }
566
567    /**
568     * {@inheritDoc}
569     */
570    public ActionMode startActionModeForChild(View originalView, ActionMode.Callback callback) {
571        return mParent != null ? mParent.startActionModeForChild(originalView, callback) : null;
572    }
573
574    /**
575     * Find the nearest view in the specified direction that wants to take
576     * focus.
577     *
578     * @param focused The view that currently has focus
579     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and
580     *        FOCUS_RIGHT, or 0 for not applicable.
581     */
582    public View focusSearch(View focused, int direction) {
583        if (isRootNamespace()) {
584            // root namespace means we should consider ourselves the top of the
585            // tree for focus searching; otherwise we could be focus searching
586            // into other tabs.  see LocalActivityManager and TabHost for more info
587            return FocusFinder.getInstance().findNextFocus(this, focused, direction);
588        } else if (mParent != null) {
589            return mParent.focusSearch(focused, direction);
590        }
591        return null;
592    }
593
594    /**
595     * {@inheritDoc}
596     */
597    public boolean requestChildRectangleOnScreen(View child, Rect rectangle, boolean immediate) {
598        return false;
599    }
600
601    /**
602     * {@inheritDoc}
603     */
604    public boolean requestSendAccessibilityEvent(View child, AccessibilityEvent event) {
605        ViewParent parent = getParent();
606        if (parent == null) {
607            return false;
608        }
609        final boolean propagate = onRequestSendAccessibilityEvent(child, event);
610        //noinspection SimplifiableIfStatement
611        if (!propagate) {
612            return false;
613        }
614        return parent.requestSendAccessibilityEvent(this, event);
615    }
616
617    /**
618     * Called when a child has requested sending an {@link AccessibilityEvent} and
619     * gives an opportunity to its parent to augment the event.
620     * <p>
621     * If an {@link android.view.View.AccessibilityDelegate} has been specified via calling
622     * {@link android.view.View#setAccessibilityDelegate(android.view.View.AccessibilityDelegate)} its
623     * {@link android.view.View.AccessibilityDelegate#onRequestSendAccessibilityEvent(ViewGroup, View, AccessibilityEvent)}
624     * is responsible for handling this call.
625     * </p>
626     *
627     * @param child The child which requests sending the event.
628     * @param event The event to be sent.
629     * @return True if the event should be sent.
630     *
631     * @see #requestSendAccessibilityEvent(View, AccessibilityEvent)
632     */
633    public boolean onRequestSendAccessibilityEvent(View child, AccessibilityEvent event) {
634        if (mAccessibilityDelegate != null) {
635            return mAccessibilityDelegate.onRequestSendAccessibilityEvent(this, child, event);
636        } else {
637            return onRequestSendAccessibilityEventInternal(child, event);
638        }
639    }
640
641    /**
642     * @see #onRequestSendAccessibilityEvent(View, AccessibilityEvent)
643     *
644     * Note: Called from the default {@link View.AccessibilityDelegate}.
645     */
646    boolean onRequestSendAccessibilityEventInternal(View child, AccessibilityEvent event) {
647        return true;
648    }
649
650    /**
651     * {@inheritDoc}
652     */
653    @Override
654    public boolean dispatchUnhandledMove(View focused, int direction) {
655        return mFocused != null &&
656                mFocused.dispatchUnhandledMove(focused, direction);
657    }
658
659    /**
660     * {@inheritDoc}
661     */
662    public void clearChildFocus(View child) {
663        if (DBG) {
664            System.out.println(this + " clearChildFocus()");
665        }
666
667        mFocused = null;
668        if (mParent != null) {
669            mParent.clearChildFocus(this);
670        }
671    }
672
673    /**
674     * {@inheritDoc}
675     */
676    @Override
677    public void clearFocus() {
678        super.clearFocus();
679
680        // clear any child focus if it exists
681        if (mFocused != null) {
682            mFocused.clearFocus();
683        }
684    }
685
686    /**
687     * {@inheritDoc}
688     */
689    @Override
690    void unFocus() {
691        if (DBG) {
692            System.out.println(this + " unFocus()");
693        }
694
695        super.unFocus();
696        if (mFocused != null) {
697            mFocused.unFocus();
698        }
699        mFocused = null;
700    }
701
702    /**
703     * Returns the focused child of this view, if any. The child may have focus
704     * or contain focus.
705     *
706     * @return the focused child or null.
707     */
708    public View getFocusedChild() {
709        return mFocused;
710    }
711
712    /**
713     * Returns true if this view has or contains focus
714     *
715     * @return true if this view has or contains focus
716     */
717    @Override
718    public boolean hasFocus() {
719        return (mPrivateFlags & FOCUSED) != 0 || mFocused != null;
720    }
721
722    /*
723     * (non-Javadoc)
724     *
725     * @see android.view.View#findFocus()
726     */
727    @Override
728    public View findFocus() {
729        if (DBG) {
730            System.out.println("Find focus in " + this + ": flags="
731                    + isFocused() + ", child=" + mFocused);
732        }
733
734        if (isFocused()) {
735            return this;
736        }
737
738        if (mFocused != null) {
739            return mFocused.findFocus();
740        }
741        return null;
742    }
743
744    /**
745     * {@inheritDoc}
746     */
747    @Override
748    public boolean hasFocusable() {
749        if ((mViewFlags & VISIBILITY_MASK) != VISIBLE) {
750            return false;
751        }
752
753        if (isFocusable()) {
754            return true;
755        }
756
757        final int descendantFocusability = getDescendantFocusability();
758        if (descendantFocusability != FOCUS_BLOCK_DESCENDANTS) {
759            final int count = mChildrenCount;
760            final View[] children = mChildren;
761
762            for (int i = 0; i < count; i++) {
763                final View child = children[i];
764                if (child.hasFocusable()) {
765                    return true;
766                }
767            }
768        }
769
770        return false;
771    }
772
773    /**
774     * {@inheritDoc}
775     */
776    @Override
777    public void addFocusables(ArrayList<View> views, int direction) {
778        addFocusables(views, direction, FOCUSABLES_TOUCH_MODE);
779    }
780
781    /**
782     * {@inheritDoc}
783     */
784    @Override
785    public void addFocusables(ArrayList<View> views, int direction, int focusableMode) {
786        final int focusableCount = views.size();
787
788        final int descendantFocusability = getDescendantFocusability();
789
790        if (descendantFocusability != FOCUS_BLOCK_DESCENDANTS) {
791            final int count = mChildrenCount;
792            final View[] children = mChildren;
793
794            for (int i = 0; i < count; i++) {
795                final View child = children[i];
796                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
797                    child.addFocusables(views, direction, focusableMode);
798                }
799            }
800        }
801
802        // we add ourselves (if focusable) in all cases except for when we are
803        // FOCUS_AFTER_DESCENDANTS and there are some descendants focusable.  this is
804        // to avoid the focus search finding layouts when a more precise search
805        // among the focusable children would be more interesting.
806        if (
807            descendantFocusability != FOCUS_AFTER_DESCENDANTS ||
808                // No focusable descendants
809                (focusableCount == views.size())) {
810            super.addFocusables(views, direction, focusableMode);
811        }
812    }
813
814    @Override
815    public void findViewsWithText(ArrayList<View> outViews, CharSequence text, int flags) {
816        super.findViewsWithText(outViews, text, flags);
817        final int childrenCount = mChildrenCount;
818        final View[] children = mChildren;
819        for (int i = 0; i < childrenCount; i++) {
820            View child = children[i];
821            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE
822                    && (child.mPrivateFlags & IS_ROOT_NAMESPACE) == 0) {
823                child.findViewsWithText(outViews, text, flags);
824            }
825        }
826    }
827
828    @Override
829    View findViewByAccessibilityIdTraversal(int accessibilityId) {
830        View foundView = super.findViewByAccessibilityIdTraversal(accessibilityId);
831        if (foundView != null) {
832            return foundView;
833        }
834        final int childrenCount = mChildrenCount;
835        final View[] children = mChildren;
836        for (int i = 0; i < childrenCount; i++) {
837            View child = children[i];
838            foundView = child.findViewByAccessibilityIdTraversal(accessibilityId);
839            if (foundView != null) {
840                return foundView;
841            }
842        }
843        return null;
844    }
845
846    /**
847     * {@inheritDoc}
848     */
849    @Override
850    public void dispatchWindowFocusChanged(boolean hasFocus) {
851        super.dispatchWindowFocusChanged(hasFocus);
852        final int count = mChildrenCount;
853        final View[] children = mChildren;
854        for (int i = 0; i < count; i++) {
855            children[i].dispatchWindowFocusChanged(hasFocus);
856        }
857    }
858
859    /**
860     * {@inheritDoc}
861     */
862    @Override
863    public void addTouchables(ArrayList<View> views) {
864        super.addTouchables(views);
865
866        final int count = mChildrenCount;
867        final View[] children = mChildren;
868
869        for (int i = 0; i < count; i++) {
870            final View child = children[i];
871            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
872                child.addTouchables(views);
873            }
874        }
875    }
876
877    /**
878     * {@inheritDoc}
879     */
880    @Override
881    public void dispatchDisplayHint(int hint) {
882        super.dispatchDisplayHint(hint);
883        final int count = mChildrenCount;
884        final View[] children = mChildren;
885        for (int i = 0; i < count; i++) {
886            children[i].dispatchDisplayHint(hint);
887        }
888    }
889
890    /**
891     * @hide
892     * @param child
893     * @param visibility
894     */
895    protected void onChildVisibilityChanged(View child, int visibility) {
896        if (mTransition != null) {
897            if (visibility == VISIBLE) {
898                mTransition.showChild(this, child);
899            } else {
900                mTransition.hideChild(this, child);
901            }
902            if (visibility != VISIBLE) {
903                // Only track this on disappearing views - appearing views are already visible
904                // and don't need special handling during drawChild()
905                if (mVisibilityChangingChildren == null) {
906                    mVisibilityChangingChildren = new ArrayList<View>();
907                }
908                mVisibilityChangingChildren.add(child);
909                if (mTransitioningViews != null && mTransitioningViews.contains(child)) {
910                    addDisappearingView(child);
911                }
912            }
913        }
914
915        // in all cases, for drags
916        if (mCurrentDrag != null) {
917            if (visibility == VISIBLE) {
918                notifyChildOfDrag(child);
919            }
920        }
921    }
922
923    /**
924     * {@inheritDoc}
925     */
926    @Override
927    protected void dispatchVisibilityChanged(View changedView, int visibility) {
928        super.dispatchVisibilityChanged(changedView, visibility);
929        final int count = mChildrenCount;
930        final View[] children = mChildren;
931        for (int i = 0; i < count; i++) {
932            children[i].dispatchVisibilityChanged(changedView, visibility);
933        }
934    }
935
936    /**
937     * {@inheritDoc}
938     */
939    @Override
940    public void dispatchWindowVisibilityChanged(int visibility) {
941        super.dispatchWindowVisibilityChanged(visibility);
942        final int count = mChildrenCount;
943        final View[] children = mChildren;
944        for (int i = 0; i < count; i++) {
945            children[i].dispatchWindowVisibilityChanged(visibility);
946        }
947    }
948
949    /**
950     * {@inheritDoc}
951     */
952    @Override
953    public void dispatchConfigurationChanged(Configuration newConfig) {
954        super.dispatchConfigurationChanged(newConfig);
955        final int count = mChildrenCount;
956        final View[] children = mChildren;
957        for (int i = 0; i < count; i++) {
958            children[i].dispatchConfigurationChanged(newConfig);
959        }
960    }
961
962    /**
963     * {@inheritDoc}
964     */
965    public void recomputeViewAttributes(View child) {
966        if (mAttachInfo != null && !mAttachInfo.mRecomputeGlobalAttributes) {
967            ViewParent parent = mParent;
968            if (parent != null) parent.recomputeViewAttributes(this);
969        }
970    }
971
972    @Override
973    void dispatchCollectViewAttributes(int visibility) {
974        visibility |= mViewFlags&VISIBILITY_MASK;
975        super.dispatchCollectViewAttributes(visibility);
976        final int count = mChildrenCount;
977        final View[] children = mChildren;
978        for (int i = 0; i < count; i++) {
979            children[i].dispatchCollectViewAttributes(visibility);
980        }
981    }
982
983    /**
984     * {@inheritDoc}
985     */
986    public void bringChildToFront(View child) {
987        int index = indexOfChild(child);
988        if (index >= 0) {
989            removeFromArray(index);
990            addInArray(child, mChildrenCount);
991            child.mParent = this;
992        }
993    }
994
995    /**
996     * {@inheritDoc}
997     *
998     * !!! TODO: write real docs
999     */
1000    @Override
1001    public boolean dispatchDragEvent(DragEvent event) {
1002        boolean retval = false;
1003        final float tx = event.mX;
1004        final float ty = event.mY;
1005
1006        ViewRootImpl root = getViewRootImpl();
1007
1008        // Dispatch down the view hierarchy
1009        switch (event.mAction) {
1010        case DragEvent.ACTION_DRAG_STARTED: {
1011            // clear state to recalculate which views we drag over
1012            mCurrentDragView = null;
1013
1014            // Set up our tracking of drag-started notifications
1015            mCurrentDrag = DragEvent.obtain(event);
1016            if (mDragNotifiedChildren == null) {
1017                mDragNotifiedChildren = new HashSet<View>();
1018            } else {
1019                mDragNotifiedChildren.clear();
1020            }
1021
1022            // Now dispatch down to our children, caching the responses
1023            mChildAcceptsDrag = false;
1024            final int count = mChildrenCount;
1025            final View[] children = mChildren;
1026            for (int i = 0; i < count; i++) {
1027                final View child = children[i];
1028                child.mPrivateFlags2 &= ~View.DRAG_MASK;
1029                if (child.getVisibility() == VISIBLE) {
1030                    final boolean handled = notifyChildOfDrag(children[i]);
1031                    if (handled) {
1032                        mChildAcceptsDrag = true;
1033                    }
1034                }
1035            }
1036
1037            // Return HANDLED if one of our children can accept the drag
1038            if (mChildAcceptsDrag) {
1039                retval = true;
1040            }
1041        } break;
1042
1043        case DragEvent.ACTION_DRAG_ENDED: {
1044            // Release the bookkeeping now that the drag lifecycle has ended
1045            if (mDragNotifiedChildren != null) {
1046                for (View child : mDragNotifiedChildren) {
1047                    // If a child was notified about an ongoing drag, it's told that it's over
1048                    child.dispatchDragEvent(event);
1049                    child.mPrivateFlags2 &= ~View.DRAG_MASK;
1050                    child.refreshDrawableState();
1051                }
1052
1053                mDragNotifiedChildren.clear();
1054                mCurrentDrag.recycle();
1055                mCurrentDrag = null;
1056            }
1057
1058            // We consider drag-ended to have been handled if one of our children
1059            // had offered to handle the drag.
1060            if (mChildAcceptsDrag) {
1061                retval = true;
1062            }
1063        } break;
1064
1065        case DragEvent.ACTION_DRAG_LOCATION: {
1066            // Find the [possibly new] drag target
1067            final View target = findFrontmostDroppableChildAt(event.mX, event.mY, mLocalPoint);
1068
1069            // If we've changed apparent drag target, tell the view root which view
1070            // we're over now [for purposes of the eventual drag-recipient-changed
1071            // notifications to the framework] and tell the new target that the drag
1072            // has entered its bounds.  The root will see setDragFocus() calls all
1073            // the way down to the final leaf view that is handling the LOCATION event
1074            // before reporting the new potential recipient to the framework.
1075            if (mCurrentDragView != target) {
1076                root.setDragFocus(target);
1077
1078                final int action = event.mAction;
1079                // If we've dragged off of a child view, send it the EXITED message
1080                if (mCurrentDragView != null) {
1081                    final View view = mCurrentDragView;
1082                    event.mAction = DragEvent.ACTION_DRAG_EXITED;
1083                    view.dispatchDragEvent(event);
1084                    view.mPrivateFlags2 &= ~View.DRAG_HOVERED;
1085                    view.refreshDrawableState();
1086                }
1087                mCurrentDragView = target;
1088
1089                // If we've dragged over a new child view, send it the ENTERED message
1090                if (target != null) {
1091                    event.mAction = DragEvent.ACTION_DRAG_ENTERED;
1092                    target.dispatchDragEvent(event);
1093                    target.mPrivateFlags2 |= View.DRAG_HOVERED;
1094                    target.refreshDrawableState();
1095                }
1096                event.mAction = action;  // restore the event's original state
1097            }
1098
1099            // Dispatch the actual drag location notice, localized into its coordinates
1100            if (target != null) {
1101                event.mX = mLocalPoint.x;
1102                event.mY = mLocalPoint.y;
1103
1104                retval = target.dispatchDragEvent(event);
1105
1106                event.mX = tx;
1107                event.mY = ty;
1108            }
1109        } break;
1110
1111        /* Entered / exited dispatch
1112         *
1113         * DRAG_ENTERED is not dispatched downwards from ViewGroup.  The reason for this is
1114         * that we're about to get the corresponding LOCATION event, which we will use to
1115         * determine which of our children is the new target; at that point we will
1116         * push a DRAG_ENTERED down to the new target child [which may itself be a ViewGroup].
1117         *
1118         * DRAG_EXITED *is* dispatched all the way down immediately: once we know the
1119         * drag has left this ViewGroup, we know by definition that every contained subview
1120         * is also no longer under the drag point.
1121         */
1122
1123        case DragEvent.ACTION_DRAG_EXITED: {
1124            if (mCurrentDragView != null) {
1125                final View view = mCurrentDragView;
1126                view.dispatchDragEvent(event);
1127                view.mPrivateFlags2 &= ~View.DRAG_HOVERED;
1128                view.refreshDrawableState();
1129
1130                mCurrentDragView = null;
1131            }
1132        } break;
1133
1134        case DragEvent.ACTION_DROP: {
1135            if (ViewDebug.DEBUG_DRAG) Log.d(View.VIEW_LOG_TAG, "Drop event: " + event);
1136            View target = findFrontmostDroppableChildAt(event.mX, event.mY, mLocalPoint);
1137            if (target != null) {
1138                if (ViewDebug.DEBUG_DRAG) Log.d(View.VIEW_LOG_TAG, "   dispatch drop to " + target);
1139                event.mX = mLocalPoint.x;
1140                event.mY = mLocalPoint.y;
1141                retval = target.dispatchDragEvent(event);
1142                event.mX = tx;
1143                event.mY = ty;
1144            } else {
1145                if (ViewDebug.DEBUG_DRAG) {
1146                    Log.d(View.VIEW_LOG_TAG, "   not dropped on an accepting view");
1147                }
1148            }
1149        } break;
1150        }
1151
1152        // If none of our children could handle the event, try here
1153        if (!retval) {
1154            // Call up to the View implementation that dispatches to installed listeners
1155            retval = super.dispatchDragEvent(event);
1156        }
1157        return retval;
1158    }
1159
1160    // Find the frontmost child view that lies under the given point, and calculate
1161    // the position within its own local coordinate system.
1162    View findFrontmostDroppableChildAt(float x, float y, PointF outLocalPoint) {
1163        final int count = mChildrenCount;
1164        final View[] children = mChildren;
1165        for (int i = count - 1; i >= 0; i--) {
1166            final View child = children[i];
1167            if (!child.canAcceptDrag()) {
1168                continue;
1169            }
1170
1171            if (isTransformedTouchPointInView(x, y, child, outLocalPoint)) {
1172                return child;
1173            }
1174        }
1175        return null;
1176    }
1177
1178    boolean notifyChildOfDrag(View child) {
1179        if (ViewDebug.DEBUG_DRAG) {
1180            Log.d(View.VIEW_LOG_TAG, "Sending drag-started to view: " + child);
1181        }
1182
1183        boolean canAccept = false;
1184        if (! mDragNotifiedChildren.contains(child)) {
1185            mDragNotifiedChildren.add(child);
1186            canAccept = child.dispatchDragEvent(mCurrentDrag);
1187            if (canAccept && !child.canAcceptDrag()) {
1188                child.mPrivateFlags2 |= View.DRAG_CAN_ACCEPT;
1189                child.refreshDrawableState();
1190            }
1191        }
1192        return canAccept;
1193    }
1194
1195    @Override
1196    public void dispatchSystemUiVisibilityChanged(int visible) {
1197        super.dispatchSystemUiVisibilityChanged(visible);
1198
1199        final int count = mChildrenCount;
1200        final View[] children = mChildren;
1201        for (int i=0; i <count; i++) {
1202            final View child = children[i];
1203            child.dispatchSystemUiVisibilityChanged(visible);
1204        }
1205    }
1206
1207    @Override
1208    void updateLocalSystemUiVisibility(int localValue, int localChanges) {
1209        super.updateLocalSystemUiVisibility(localValue, localChanges);
1210
1211        final int count = mChildrenCount;
1212        final View[] children = mChildren;
1213        for (int i=0; i <count; i++) {
1214            final View child = children[i];
1215            child.updateLocalSystemUiVisibility(localValue, localChanges);
1216        }
1217    }
1218
1219    /**
1220     * {@inheritDoc}
1221     */
1222    @Override
1223    public boolean dispatchKeyEventPreIme(KeyEvent event) {
1224        if ((mPrivateFlags & (FOCUSED | HAS_BOUNDS)) == (FOCUSED | HAS_BOUNDS)) {
1225            return super.dispatchKeyEventPreIme(event);
1226        } else if (mFocused != null && (mFocused.mPrivateFlags & HAS_BOUNDS) == HAS_BOUNDS) {
1227            return mFocused.dispatchKeyEventPreIme(event);
1228        }
1229        return false;
1230    }
1231
1232    /**
1233     * {@inheritDoc}
1234     */
1235    @Override
1236    public boolean dispatchKeyEvent(KeyEvent event) {
1237        if (mInputEventConsistencyVerifier != null) {
1238            mInputEventConsistencyVerifier.onKeyEvent(event, 1);
1239        }
1240
1241        if ((mPrivateFlags & (FOCUSED | HAS_BOUNDS)) == (FOCUSED | HAS_BOUNDS)) {
1242            if (super.dispatchKeyEvent(event)) {
1243                return true;
1244            }
1245        } else if (mFocused != null && (mFocused.mPrivateFlags & HAS_BOUNDS) == HAS_BOUNDS) {
1246            if (mFocused.dispatchKeyEvent(event)) {
1247                return true;
1248            }
1249        }
1250
1251        if (mInputEventConsistencyVerifier != null) {
1252            mInputEventConsistencyVerifier.onUnhandledEvent(event, 1);
1253        }
1254        return false;
1255    }
1256
1257    /**
1258     * {@inheritDoc}
1259     */
1260    @Override
1261    public boolean dispatchKeyShortcutEvent(KeyEvent event) {
1262        if ((mPrivateFlags & (FOCUSED | HAS_BOUNDS)) == (FOCUSED | HAS_BOUNDS)) {
1263            return super.dispatchKeyShortcutEvent(event);
1264        } else if (mFocused != null && (mFocused.mPrivateFlags & HAS_BOUNDS) == HAS_BOUNDS) {
1265            return mFocused.dispatchKeyShortcutEvent(event);
1266        }
1267        return false;
1268    }
1269
1270    /**
1271     * {@inheritDoc}
1272     */
1273    @Override
1274    public boolean dispatchTrackballEvent(MotionEvent event) {
1275        if (mInputEventConsistencyVerifier != null) {
1276            mInputEventConsistencyVerifier.onTrackballEvent(event, 1);
1277        }
1278
1279        if ((mPrivateFlags & (FOCUSED | HAS_BOUNDS)) == (FOCUSED | HAS_BOUNDS)) {
1280            if (super.dispatchTrackballEvent(event)) {
1281                return true;
1282            }
1283        } else if (mFocused != null && (mFocused.mPrivateFlags & HAS_BOUNDS) == HAS_BOUNDS) {
1284            if (mFocused.dispatchTrackballEvent(event)) {
1285                return true;
1286            }
1287        }
1288
1289        if (mInputEventConsistencyVerifier != null) {
1290            mInputEventConsistencyVerifier.onUnhandledEvent(event, 1);
1291        }
1292        return false;
1293    }
1294
1295    /**
1296     * {@inheritDoc}
1297     */
1298    @SuppressWarnings({"ConstantConditions"})
1299    @Override
1300    protected boolean dispatchHoverEvent(MotionEvent event) {
1301        final int action = event.getAction();
1302
1303        // First check whether the view group wants to intercept the hover event.
1304        final boolean interceptHover = onInterceptHoverEvent(event);
1305        event.setAction(action); // restore action in case it was changed
1306
1307        MotionEvent eventNoHistory = event;
1308        boolean handled = false;
1309
1310        // Send events to the hovered children and build a new list of hover targets until
1311        // one is found that handles the event.
1312        HoverTarget firstOldHoverTarget = mFirstHoverTarget;
1313        mFirstHoverTarget = null;
1314        if (!interceptHover && action != MotionEvent.ACTION_HOVER_EXIT) {
1315            final float x = event.getX();
1316            final float y = event.getY();
1317            final int childrenCount = mChildrenCount;
1318            if (childrenCount != 0) {
1319                final View[] children = mChildren;
1320                HoverTarget lastHoverTarget = null;
1321                for (int i = childrenCount - 1; i >= 0; i--) {
1322                    final View child = children[i];
1323                    if (!canViewReceivePointerEvents(child)
1324                            || !isTransformedTouchPointInView(x, y, child, null)) {
1325                        continue;
1326                    }
1327
1328                    // Obtain a hover target for this child.  Dequeue it from the
1329                    // old hover target list if the child was previously hovered.
1330                    HoverTarget hoverTarget = firstOldHoverTarget;
1331                    final boolean wasHovered;
1332                    for (HoverTarget predecessor = null; ;) {
1333                        if (hoverTarget == null) {
1334                            hoverTarget = HoverTarget.obtain(child);
1335                            wasHovered = false;
1336                            break;
1337                        }
1338
1339                        if (hoverTarget.child == child) {
1340                            if (predecessor != null) {
1341                                predecessor.next = hoverTarget.next;
1342                            } else {
1343                                firstOldHoverTarget = hoverTarget.next;
1344                            }
1345                            hoverTarget.next = null;
1346                            wasHovered = true;
1347                            break;
1348                        }
1349
1350                        predecessor = hoverTarget;
1351                        hoverTarget = hoverTarget.next;
1352                    }
1353
1354                    // Enqueue the hover target onto the new hover target list.
1355                    if (lastHoverTarget != null) {
1356                        lastHoverTarget.next = hoverTarget;
1357                    } else {
1358                        lastHoverTarget = hoverTarget;
1359                        mFirstHoverTarget = hoverTarget;
1360                    }
1361
1362                    // Dispatch the event to the child.
1363                    if (action == MotionEvent.ACTION_HOVER_ENTER) {
1364                        if (!wasHovered) {
1365                            // Send the enter as is.
1366                            handled |= dispatchTransformedGenericPointerEvent(
1367                                    event, child); // enter
1368                        }
1369                    } else if (action == MotionEvent.ACTION_HOVER_MOVE) {
1370                        if (!wasHovered) {
1371                            // Synthesize an enter from a move.
1372                            eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);
1373                            eventNoHistory.setAction(MotionEvent.ACTION_HOVER_ENTER);
1374                            handled |= dispatchTransformedGenericPointerEvent(
1375                                    eventNoHistory, child); // enter
1376                            eventNoHistory.setAction(action);
1377
1378                            handled |= dispatchTransformedGenericPointerEvent(
1379                                    eventNoHistory, child); // move
1380                        } else {
1381                            // Send the move as is.
1382                            handled |= dispatchTransformedGenericPointerEvent(event, child);
1383                        }
1384                    }
1385                    if (handled) {
1386                        break;
1387                    }
1388                }
1389            }
1390        }
1391
1392        // Send exit events to all previously hovered children that are no longer hovered.
1393        while (firstOldHoverTarget != null) {
1394            final View child = firstOldHoverTarget.child;
1395
1396            // Exit the old hovered child.
1397            if (action == MotionEvent.ACTION_HOVER_EXIT) {
1398                // Send the exit as is.
1399                handled |= dispatchTransformedGenericPointerEvent(
1400                        event, child); // exit
1401            } else {
1402                // Synthesize an exit from a move or enter.
1403                // Ignore the result because hover focus has moved to a different view.
1404                if (action == MotionEvent.ACTION_HOVER_MOVE) {
1405                    dispatchTransformedGenericPointerEvent(
1406                            event, child); // move
1407                }
1408                eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);
1409                eventNoHistory.setAction(MotionEvent.ACTION_HOVER_EXIT);
1410                dispatchTransformedGenericPointerEvent(
1411                        eventNoHistory, child); // exit
1412                eventNoHistory.setAction(action);
1413            }
1414
1415            final HoverTarget nextOldHoverTarget = firstOldHoverTarget.next;
1416            firstOldHoverTarget.recycle();
1417            firstOldHoverTarget = nextOldHoverTarget;
1418        }
1419
1420        // Send events to the view group itself if no children have handled it.
1421        boolean newHoveredSelf = !handled;
1422        if (newHoveredSelf == mHoveredSelf) {
1423            if (newHoveredSelf) {
1424                // Send event to the view group as before.
1425                handled |= super.dispatchHoverEvent(event);
1426            }
1427        } else {
1428            if (mHoveredSelf) {
1429                // Exit the view group.
1430                if (action == MotionEvent.ACTION_HOVER_EXIT) {
1431                    // Send the exit as is.
1432                    handled |= super.dispatchHoverEvent(event); // exit
1433                } else {
1434                    // Synthesize an exit from a move or enter.
1435                    // Ignore the result because hover focus is moving to a different view.
1436                    if (action == MotionEvent.ACTION_HOVER_MOVE) {
1437                        super.dispatchHoverEvent(event); // move
1438                    }
1439                    eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);
1440                    eventNoHistory.setAction(MotionEvent.ACTION_HOVER_EXIT);
1441                    super.dispatchHoverEvent(eventNoHistory); // exit
1442                    eventNoHistory.setAction(action);
1443                }
1444                mHoveredSelf = false;
1445            }
1446
1447            if (newHoveredSelf) {
1448                // Enter the view group.
1449                if (action == MotionEvent.ACTION_HOVER_ENTER) {
1450                    // Send the enter as is.
1451                    handled |= super.dispatchHoverEvent(event); // enter
1452                    mHoveredSelf = true;
1453                } else if (action == MotionEvent.ACTION_HOVER_MOVE) {
1454                    // Synthesize an enter from a move.
1455                    eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);
1456                    eventNoHistory.setAction(MotionEvent.ACTION_HOVER_ENTER);
1457                    handled |= super.dispatchHoverEvent(eventNoHistory); // enter
1458                    eventNoHistory.setAction(action);
1459
1460                    handled |= super.dispatchHoverEvent(eventNoHistory); // move
1461                    mHoveredSelf = true;
1462                }
1463            }
1464        }
1465
1466        // Recycle the copy of the event that we made.
1467        if (eventNoHistory != event) {
1468            eventNoHistory.recycle();
1469        }
1470
1471        // Done.
1472        return handled;
1473    }
1474
1475    /** @hide */
1476    @Override
1477    protected boolean hasHoveredChild() {
1478        return mFirstHoverTarget != null;
1479    }
1480
1481    /**
1482     * Implement this method to intercept hover events before they are handled
1483     * by child views.
1484     * <p>
1485     * This method is called before dispatching a hover event to a child of
1486     * the view group or to the view group's own {@link #onHoverEvent} to allow
1487     * the view group a chance to intercept the hover event.
1488     * This method can also be used to watch all pointer motions that occur within
1489     * the bounds of the view group even when the pointer is hovering over
1490     * a child of the view group rather than over the view group itself.
1491     * </p><p>
1492     * The view group can prevent its children from receiving hover events by
1493     * implementing this method and returning <code>true</code> to indicate
1494     * that it would like to intercept hover events.  The view group must
1495     * continuously return <code>true</code> from {@link #onInterceptHoverEvent}
1496     * for as long as it wishes to continue intercepting hover events from
1497     * its children.
1498     * </p><p>
1499     * Interception preserves the invariant that at most one view can be
1500     * hovered at a time by transferring hover focus from the currently hovered
1501     * child to the view group or vice-versa as needed.
1502     * </p><p>
1503     * If this method returns <code>true</code> and a child is already hovered, then the
1504     * child view will first receive a hover exit event and then the view group
1505     * itself will receive a hover enter event in {@link #onHoverEvent}.
1506     * Likewise, if this method had previously returned <code>true</code> to intercept hover
1507     * events and instead returns <code>false</code> while the pointer is hovering
1508     * within the bounds of one of a child, then the view group will first receive a
1509     * hover exit event in {@link #onHoverEvent} and then the hovered child will
1510     * receive a hover enter event.
1511     * </p><p>
1512     * The default implementation always returns false.
1513     * </p>
1514     *
1515     * @param event The motion event that describes the hover.
1516     * @return True if the view group would like to intercept the hover event
1517     * and prevent its children from receiving it.
1518     */
1519    public boolean onInterceptHoverEvent(MotionEvent event) {
1520        return false;
1521    }
1522
1523    private static MotionEvent obtainMotionEventNoHistoryOrSelf(MotionEvent event) {
1524        if (event.getHistorySize() == 0) {
1525            return event;
1526        }
1527        return MotionEvent.obtainNoHistory(event);
1528    }
1529
1530    /**
1531     * {@inheritDoc}
1532     */
1533    @Override
1534    protected boolean dispatchGenericPointerEvent(MotionEvent event) {
1535        // Send the event to the child under the pointer.
1536        final int childrenCount = mChildrenCount;
1537        if (childrenCount != 0) {
1538            final View[] children = mChildren;
1539            final float x = event.getX();
1540            final float y = event.getY();
1541
1542            for (int i = childrenCount - 1; i >= 0; i--) {
1543                final View child = children[i];
1544                if (!canViewReceivePointerEvents(child)
1545                        || !isTransformedTouchPointInView(x, y, child, null)) {
1546                    continue;
1547                }
1548
1549                if (dispatchTransformedGenericPointerEvent(event, child)) {
1550                    return true;
1551                }
1552            }
1553        }
1554
1555        // No child handled the event.  Send it to this view group.
1556        return super.dispatchGenericPointerEvent(event);
1557    }
1558
1559    /**
1560     * {@inheritDoc}
1561     */
1562    @Override
1563    protected boolean dispatchGenericFocusedEvent(MotionEvent event) {
1564        // Send the event to the focused child or to this view group if it has focus.
1565        if ((mPrivateFlags & (FOCUSED | HAS_BOUNDS)) == (FOCUSED | HAS_BOUNDS)) {
1566            return super.dispatchGenericFocusedEvent(event);
1567        } else if (mFocused != null && (mFocused.mPrivateFlags & HAS_BOUNDS) == HAS_BOUNDS) {
1568            return mFocused.dispatchGenericMotionEvent(event);
1569        }
1570        return false;
1571    }
1572
1573    /**
1574     * Dispatches a generic pointer event to a child, taking into account
1575     * transformations that apply to the child.
1576     *
1577     * @param event The event to send.
1578     * @param child The view to send the event to.
1579     * @return {@code true} if the child handled the event.
1580     */
1581    private boolean dispatchTransformedGenericPointerEvent(MotionEvent event, View child) {
1582        final float offsetX = mScrollX - child.mLeft;
1583        final float offsetY = mScrollY - child.mTop;
1584
1585        boolean handled;
1586        if (!child.hasIdentityMatrix()) {
1587            MotionEvent transformedEvent = MotionEvent.obtain(event);
1588            transformedEvent.offsetLocation(offsetX, offsetY);
1589            transformedEvent.transform(child.getInverseMatrix());
1590            handled = child.dispatchGenericMotionEvent(transformedEvent);
1591            transformedEvent.recycle();
1592        } else {
1593            event.offsetLocation(offsetX, offsetY);
1594            handled = child.dispatchGenericMotionEvent(event);
1595            event.offsetLocation(-offsetX, -offsetY);
1596        }
1597        return handled;
1598    }
1599
1600    /**
1601     * {@inheritDoc}
1602     */
1603    @Override
1604    public boolean dispatchTouchEvent(MotionEvent ev) {
1605        if (mInputEventConsistencyVerifier != null) {
1606            mInputEventConsistencyVerifier.onTouchEvent(ev, 1);
1607        }
1608
1609        boolean handled = false;
1610        if (onFilterTouchEventForSecurity(ev)) {
1611            final int action = ev.getAction();
1612            final int actionMasked = action & MotionEvent.ACTION_MASK;
1613
1614            // Handle an initial down.
1615            if (actionMasked == MotionEvent.ACTION_DOWN) {
1616                // Throw away all previous state when starting a new touch gesture.
1617                // The framework may have dropped the up or cancel event for the previous gesture
1618                // due to an app switch, ANR, or some other state change.
1619                cancelAndClearTouchTargets(ev);
1620                resetTouchState();
1621            }
1622
1623            // Check for interception.
1624            final boolean intercepted;
1625            if (actionMasked == MotionEvent.ACTION_DOWN
1626                    || mFirstTouchTarget != null) {
1627                final boolean disallowIntercept = (mGroupFlags & FLAG_DISALLOW_INTERCEPT) != 0;
1628                if (!disallowIntercept) {
1629                    intercepted = onInterceptTouchEvent(ev);
1630                    ev.setAction(action); // restore action in case it was changed
1631                } else {
1632                    intercepted = false;
1633                }
1634            } else {
1635                // There are no touch targets and this action is not an initial down
1636                // so this view group continues to intercept touches.
1637                intercepted = true;
1638            }
1639
1640            // Check for cancelation.
1641            final boolean canceled = resetCancelNextUpFlag(this)
1642                    || actionMasked == MotionEvent.ACTION_CANCEL;
1643
1644            // Update list of touch targets for pointer down, if needed.
1645            final boolean split = (mGroupFlags & FLAG_SPLIT_MOTION_EVENTS) != 0;
1646            TouchTarget newTouchTarget = null;
1647            boolean alreadyDispatchedToNewTouchTarget = false;
1648            if (!canceled && !intercepted) {
1649                if (actionMasked == MotionEvent.ACTION_DOWN
1650                        || (split && actionMasked == MotionEvent.ACTION_POINTER_DOWN)
1651                        || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {
1652                    final int actionIndex = ev.getActionIndex(); // always 0 for down
1653                    final int idBitsToAssign = split ? 1 << ev.getPointerId(actionIndex)
1654                            : TouchTarget.ALL_POINTER_IDS;
1655
1656                    // Clean up earlier touch targets for this pointer id in case they
1657                    // have become out of sync.
1658                    removePointersFromTouchTargets(idBitsToAssign);
1659
1660                    final int childrenCount = mChildrenCount;
1661                    if (childrenCount != 0) {
1662                        // Find a child that can receive the event.
1663                        // Scan children from front to back.
1664                        final View[] children = mChildren;
1665                        final float x = ev.getX(actionIndex);
1666                        final float y = ev.getY(actionIndex);
1667
1668                        for (int i = childrenCount - 1; i >= 0; i--) {
1669                            final View child = children[i];
1670                            if (!canViewReceivePointerEvents(child)
1671                                    || !isTransformedTouchPointInView(x, y, child, null)) {
1672                                continue;
1673                            }
1674
1675                            newTouchTarget = getTouchTarget(child);
1676                            if (newTouchTarget != null) {
1677                                // Child is already receiving touch within its bounds.
1678                                // Give it the new pointer in addition to the ones it is handling.
1679                                newTouchTarget.pointerIdBits |= idBitsToAssign;
1680                                break;
1681                            }
1682
1683                            resetCancelNextUpFlag(child);
1684                            if (dispatchTransformedTouchEvent(ev, false, child, idBitsToAssign)) {
1685                                // Child wants to receive touch within its bounds.
1686                                mLastTouchDownTime = ev.getDownTime();
1687                                mLastTouchDownIndex = i;
1688                                mLastTouchDownX = ev.getX();
1689                                mLastTouchDownY = ev.getY();
1690                                newTouchTarget = addTouchTarget(child, idBitsToAssign);
1691                                alreadyDispatchedToNewTouchTarget = true;
1692                                break;
1693                            }
1694                        }
1695                    }
1696
1697                    if (newTouchTarget == null && mFirstTouchTarget != null) {
1698                        // Did not find a child to receive the event.
1699                        // Assign the pointer to the least recently added target.
1700                        newTouchTarget = mFirstTouchTarget;
1701                        while (newTouchTarget.next != null) {
1702                            newTouchTarget = newTouchTarget.next;
1703                        }
1704                        newTouchTarget.pointerIdBits |= idBitsToAssign;
1705                    }
1706                }
1707            }
1708
1709            // Dispatch to touch targets.
1710            if (mFirstTouchTarget == null) {
1711                // No touch targets so treat this as an ordinary view.
1712                handled = dispatchTransformedTouchEvent(ev, canceled, null,
1713                        TouchTarget.ALL_POINTER_IDS);
1714            } else {
1715                // Dispatch to touch targets, excluding the new touch target if we already
1716                // dispatched to it.  Cancel touch targets if necessary.
1717                TouchTarget predecessor = null;
1718                TouchTarget target = mFirstTouchTarget;
1719                while (target != null) {
1720                    final TouchTarget next = target.next;
1721                    if (alreadyDispatchedToNewTouchTarget && target == newTouchTarget) {
1722                        handled = true;
1723                    } else {
1724                        final boolean cancelChild = resetCancelNextUpFlag(target.child)
1725                        || intercepted;
1726                        if (dispatchTransformedTouchEvent(ev, cancelChild,
1727                                target.child, target.pointerIdBits)) {
1728                            handled = true;
1729                        }
1730                        if (cancelChild) {
1731                            if (predecessor == null) {
1732                                mFirstTouchTarget = next;
1733                            } else {
1734                                predecessor.next = next;
1735                            }
1736                            target.recycle();
1737                            target = next;
1738                            continue;
1739                        }
1740                    }
1741                    predecessor = target;
1742                    target = next;
1743                }
1744            }
1745
1746            // Update list of touch targets for pointer up or cancel, if needed.
1747            if (canceled
1748                    || actionMasked == MotionEvent.ACTION_UP
1749                    || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {
1750                resetTouchState();
1751            } else if (split && actionMasked == MotionEvent.ACTION_POINTER_UP) {
1752                final int actionIndex = ev.getActionIndex();
1753                final int idBitsToRemove = 1 << ev.getPointerId(actionIndex);
1754                removePointersFromTouchTargets(idBitsToRemove);
1755            }
1756        }
1757
1758        if (!handled && mInputEventConsistencyVerifier != null) {
1759            mInputEventConsistencyVerifier.onUnhandledEvent(ev, 1);
1760        }
1761        return handled;
1762    }
1763
1764    /**
1765     * Resets all touch state in preparation for a new cycle.
1766     */
1767    private void resetTouchState() {
1768        clearTouchTargets();
1769        resetCancelNextUpFlag(this);
1770        mGroupFlags &= ~FLAG_DISALLOW_INTERCEPT;
1771    }
1772
1773    /**
1774     * Resets the cancel next up flag.
1775     * Returns true if the flag was previously set.
1776     */
1777    private boolean resetCancelNextUpFlag(View view) {
1778        if ((view.mPrivateFlags & CANCEL_NEXT_UP_EVENT) != 0) {
1779            view.mPrivateFlags &= ~CANCEL_NEXT_UP_EVENT;
1780            return true;
1781        }
1782        return false;
1783    }
1784
1785    /**
1786     * Clears all touch targets.
1787     */
1788    private void clearTouchTargets() {
1789        TouchTarget target = mFirstTouchTarget;
1790        if (target != null) {
1791            do {
1792                TouchTarget next = target.next;
1793                target.recycle();
1794                target = next;
1795            } while (target != null);
1796            mFirstTouchTarget = null;
1797        }
1798    }
1799
1800    /**
1801     * Cancels and clears all touch targets.
1802     */
1803    private void cancelAndClearTouchTargets(MotionEvent event) {
1804        if (mFirstTouchTarget != null) {
1805            boolean syntheticEvent = false;
1806            if (event == null) {
1807                final long now = SystemClock.uptimeMillis();
1808                event = MotionEvent.obtain(now, now,
1809                        MotionEvent.ACTION_CANCEL, 0.0f, 0.0f, 0);
1810                event.setSource(InputDevice.SOURCE_TOUCHSCREEN);
1811                syntheticEvent = true;
1812            }
1813
1814            for (TouchTarget target = mFirstTouchTarget; target != null; target = target.next) {
1815                resetCancelNextUpFlag(target.child);
1816                dispatchTransformedTouchEvent(event, true, target.child, target.pointerIdBits);
1817            }
1818            clearTouchTargets();
1819
1820            if (syntheticEvent) {
1821                event.recycle();
1822            }
1823        }
1824    }
1825
1826    /**
1827     * Gets the touch target for specified child view.
1828     * Returns null if not found.
1829     */
1830    private TouchTarget getTouchTarget(View child) {
1831        for (TouchTarget target = mFirstTouchTarget; target != null; target = target.next) {
1832            if (target.child == child) {
1833                return target;
1834            }
1835        }
1836        return null;
1837    }
1838
1839    /**
1840     * Adds a touch target for specified child to the beginning of the list.
1841     * Assumes the target child is not already present.
1842     */
1843    private TouchTarget addTouchTarget(View child, int pointerIdBits) {
1844        TouchTarget target = TouchTarget.obtain(child, pointerIdBits);
1845        target.next = mFirstTouchTarget;
1846        mFirstTouchTarget = target;
1847        return target;
1848    }
1849
1850    /**
1851     * Removes the pointer ids from consideration.
1852     */
1853    private void removePointersFromTouchTargets(int pointerIdBits) {
1854        TouchTarget predecessor = null;
1855        TouchTarget target = mFirstTouchTarget;
1856        while (target != null) {
1857            final TouchTarget next = target.next;
1858            if ((target.pointerIdBits & pointerIdBits) != 0) {
1859                target.pointerIdBits &= ~pointerIdBits;
1860                if (target.pointerIdBits == 0) {
1861                    if (predecessor == null) {
1862                        mFirstTouchTarget = next;
1863                    } else {
1864                        predecessor.next = next;
1865                    }
1866                    target.recycle();
1867                    target = next;
1868                    continue;
1869                }
1870            }
1871            predecessor = target;
1872            target = next;
1873        }
1874    }
1875
1876    /**
1877     * Returns true if a child view can receive pointer events.
1878     * @hide
1879     */
1880    private static boolean canViewReceivePointerEvents(View child) {
1881        return (child.mViewFlags & VISIBILITY_MASK) == VISIBLE
1882                || child.getAnimation() != null;
1883    }
1884
1885    /**
1886     * Returns true if a child view contains the specified point when transformed
1887     * into its coordinate space.
1888     * Child must not be null.
1889     * @hide
1890     */
1891    protected boolean isTransformedTouchPointInView(float x, float y, View child,
1892            PointF outLocalPoint) {
1893        float localX = x + mScrollX - child.mLeft;
1894        float localY = y + mScrollY - child.mTop;
1895        if (! child.hasIdentityMatrix() && mAttachInfo != null) {
1896            final float[] localXY = mAttachInfo.mTmpTransformLocation;
1897            localXY[0] = localX;
1898            localXY[1] = localY;
1899            child.getInverseMatrix().mapPoints(localXY);
1900            localX = localXY[0];
1901            localY = localXY[1];
1902        }
1903        final boolean isInView = child.pointInView(localX, localY);
1904        if (isInView && outLocalPoint != null) {
1905            outLocalPoint.set(localX, localY);
1906        }
1907        return isInView;
1908    }
1909
1910    /**
1911     * Transforms a motion event into the coordinate space of a particular child view,
1912     * filters out irrelevant pointer ids, and overrides its action if necessary.
1913     * If child is null, assumes the MotionEvent will be sent to this ViewGroup instead.
1914     */
1915    private boolean dispatchTransformedTouchEvent(MotionEvent event, boolean cancel,
1916            View child, int desiredPointerIdBits) {
1917        final boolean handled;
1918
1919        // Canceling motions is a special case.  We don't need to perform any transformations
1920        // or filtering.  The important part is the action, not the contents.
1921        final int oldAction = event.getAction();
1922        if (cancel || oldAction == MotionEvent.ACTION_CANCEL) {
1923            event.setAction(MotionEvent.ACTION_CANCEL);
1924            if (child == null) {
1925                handled = super.dispatchTouchEvent(event);
1926            } else {
1927                handled = child.dispatchTouchEvent(event);
1928            }
1929            event.setAction(oldAction);
1930            return handled;
1931        }
1932
1933        // Calculate the number of pointers to deliver.
1934        final int oldPointerIdBits = event.getPointerIdBits();
1935        final int newPointerIdBits = oldPointerIdBits & desiredPointerIdBits;
1936
1937        // If for some reason we ended up in an inconsistent state where it looks like we
1938        // might produce a motion event with no pointers in it, then drop the event.
1939        if (newPointerIdBits == 0) {
1940            return false;
1941        }
1942
1943        // If the number of pointers is the same and we don't need to perform any fancy
1944        // irreversible transformations, then we can reuse the motion event for this
1945        // dispatch as long as we are careful to revert any changes we make.
1946        // Otherwise we need to make a copy.
1947        final MotionEvent transformedEvent;
1948        if (newPointerIdBits == oldPointerIdBits) {
1949            if (child == null || child.hasIdentityMatrix()) {
1950                if (child == null) {
1951                    handled = super.dispatchTouchEvent(event);
1952                } else {
1953                    final float offsetX = mScrollX - child.mLeft;
1954                    final float offsetY = mScrollY - child.mTop;
1955                    event.offsetLocation(offsetX, offsetY);
1956
1957                    handled = child.dispatchTouchEvent(event);
1958
1959                    event.offsetLocation(-offsetX, -offsetY);
1960                }
1961                return handled;
1962            }
1963            transformedEvent = MotionEvent.obtain(event);
1964        } else {
1965            transformedEvent = event.split(newPointerIdBits);
1966        }
1967
1968        // Perform any necessary transformations and dispatch.
1969        if (child == null) {
1970            handled = super.dispatchTouchEvent(transformedEvent);
1971        } else {
1972            final float offsetX = mScrollX - child.mLeft;
1973            final float offsetY = mScrollY - child.mTop;
1974            transformedEvent.offsetLocation(offsetX, offsetY);
1975            if (! child.hasIdentityMatrix()) {
1976                transformedEvent.transform(child.getInverseMatrix());
1977            }
1978
1979            handled = child.dispatchTouchEvent(transformedEvent);
1980        }
1981
1982        // Done.
1983        transformedEvent.recycle();
1984        return handled;
1985    }
1986
1987    /**
1988     * Enable or disable the splitting of MotionEvents to multiple children during touch event
1989     * dispatch. This behavior is enabled by default for applications that target an
1990     * SDK version of {@link Build.VERSION_CODES#HONEYCOMB} or newer.
1991     *
1992     * <p>When this option is enabled MotionEvents may be split and dispatched to different child
1993     * views depending on where each pointer initially went down. This allows for user interactions
1994     * such as scrolling two panes of content independently, chording of buttons, and performing
1995     * independent gestures on different pieces of content.
1996     *
1997     * @param split <code>true</code> to allow MotionEvents to be split and dispatched to multiple
1998     *              child views. <code>false</code> to only allow one child view to be the target of
1999     *              any MotionEvent received by this ViewGroup.
2000     */
2001    public void setMotionEventSplittingEnabled(boolean split) {
2002        // TODO Applications really shouldn't change this setting mid-touch event,
2003        // but perhaps this should handle that case and send ACTION_CANCELs to any child views
2004        // with gestures in progress when this is changed.
2005        if (split) {
2006            mGroupFlags |= FLAG_SPLIT_MOTION_EVENTS;
2007        } else {
2008            mGroupFlags &= ~FLAG_SPLIT_MOTION_EVENTS;
2009        }
2010    }
2011
2012    /**
2013     * Returns true if MotionEvents dispatched to this ViewGroup can be split to multiple children.
2014     * @return true if MotionEvents dispatched to this ViewGroup can be split to multiple children.
2015     */
2016    public boolean isMotionEventSplittingEnabled() {
2017        return (mGroupFlags & FLAG_SPLIT_MOTION_EVENTS) == FLAG_SPLIT_MOTION_EVENTS;
2018    }
2019
2020    /**
2021     * {@inheritDoc}
2022     */
2023    public void requestDisallowInterceptTouchEvent(boolean disallowIntercept) {
2024
2025        if (disallowIntercept == ((mGroupFlags & FLAG_DISALLOW_INTERCEPT) != 0)) {
2026            // We're already in this state, assume our ancestors are too
2027            return;
2028        }
2029
2030        if (disallowIntercept) {
2031            mGroupFlags |= FLAG_DISALLOW_INTERCEPT;
2032        } else {
2033            mGroupFlags &= ~FLAG_DISALLOW_INTERCEPT;
2034        }
2035
2036        // Pass it up to our parent
2037        if (mParent != null) {
2038            mParent.requestDisallowInterceptTouchEvent(disallowIntercept);
2039        }
2040    }
2041
2042    /**
2043     * Implement this method to intercept all touch screen motion events.  This
2044     * allows you to watch events as they are dispatched to your children, and
2045     * take ownership of the current gesture at any point.
2046     *
2047     * <p>Using this function takes some care, as it has a fairly complicated
2048     * interaction with {@link View#onTouchEvent(MotionEvent)
2049     * View.onTouchEvent(MotionEvent)}, and using it requires implementing
2050     * that method as well as this one in the correct way.  Events will be
2051     * received in the following order:
2052     *
2053     * <ol>
2054     * <li> You will receive the down event here.
2055     * <li> The down event will be handled either by a child of this view
2056     * group, or given to your own onTouchEvent() method to handle; this means
2057     * you should implement onTouchEvent() to return true, so you will
2058     * continue to see the rest of the gesture (instead of looking for
2059     * a parent view to handle it).  Also, by returning true from
2060     * onTouchEvent(), you will not receive any following
2061     * events in onInterceptTouchEvent() and all touch processing must
2062     * happen in onTouchEvent() like normal.
2063     * <li> For as long as you return false from this function, each following
2064     * event (up to and including the final up) will be delivered first here
2065     * and then to the target's onTouchEvent().
2066     * <li> If you return true from here, you will not receive any
2067     * following events: the target view will receive the same event but
2068     * with the action {@link MotionEvent#ACTION_CANCEL}, and all further
2069     * events will be delivered to your onTouchEvent() method and no longer
2070     * appear here.
2071     * </ol>
2072     *
2073     * @param ev The motion event being dispatched down the hierarchy.
2074     * @return Return true to steal motion events from the children and have
2075     * them dispatched to this ViewGroup through onTouchEvent().
2076     * The current target will receive an ACTION_CANCEL event, and no further
2077     * messages will be delivered here.
2078     */
2079    public boolean onInterceptTouchEvent(MotionEvent ev) {
2080        return false;
2081    }
2082
2083    /**
2084     * {@inheritDoc}
2085     *
2086     * Looks for a view to give focus to respecting the setting specified by
2087     * {@link #getDescendantFocusability()}.
2088     *
2089     * Uses {@link #onRequestFocusInDescendants(int, android.graphics.Rect)} to
2090     * find focus within the children of this group when appropriate.
2091     *
2092     * @see #FOCUS_BEFORE_DESCENDANTS
2093     * @see #FOCUS_AFTER_DESCENDANTS
2094     * @see #FOCUS_BLOCK_DESCENDANTS
2095     * @see #onRequestFocusInDescendants(int, android.graphics.Rect)
2096     */
2097    @Override
2098    public boolean requestFocus(int direction, Rect previouslyFocusedRect) {
2099        if (DBG) {
2100            System.out.println(this + " ViewGroup.requestFocus direction="
2101                    + direction);
2102        }
2103        int descendantFocusability = getDescendantFocusability();
2104
2105        switch (descendantFocusability) {
2106            case FOCUS_BLOCK_DESCENDANTS:
2107                return super.requestFocus(direction, previouslyFocusedRect);
2108            case FOCUS_BEFORE_DESCENDANTS: {
2109                final boolean took = super.requestFocus(direction, previouslyFocusedRect);
2110                return took ? took : onRequestFocusInDescendants(direction, previouslyFocusedRect);
2111            }
2112            case FOCUS_AFTER_DESCENDANTS: {
2113                final boolean took = onRequestFocusInDescendants(direction, previouslyFocusedRect);
2114                return took ? took : super.requestFocus(direction, previouslyFocusedRect);
2115            }
2116            default:
2117                throw new IllegalStateException("descendant focusability must be "
2118                        + "one of FOCUS_BEFORE_DESCENDANTS, FOCUS_AFTER_DESCENDANTS, FOCUS_BLOCK_DESCENDANTS "
2119                        + "but is " + descendantFocusability);
2120        }
2121    }
2122
2123    /**
2124     * Look for a descendant to call {@link View#requestFocus} on.
2125     * Called by {@link ViewGroup#requestFocus(int, android.graphics.Rect)}
2126     * when it wants to request focus within its children.  Override this to
2127     * customize how your {@link ViewGroup} requests focus within its children.
2128     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT
2129     * @param previouslyFocusedRect The rectangle (in this View's coordinate system)
2130     *        to give a finer grained hint about where focus is coming from.  May be null
2131     *        if there is no hint.
2132     * @return Whether focus was taken.
2133     */
2134    @SuppressWarnings({"ConstantConditions"})
2135    protected boolean onRequestFocusInDescendants(int direction,
2136            Rect previouslyFocusedRect) {
2137        int index;
2138        int increment;
2139        int end;
2140        int count = mChildrenCount;
2141        if ((direction & FOCUS_FORWARD) != 0) {
2142            index = 0;
2143            increment = 1;
2144            end = count;
2145        } else {
2146            index = count - 1;
2147            increment = -1;
2148            end = -1;
2149        }
2150        final View[] children = mChildren;
2151        for (int i = index; i != end; i += increment) {
2152            View child = children[i];
2153            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
2154                if (child.requestFocus(direction, previouslyFocusedRect)) {
2155                    return true;
2156                }
2157            }
2158        }
2159        return false;
2160    }
2161
2162    /**
2163     * {@inheritDoc}
2164     *
2165     * @hide
2166     */
2167    @Override
2168    public void dispatchStartTemporaryDetach() {
2169        super.dispatchStartTemporaryDetach();
2170        final int count = mChildrenCount;
2171        final View[] children = mChildren;
2172        for (int i = 0; i < count; i++) {
2173            children[i].dispatchStartTemporaryDetach();
2174        }
2175    }
2176
2177    /**
2178     * {@inheritDoc}
2179     *
2180     * @hide
2181     */
2182    @Override
2183    public void dispatchFinishTemporaryDetach() {
2184        super.dispatchFinishTemporaryDetach();
2185        final int count = mChildrenCount;
2186        final View[] children = mChildren;
2187        for (int i = 0; i < count; i++) {
2188            children[i].dispatchFinishTemporaryDetach();
2189        }
2190    }
2191
2192    /**
2193     * {@inheritDoc}
2194     */
2195    @Override
2196    void dispatchAttachedToWindow(AttachInfo info, int visibility) {
2197        mGroupFlags |= FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW;
2198        super.dispatchAttachedToWindow(info, visibility);
2199        mGroupFlags &= ~FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW;
2200
2201        visibility |= mViewFlags & VISIBILITY_MASK;
2202
2203        final int count = mChildrenCount;
2204        final View[] children = mChildren;
2205        for (int i = 0; i < count; i++) {
2206            children[i].dispatchAttachedToWindow(info, visibility);
2207        }
2208    }
2209
2210    @Override
2211    boolean dispatchPopulateAccessibilityEventInternal(AccessibilityEvent event) {
2212        boolean handled = super.dispatchPopulateAccessibilityEventInternal(event);
2213        if (handled) {
2214            return handled;
2215        }
2216        // Let our children have a shot in populating the event.
2217        for (int i = 0, count = getChildCount(); i < count; i++) {
2218            View child = getChildAt(i);
2219            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
2220                handled = getChildAt(i).dispatchPopulateAccessibilityEvent(event);
2221                if (handled) {
2222                    return handled;
2223                }
2224            }
2225        }
2226        return false;
2227    }
2228
2229    @Override
2230    void onInitializeAccessibilityNodeInfoInternal(AccessibilityNodeInfo info) {
2231        super.onInitializeAccessibilityNodeInfoInternal(info);
2232        info.setClassName(ViewGroup.class.getName());
2233        for (int i = 0, count = mChildrenCount; i < count; i++) {
2234            View child = mChildren[i];
2235            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE
2236                    && (child.mPrivateFlags & IS_ROOT_NAMESPACE) == 0) {
2237                info.addChild(child);
2238            }
2239        }
2240    }
2241
2242    @Override
2243    void onInitializeAccessibilityEventInternal(AccessibilityEvent event) {
2244        super.onInitializeAccessibilityEventInternal(event);
2245        event.setClassName(ViewGroup.class.getName());
2246    }
2247
2248    /**
2249     * {@inheritDoc}
2250     */
2251    @Override
2252    void dispatchDetachedFromWindow() {
2253        // If we still have a touch target, we are still in the process of
2254        // dispatching motion events to a child; we need to get rid of that
2255        // child to avoid dispatching events to it after the window is torn
2256        // down. To make sure we keep the child in a consistent state, we
2257        // first send it an ACTION_CANCEL motion event.
2258        cancelAndClearTouchTargets(null);
2259
2260        // In case view is detached while transition is running
2261        mLayoutSuppressed = false;
2262
2263        // Tear down our drag tracking
2264        mDragNotifiedChildren = null;
2265        if (mCurrentDrag != null) {
2266            mCurrentDrag.recycle();
2267            mCurrentDrag = null;
2268        }
2269
2270        final int count = mChildrenCount;
2271        final View[] children = mChildren;
2272        for (int i = 0; i < count; i++) {
2273            children[i].dispatchDetachedFromWindow();
2274        }
2275        super.dispatchDetachedFromWindow();
2276    }
2277
2278    /**
2279     * {@inheritDoc}
2280     */
2281    @Override
2282    public void setPadding(int left, int top, int right, int bottom) {
2283        super.setPadding(left, top, right, bottom);
2284
2285        if ((mPaddingLeft | mPaddingTop | mPaddingRight | mPaddingBottom) != 0) {
2286            mGroupFlags |= FLAG_PADDING_NOT_NULL;
2287        } else {
2288            mGroupFlags &= ~FLAG_PADDING_NOT_NULL;
2289        }
2290    }
2291
2292    /**
2293     * {@inheritDoc}
2294     */
2295    @Override
2296    protected void dispatchSaveInstanceState(SparseArray<Parcelable> container) {
2297        super.dispatchSaveInstanceState(container);
2298        final int count = mChildrenCount;
2299        final View[] children = mChildren;
2300        for (int i = 0; i < count; i++) {
2301            View c = children[i];
2302            if ((c.mViewFlags & PARENT_SAVE_DISABLED_MASK) != PARENT_SAVE_DISABLED) {
2303                c.dispatchSaveInstanceState(container);
2304            }
2305        }
2306    }
2307
2308    /**
2309     * Perform dispatching of a {@link #saveHierarchyState(android.util.SparseArray)}  freeze()}
2310     * to only this view, not to its children.  For use when overriding
2311     * {@link #dispatchSaveInstanceState(android.util.SparseArray)}  dispatchFreeze()} to allow
2312     * subclasses to freeze their own state but not the state of their children.
2313     *
2314     * @param container the container
2315     */
2316    protected void dispatchFreezeSelfOnly(SparseArray<Parcelable> container) {
2317        super.dispatchSaveInstanceState(container);
2318    }
2319
2320    /**
2321     * {@inheritDoc}
2322     */
2323    @Override
2324    protected void dispatchRestoreInstanceState(SparseArray<Parcelable> container) {
2325        super.dispatchRestoreInstanceState(container);
2326        final int count = mChildrenCount;
2327        final View[] children = mChildren;
2328        for (int i = 0; i < count; i++) {
2329            View c = children[i];
2330            if ((c.mViewFlags & PARENT_SAVE_DISABLED_MASK) != PARENT_SAVE_DISABLED) {
2331                c.dispatchRestoreInstanceState(container);
2332            }
2333        }
2334    }
2335
2336    /**
2337     * Perform dispatching of a {@link #restoreHierarchyState(android.util.SparseArray)}
2338     * to only this view, not to its children.  For use when overriding
2339     * {@link #dispatchRestoreInstanceState(android.util.SparseArray)} to allow
2340     * subclasses to thaw their own state but not the state of their children.
2341     *
2342     * @param container the container
2343     */
2344    protected void dispatchThawSelfOnly(SparseArray<Parcelable> container) {
2345        super.dispatchRestoreInstanceState(container);
2346    }
2347
2348    /**
2349     * Enables or disables the drawing cache for each child of this view group.
2350     *
2351     * @param enabled true to enable the cache, false to dispose of it
2352     */
2353    protected void setChildrenDrawingCacheEnabled(boolean enabled) {
2354        if (enabled || (mPersistentDrawingCache & PERSISTENT_ALL_CACHES) != PERSISTENT_ALL_CACHES) {
2355            final View[] children = mChildren;
2356            final int count = mChildrenCount;
2357            for (int i = 0; i < count; i++) {
2358                children[i].setDrawingCacheEnabled(enabled);
2359            }
2360        }
2361    }
2362
2363    @Override
2364    protected void onAnimationStart() {
2365        super.onAnimationStart();
2366
2367        // When this ViewGroup's animation starts, build the cache for the children
2368        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {
2369            final int count = mChildrenCount;
2370            final View[] children = mChildren;
2371            final boolean buildCache = !isHardwareAccelerated();
2372
2373            for (int i = 0; i < count; i++) {
2374                final View child = children[i];
2375                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
2376                    child.setDrawingCacheEnabled(true);
2377                    if (buildCache) {
2378                        child.buildDrawingCache(true);
2379                    }
2380                }
2381            }
2382
2383            mGroupFlags |= FLAG_CHILDREN_DRAWN_WITH_CACHE;
2384        }
2385    }
2386
2387    @Override
2388    protected void onAnimationEnd() {
2389        super.onAnimationEnd();
2390
2391        // When this ViewGroup's animation ends, destroy the cache of the children
2392        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {
2393            mGroupFlags &= ~FLAG_CHILDREN_DRAWN_WITH_CACHE;
2394
2395            if ((mPersistentDrawingCache & PERSISTENT_ANIMATION_CACHE) == 0) {
2396                setChildrenDrawingCacheEnabled(false);
2397            }
2398        }
2399    }
2400
2401    @Override
2402    Bitmap createSnapshot(Bitmap.Config quality, int backgroundColor, boolean skipChildren) {
2403        int count = mChildrenCount;
2404        int[] visibilities = null;
2405
2406        if (skipChildren) {
2407            visibilities = new int[count];
2408            for (int i = 0; i < count; i++) {
2409                View child = getChildAt(i);
2410                visibilities[i] = child.getVisibility();
2411                if (visibilities[i] == View.VISIBLE) {
2412                    child.setVisibility(INVISIBLE);
2413                }
2414            }
2415        }
2416
2417        Bitmap b = super.createSnapshot(quality, backgroundColor, skipChildren);
2418
2419        if (skipChildren) {
2420            for (int i = 0; i < count; i++) {
2421                getChildAt(i).setVisibility(visibilities[i]);
2422            }
2423        }
2424
2425        return b;
2426    }
2427
2428    /**
2429     * {@inheritDoc}
2430     */
2431    @Override
2432    protected void dispatchDraw(Canvas canvas) {
2433        final int count = mChildrenCount;
2434        final View[] children = mChildren;
2435        int flags = mGroupFlags;
2436
2437        if ((flags & FLAG_RUN_ANIMATION) != 0 && canAnimate()) {
2438            final boolean cache = (mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE;
2439
2440            final boolean buildCache = !isHardwareAccelerated();
2441            for (int i = 0; i < count; i++) {
2442                final View child = children[i];
2443                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {
2444                    final LayoutParams params = child.getLayoutParams();
2445                    attachLayoutAnimationParameters(child, params, i, count);
2446                    bindLayoutAnimation(child);
2447                    if (cache) {
2448                        child.setDrawingCacheEnabled(true);
2449                        if (buildCache) {
2450                            child.buildDrawingCache(true);
2451                        }
2452                    }
2453                }
2454            }
2455
2456            final LayoutAnimationController controller = mLayoutAnimationController;
2457            if (controller.willOverlap()) {
2458                mGroupFlags |= FLAG_OPTIMIZE_INVALIDATE;
2459            }
2460
2461            controller.start();
2462
2463            mGroupFlags &= ~FLAG_RUN_ANIMATION;
2464            mGroupFlags &= ~FLAG_ANIMATION_DONE;
2465
2466            if (cache) {
2467                mGroupFlags |= FLAG_CHILDREN_DRAWN_WITH_CACHE;
2468            }
2469
2470            if (mAnimationListener != null) {
2471                mAnimationListener.onAnimationStart(controller.getAnimation());
2472            }
2473        }
2474
2475        int saveCount = 0;
2476        final boolean clipToPadding = (flags & CLIP_TO_PADDING_MASK) == CLIP_TO_PADDING_MASK;
2477        if (clipToPadding) {
2478            saveCount = canvas.save();
2479            canvas.clipRect(mScrollX + mPaddingLeft, mScrollY + mPaddingTop,
2480                    mScrollX + mRight - mLeft - mPaddingRight,
2481                    mScrollY + mBottom - mTop - mPaddingBottom);
2482
2483        }
2484
2485        // We will draw our child's animation, let's reset the flag
2486        mPrivateFlags &= ~DRAW_ANIMATION;
2487        mGroupFlags &= ~FLAG_INVALIDATE_REQUIRED;
2488
2489        boolean more = false;
2490        final long drawingTime = getDrawingTime();
2491
2492        if ((flags & FLAG_USE_CHILD_DRAWING_ORDER) == 0) {
2493            for (int i = 0; i < count; i++) {
2494                final View child = children[i];
2495                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {
2496                    more |= drawChild(canvas, child, drawingTime);
2497                }
2498            }
2499        } else {
2500            for (int i = 0; i < count; i++) {
2501                final View child = children[getChildDrawingOrder(count, i)];
2502                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {
2503                    more |= drawChild(canvas, child, drawingTime);
2504                }
2505            }
2506        }
2507
2508        // Draw any disappearing views that have animations
2509        if (mDisappearingChildren != null) {
2510            final ArrayList<View> disappearingChildren = mDisappearingChildren;
2511            final int disappearingCount = disappearingChildren.size() - 1;
2512            // Go backwards -- we may delete as animations finish
2513            for (int i = disappearingCount; i >= 0; i--) {
2514                final View child = disappearingChildren.get(i);
2515                more |= drawChild(canvas, child, drawingTime);
2516            }
2517        }
2518
2519        if (clipToPadding) {
2520            canvas.restoreToCount(saveCount);
2521        }
2522
2523        // mGroupFlags might have been updated by drawChild()
2524        flags = mGroupFlags;
2525
2526        if ((flags & FLAG_INVALIDATE_REQUIRED) == FLAG_INVALIDATE_REQUIRED) {
2527            invalidate(true);
2528        }
2529
2530        if ((flags & FLAG_ANIMATION_DONE) == 0 && (flags & FLAG_NOTIFY_ANIMATION_LISTENER) == 0 &&
2531                mLayoutAnimationController.isDone() && !more) {
2532            // We want to erase the drawing cache and notify the listener after the
2533            // next frame is drawn because one extra invalidate() is caused by
2534            // drawChild() after the animation is over
2535            mGroupFlags |= FLAG_NOTIFY_ANIMATION_LISTENER;
2536            final Runnable end = new Runnable() {
2537               public void run() {
2538                   notifyAnimationListener();
2539               }
2540            };
2541            post(end);
2542        }
2543    }
2544
2545    /**
2546     * Returns the index of the child to draw for this iteration. Override this
2547     * if you want to change the drawing order of children. By default, it
2548     * returns i.
2549     * <p>
2550     * NOTE: In order for this method to be called, you must enable child ordering
2551     * first by calling {@link #setChildrenDrawingOrderEnabled(boolean)}.
2552     *
2553     * @param i The current iteration.
2554     * @return The index of the child to draw this iteration.
2555     *
2556     * @see #setChildrenDrawingOrderEnabled(boolean)
2557     * @see #isChildrenDrawingOrderEnabled()
2558     */
2559    protected int getChildDrawingOrder(int childCount, int i) {
2560        return i;
2561    }
2562
2563    private void notifyAnimationListener() {
2564        mGroupFlags &= ~FLAG_NOTIFY_ANIMATION_LISTENER;
2565        mGroupFlags |= FLAG_ANIMATION_DONE;
2566
2567        if (mAnimationListener != null) {
2568           final Runnable end = new Runnable() {
2569               public void run() {
2570                   mAnimationListener.onAnimationEnd(mLayoutAnimationController.getAnimation());
2571               }
2572           };
2573           post(end);
2574        }
2575
2576        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {
2577            mGroupFlags &= ~FLAG_CHILDREN_DRAWN_WITH_CACHE;
2578            if ((mPersistentDrawingCache & PERSISTENT_ANIMATION_CACHE) == 0) {
2579                setChildrenDrawingCacheEnabled(false);
2580            }
2581        }
2582
2583        invalidate(true);
2584    }
2585
2586    /**
2587     * This method is used to cause children of this ViewGroup to restore or recreate their
2588     * display lists. It is called by getDisplayList() when the parent ViewGroup does not need
2589     * to recreate its own display list, which would happen if it went through the normal
2590     * draw/dispatchDraw mechanisms.
2591     *
2592     * @hide
2593     */
2594    @Override
2595    protected void dispatchGetDisplayList() {
2596        final int count = mChildrenCount;
2597        final View[] children = mChildren;
2598        for (int i = 0; i < count; i++) {
2599            final View child = children[i];
2600            if (((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) &&
2601                    child.hasStaticLayer()) {
2602                child.mRecreateDisplayList = (child.mPrivateFlags & INVALIDATED) == INVALIDATED;
2603                child.mPrivateFlags &= ~INVALIDATED;
2604                child.getDisplayList();
2605                child.mRecreateDisplayList = false;
2606            }
2607        }
2608    }
2609
2610    /**
2611     * Draw one child of this View Group. This method is responsible for getting
2612     * the canvas in the right state. This includes clipping, translating so
2613     * that the child's scrolled origin is at 0, 0, and applying any animation
2614     * transformations.
2615     *
2616     * @param canvas The canvas on which to draw the child
2617     * @param child Who to draw
2618     * @param drawingTime The time at which draw is occuring
2619     * @return True if an invalidate() was issued
2620     */
2621    protected boolean drawChild(Canvas canvas, View child, long drawingTime) {
2622        boolean more = false;
2623
2624        final int cl = child.mLeft;
2625        final int ct = child.mTop;
2626        final int cr = child.mRight;
2627        final int cb = child.mBottom;
2628
2629        final boolean childHasIdentityMatrix = child.hasIdentityMatrix();
2630
2631        final int flags = mGroupFlags;
2632
2633        if ((flags & FLAG_CLEAR_TRANSFORMATION) == FLAG_CLEAR_TRANSFORMATION) {
2634            mChildTransformation.clear();
2635            mGroupFlags &= ~FLAG_CLEAR_TRANSFORMATION;
2636        }
2637
2638        Transformation transformToApply = null;
2639        Transformation invalidationTransform;
2640        final Animation a = child.getAnimation();
2641        boolean concatMatrix = false;
2642
2643        boolean scalingRequired = false;
2644        boolean caching;
2645        int layerType = mDrawLayers ? child.getLayerType() : LAYER_TYPE_NONE;
2646
2647        final boolean hardwareAccelerated = canvas.isHardwareAccelerated();
2648        if ((flags & FLAG_CHILDREN_DRAWN_WITH_CACHE) == FLAG_CHILDREN_DRAWN_WITH_CACHE ||
2649                (flags & FLAG_ALWAYS_DRAWN_WITH_CACHE) == FLAG_ALWAYS_DRAWN_WITH_CACHE) {
2650            caching = true;
2651            if (mAttachInfo != null) scalingRequired = mAttachInfo.mScalingRequired;
2652        } else {
2653            caching = (layerType != LAYER_TYPE_NONE) || hardwareAccelerated;
2654        }
2655
2656        if (a != null) {
2657            final boolean initialized = a.isInitialized();
2658            if (!initialized) {
2659                a.initialize(cr - cl, cb - ct, getWidth(), getHeight());
2660                a.initializeInvalidateRegion(0, 0, cr - cl, cb - ct);
2661                child.onAnimationStart();
2662            }
2663
2664            more = a.getTransformation(drawingTime, mChildTransformation,
2665                    scalingRequired ? mAttachInfo.mApplicationScale : 1f);
2666            if (scalingRequired && mAttachInfo.mApplicationScale != 1f) {
2667                if (mInvalidationTransformation == null) {
2668                    mInvalidationTransformation = new Transformation();
2669                }
2670                invalidationTransform = mInvalidationTransformation;
2671                a.getTransformation(drawingTime, invalidationTransform, 1f);
2672            } else {
2673                invalidationTransform = mChildTransformation;
2674            }
2675            transformToApply = mChildTransformation;
2676
2677            concatMatrix = a.willChangeTransformationMatrix();
2678
2679            if (more) {
2680                if (!a.willChangeBounds()) {
2681                    if ((flags & (FLAG_OPTIMIZE_INVALIDATE | FLAG_ANIMATION_DONE)) ==
2682                            FLAG_OPTIMIZE_INVALIDATE) {
2683                        mGroupFlags |= FLAG_INVALIDATE_REQUIRED;
2684                    } else if ((flags & FLAG_INVALIDATE_REQUIRED) == 0) {
2685                        // The child need to draw an animation, potentially offscreen, so
2686                        // make sure we do not cancel invalidate requests
2687                        mPrivateFlags |= DRAW_ANIMATION;
2688                        invalidate(cl, ct, cr, cb);
2689                    }
2690                } else {
2691                    if (mInvalidateRegion == null) {
2692                        mInvalidateRegion = new RectF();
2693                    }
2694                    final RectF region = mInvalidateRegion;
2695                    a.getInvalidateRegion(0, 0, cr - cl, cb - ct, region, invalidationTransform);
2696
2697                    // The child need to draw an animation, potentially offscreen, so
2698                    // make sure we do not cancel invalidate requests
2699                    mPrivateFlags |= DRAW_ANIMATION;
2700
2701                    final int left = cl + (int) region.left;
2702                    final int top = ct + (int) region.top;
2703                    invalidate(left, top, left + (int) (region.width() + .5f),
2704                            top + (int) (region.height() + .5f));
2705                }
2706            }
2707        } else if ((flags & FLAG_SUPPORT_STATIC_TRANSFORMATIONS) ==
2708                FLAG_SUPPORT_STATIC_TRANSFORMATIONS) {
2709            final boolean hasTransform = getChildStaticTransformation(child, mChildTransformation);
2710            if (hasTransform) {
2711                final int transformType = mChildTransformation.getTransformationType();
2712                transformToApply = transformType != Transformation.TYPE_IDENTITY ?
2713                        mChildTransformation : null;
2714                concatMatrix = (transformType & Transformation.TYPE_MATRIX) != 0;
2715            }
2716        }
2717
2718        concatMatrix |= !childHasIdentityMatrix;
2719
2720        // Sets the flag as early as possible to allow draw() implementations
2721        // to call invalidate() successfully when doing animations
2722        child.mPrivateFlags |= DRAWN;
2723
2724        if (!concatMatrix && canvas.quickReject(cl, ct, cr, cb, Canvas.EdgeType.BW) &&
2725                (child.mPrivateFlags & DRAW_ANIMATION) == 0) {
2726            return more;
2727        }
2728
2729        if (hardwareAccelerated) {
2730            // Clear INVALIDATED flag to allow invalidation to occur during rendering, but
2731            // retain the flag's value temporarily in the mRecreateDisplayList flag
2732            child.mRecreateDisplayList = (child.mPrivateFlags & INVALIDATED) == INVALIDATED;
2733            child.mPrivateFlags &= ~INVALIDATED;
2734        }
2735
2736        child.computeScroll();
2737
2738        final int sx = child.mScrollX;
2739        final int sy = child.mScrollY;
2740
2741        DisplayList displayList = null;
2742        Bitmap cache = null;
2743        boolean hasDisplayList = false;
2744        if (caching) {
2745            if (!hardwareAccelerated) {
2746                if (layerType != LAYER_TYPE_NONE) {
2747                    layerType = LAYER_TYPE_SOFTWARE;
2748                    child.buildDrawingCache(true);
2749                }
2750                cache = child.getDrawingCache(true);
2751            } else {
2752                switch (layerType) {
2753                    case LAYER_TYPE_SOFTWARE:
2754                        child.buildDrawingCache(true);
2755                        cache = child.getDrawingCache(true);
2756                        break;
2757                    case LAYER_TYPE_NONE:
2758                        // Delay getting the display list until animation-driven alpha values are
2759                        // set up and possibly passed on to the view
2760                        hasDisplayList = child.canHaveDisplayList();
2761                        break;
2762                }
2763            }
2764        }
2765
2766        final boolean hasNoCache = cache == null || hasDisplayList;
2767        final boolean offsetForScroll = cache == null && !hasDisplayList &&
2768                layerType != LAYER_TYPE_HARDWARE;
2769
2770        final int restoreTo = canvas.save();
2771        if (offsetForScroll) {
2772            canvas.translate(cl - sx, ct - sy);
2773        } else {
2774            canvas.translate(cl, ct);
2775            if (scalingRequired) {
2776                // mAttachInfo cannot be null, otherwise scalingRequired == false
2777                final float scale = 1.0f / mAttachInfo.mApplicationScale;
2778                canvas.scale(scale, scale);
2779            }
2780        }
2781
2782        float alpha = child.getAlpha();
2783        if (transformToApply != null || alpha < 1.0f || !child.hasIdentityMatrix()) {
2784            if (transformToApply != null || !childHasIdentityMatrix) {
2785                int transX = 0;
2786                int transY = 0;
2787
2788                if (offsetForScroll) {
2789                    transX = -sx;
2790                    transY = -sy;
2791                }
2792
2793                if (transformToApply != null) {
2794                    if (concatMatrix) {
2795                        // Undo the scroll translation, apply the transformation matrix,
2796                        // then redo the scroll translate to get the correct result.
2797                        canvas.translate(-transX, -transY);
2798                        canvas.concat(transformToApply.getMatrix());
2799                        canvas.translate(transX, transY);
2800                        mGroupFlags |= FLAG_CLEAR_TRANSFORMATION;
2801                    }
2802
2803                    float transformAlpha = transformToApply.getAlpha();
2804                    if (transformAlpha < 1.0f) {
2805                        alpha *= transformToApply.getAlpha();
2806                        mGroupFlags |= FLAG_CLEAR_TRANSFORMATION;
2807                    }
2808                }
2809
2810                if (!childHasIdentityMatrix) {
2811                    canvas.translate(-transX, -transY);
2812                    canvas.concat(child.getMatrix());
2813                    canvas.translate(transX, transY);
2814                }
2815            }
2816
2817            if (alpha < 1.0f) {
2818                mGroupFlags |= FLAG_CLEAR_TRANSFORMATION;
2819                if (hasNoCache) {
2820                    final int multipliedAlpha = (int) (255 * alpha);
2821                    if (!child.onSetAlpha(multipliedAlpha)) {
2822                        int layerFlags = Canvas.HAS_ALPHA_LAYER_SAVE_FLAG;
2823                        if ((flags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN ||
2824                                layerType != LAYER_TYPE_NONE) {
2825                            layerFlags |= Canvas.CLIP_TO_LAYER_SAVE_FLAG;
2826                        }
2827                        if (layerType == LAYER_TYPE_NONE) {
2828                            final int scrollX = hasDisplayList ? 0 : sx;
2829                            final int scrollY = hasDisplayList ? 0 : sy;
2830                            canvas.saveLayerAlpha(scrollX, scrollY, scrollX + cr - cl,
2831                                    scrollY + cb - ct, multipliedAlpha, layerFlags);
2832                        }
2833                    } else {
2834                        // Alpha is handled by the child directly, clobber the layer's alpha
2835                        child.mPrivateFlags |= ALPHA_SET;
2836                    }
2837                }
2838            }
2839        } else if ((child.mPrivateFlags & ALPHA_SET) == ALPHA_SET) {
2840            child.onSetAlpha(255);
2841            child.mPrivateFlags &= ~ALPHA_SET;
2842        }
2843
2844        if ((flags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN) {
2845            if (offsetForScroll) {
2846                canvas.clipRect(sx, sy, sx + (cr - cl), sy + (cb - ct));
2847            } else {
2848                if (!scalingRequired || cache == null) {
2849                    canvas.clipRect(0, 0, cr - cl, cb - ct);
2850                } else {
2851                    canvas.clipRect(0, 0, cache.getWidth(), cache.getHeight());
2852                }
2853            }
2854        }
2855
2856        if (hasDisplayList) {
2857            displayList = child.getDisplayList();
2858            if (!displayList.isValid()) {
2859                // Uncommon, but possible. If a view is removed from the hierarchy during the call
2860                // to getDisplayList(), the display list will be marked invalid and we should not
2861                // try to use it again.
2862                displayList = null;
2863                hasDisplayList = false;
2864            }
2865        }
2866
2867        if (hasNoCache) {
2868            boolean layerRendered = false;
2869            if (layerType == LAYER_TYPE_HARDWARE) {
2870                final HardwareLayer layer = child.getHardwareLayer();
2871                if (layer != null && layer.isValid()) {
2872                    child.mLayerPaint.setAlpha((int) (alpha * 255));
2873                    ((HardwareCanvas) canvas).drawHardwareLayer(layer, 0, 0, child.mLayerPaint);
2874                    layerRendered = true;
2875                } else {
2876                    final int scrollX = hasDisplayList ? 0 : sx;
2877                    final int scrollY = hasDisplayList ? 0 : sy;
2878                    canvas.saveLayer(scrollX, scrollY,
2879                            scrollX + cr - cl, scrollY + cb - ct, child.mLayerPaint,
2880                            Canvas.HAS_ALPHA_LAYER_SAVE_FLAG | Canvas.CLIP_TO_LAYER_SAVE_FLAG);
2881                }
2882            }
2883
2884            if (!layerRendered) {
2885                if (!hasDisplayList) {
2886                    // Fast path for layouts with no backgrounds
2887                    if ((child.mPrivateFlags & SKIP_DRAW) == SKIP_DRAW) {
2888                        if (ViewDebug.TRACE_HIERARCHY) {
2889                            ViewDebug.trace(this, ViewDebug.HierarchyTraceType.DRAW);
2890                        }
2891                        child.mPrivateFlags &= ~DIRTY_MASK;
2892                        child.dispatchDraw(canvas);
2893                    } else {
2894                        child.draw(canvas);
2895                    }
2896                } else {
2897                    child.mPrivateFlags &= ~DIRTY_MASK;
2898                    ((HardwareCanvas) canvas).drawDisplayList(displayList, cr - cl, cb - ct, null);
2899                }
2900            }
2901        } else if (cache != null) {
2902            child.mPrivateFlags &= ~DIRTY_MASK;
2903            Paint cachePaint;
2904
2905            if (layerType == LAYER_TYPE_NONE) {
2906                cachePaint = mCachePaint;
2907                if (cachePaint == null) {
2908                    cachePaint = new Paint();
2909                    cachePaint.setDither(false);
2910                    mCachePaint = cachePaint;
2911                }
2912                if (alpha < 1.0f) {
2913                    cachePaint.setAlpha((int) (alpha * 255));
2914                    mGroupFlags |= FLAG_ALPHA_LOWER_THAN_ONE;
2915                } else if  ((flags & FLAG_ALPHA_LOWER_THAN_ONE) == FLAG_ALPHA_LOWER_THAN_ONE) {
2916                    cachePaint.setAlpha(255);
2917                    mGroupFlags &= ~FLAG_ALPHA_LOWER_THAN_ONE;
2918                }
2919            } else {
2920                cachePaint = child.mLayerPaint;
2921                cachePaint.setAlpha((int) (alpha * 255));
2922            }
2923            canvas.drawBitmap(cache, 0.0f, 0.0f, cachePaint);
2924        }
2925
2926        canvas.restoreToCount(restoreTo);
2927
2928        if (a != null && !more) {
2929            if (!hardwareAccelerated && !a.getFillAfter()) {
2930                child.onSetAlpha(255);
2931            }
2932            finishAnimatingView(child, a);
2933        }
2934
2935        if (more && hardwareAccelerated) {
2936            // invalidation is the trigger to recreate display lists, so if we're using
2937            // display lists to render, force an invalidate to allow the animation to
2938            // continue drawing another frame
2939            invalidate(true);
2940            if (a.hasAlpha() && (child.mPrivateFlags & ALPHA_SET) == ALPHA_SET) {
2941                // alpha animations should cause the child to recreate its display list
2942                child.invalidate(true);
2943            }
2944        }
2945
2946        child.mRecreateDisplayList = false;
2947
2948        return more;
2949    }
2950
2951    /**
2952     *
2953     * @param enabled True if children should be drawn with layers, false otherwise.
2954     *
2955     * @hide
2956     */
2957    public void setChildrenLayersEnabled(boolean enabled) {
2958        if (enabled != mDrawLayers) {
2959            mDrawLayers = enabled;
2960            invalidate(true);
2961
2962            boolean flushLayers = !enabled;
2963            AttachInfo info = mAttachInfo;
2964            if (info != null && info.mHardwareRenderer != null &&
2965                    info.mHardwareRenderer.isEnabled()) {
2966                if (!info.mHardwareRenderer.validate()) {
2967                    flushLayers = false;
2968                }
2969            } else {
2970                flushLayers = false;
2971            }
2972
2973            // We need to invalidate any child with a layer. For instance,
2974            // if a child is backed by a hardware layer and we disable layers
2975            // the child is marked as not dirty (flags cleared the last time
2976            // the child was drawn inside its layer.) However, that child might
2977            // never have created its own display list or have an obsolete
2978            // display list. By invalidating the child we ensure the display
2979            // list is in sync with the content of the hardware layer.
2980            for (int i = 0; i < mChildrenCount; i++) {
2981                View child = mChildren[i];
2982                if (child.mLayerType != LAYER_TYPE_NONE) {
2983                    if (flushLayers) child.flushLayer();
2984                    child.invalidate(true);
2985                }
2986            }
2987        }
2988    }
2989
2990    /**
2991     * By default, children are clipped to their bounds before drawing. This
2992     * allows view groups to override this behavior for animations, etc.
2993     *
2994     * @param clipChildren true to clip children to their bounds,
2995     *        false otherwise
2996     * @attr ref android.R.styleable#ViewGroup_clipChildren
2997     */
2998    public void setClipChildren(boolean clipChildren) {
2999        setBooleanFlag(FLAG_CLIP_CHILDREN, clipChildren);
3000    }
3001
3002    /**
3003     * By default, children are clipped to the padding of the ViewGroup. This
3004     * allows view groups to override this behavior
3005     *
3006     * @param clipToPadding true to clip children to the padding of the
3007     *        group, false otherwise
3008     * @attr ref android.R.styleable#ViewGroup_clipToPadding
3009     */
3010    public void setClipToPadding(boolean clipToPadding) {
3011        setBooleanFlag(FLAG_CLIP_TO_PADDING, clipToPadding);
3012    }
3013
3014    /**
3015     * {@inheritDoc}
3016     */
3017    @Override
3018    public void dispatchSetSelected(boolean selected) {
3019        final View[] children = mChildren;
3020        final int count = mChildrenCount;
3021        for (int i = 0; i < count; i++) {
3022            children[i].setSelected(selected);
3023        }
3024    }
3025
3026    /**
3027     * {@inheritDoc}
3028     */
3029    @Override
3030    public void dispatchSetActivated(boolean activated) {
3031        final View[] children = mChildren;
3032        final int count = mChildrenCount;
3033        for (int i = 0; i < count; i++) {
3034            children[i].setActivated(activated);
3035        }
3036    }
3037
3038    @Override
3039    protected void dispatchSetPressed(boolean pressed) {
3040        final View[] children = mChildren;
3041        final int count = mChildrenCount;
3042        for (int i = 0; i < count; i++) {
3043            children[i].setPressed(pressed);
3044        }
3045    }
3046
3047    /**
3048     * When this property is set to true, this ViewGroup supports static transformations on
3049     * children; this causes
3050     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} to be
3051     * invoked when a child is drawn.
3052     *
3053     * Any subclass overriding
3054     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} should
3055     * set this property to true.
3056     *
3057     * @param enabled True to enable static transformations on children, false otherwise.
3058     *
3059     * @see #FLAG_SUPPORT_STATIC_TRANSFORMATIONS
3060     */
3061    protected void setStaticTransformationsEnabled(boolean enabled) {
3062        setBooleanFlag(FLAG_SUPPORT_STATIC_TRANSFORMATIONS, enabled);
3063    }
3064
3065    /**
3066     * Sets  <code>t</code> to be the static transformation of the child, if set, returning a
3067     * boolean to indicate whether a static transform was set. The default implementation
3068     * simply returns <code>false</code>; subclasses may override this method for different
3069     * behavior.
3070     *
3071     * @param child The child view whose static transform is being requested
3072     * @param t The Transformation which will hold the result
3073     * @return true if the transformation was set, false otherwise
3074     * @see #setStaticTransformationsEnabled(boolean)
3075     */
3076    protected boolean getChildStaticTransformation(View child, Transformation t) {
3077        return false;
3078    }
3079
3080    /**
3081     * {@hide}
3082     */
3083    @Override
3084    protected View findViewTraversal(int id) {
3085        if (id == mID) {
3086            return this;
3087        }
3088
3089        final View[] where = mChildren;
3090        final int len = mChildrenCount;
3091
3092        for (int i = 0; i < len; i++) {
3093            View v = where[i];
3094
3095            if ((v.mPrivateFlags & IS_ROOT_NAMESPACE) == 0) {
3096                v = v.findViewById(id);
3097
3098                if (v != null) {
3099                    return v;
3100                }
3101            }
3102        }
3103
3104        return null;
3105    }
3106
3107    /**
3108     * {@hide}
3109     */
3110    @Override
3111    protected View findViewWithTagTraversal(Object tag) {
3112        if (tag != null && tag.equals(mTag)) {
3113            return this;
3114        }
3115
3116        final View[] where = mChildren;
3117        final int len = mChildrenCount;
3118
3119        for (int i = 0; i < len; i++) {
3120            View v = where[i];
3121
3122            if ((v.mPrivateFlags & IS_ROOT_NAMESPACE) == 0) {
3123                v = v.findViewWithTag(tag);
3124
3125                if (v != null) {
3126                    return v;
3127                }
3128            }
3129        }
3130
3131        return null;
3132    }
3133
3134    /**
3135     * {@hide}
3136     */
3137    @Override
3138    protected View findViewByPredicateTraversal(Predicate<View> predicate, View childToSkip) {
3139        if (predicate.apply(this)) {
3140            return this;
3141        }
3142
3143        final View[] where = mChildren;
3144        final int len = mChildrenCount;
3145
3146        for (int i = 0; i < len; i++) {
3147            View v = where[i];
3148
3149            if (v != childToSkip && (v.mPrivateFlags & IS_ROOT_NAMESPACE) == 0) {
3150                v = v.findViewByPredicate(predicate);
3151
3152                if (v != null) {
3153                    return v;
3154                }
3155            }
3156        }
3157
3158        return null;
3159    }
3160
3161    /**
3162     * Adds a child view. If no layout parameters are already set on the child, the
3163     * default parameters for this ViewGroup are set on the child.
3164     *
3165     * @param child the child view to add
3166     *
3167     * @see #generateDefaultLayoutParams()
3168     */
3169    public void addView(View child) {
3170        addView(child, -1);
3171    }
3172
3173    /**
3174     * Adds a child view. If no layout parameters are already set on the child, the
3175     * default parameters for this ViewGroup are set on the child.
3176     *
3177     * @param child the child view to add
3178     * @param index the position at which to add the child
3179     *
3180     * @see #generateDefaultLayoutParams()
3181     */
3182    public void addView(View child, int index) {
3183        LayoutParams params = child.getLayoutParams();
3184        if (params == null) {
3185            params = generateDefaultLayoutParams();
3186            if (params == null) {
3187                throw new IllegalArgumentException("generateDefaultLayoutParams() cannot return null");
3188            }
3189        }
3190        addView(child, index, params);
3191    }
3192
3193    /**
3194     * Adds a child view with this ViewGroup's default layout parameters and the
3195     * specified width and height.
3196     *
3197     * @param child the child view to add
3198     */
3199    public void addView(View child, int width, int height) {
3200        final LayoutParams params = generateDefaultLayoutParams();
3201        params.width = width;
3202        params.height = height;
3203        addView(child, -1, params);
3204    }
3205
3206    /**
3207     * Adds a child view with the specified layout parameters.
3208     *
3209     * @param child the child view to add
3210     * @param params the layout parameters to set on the child
3211     */
3212    public void addView(View child, LayoutParams params) {
3213        addView(child, -1, params);
3214    }
3215
3216    /**
3217     * Adds a child view with the specified layout parameters.
3218     *
3219     * @param child the child view to add
3220     * @param index the position at which to add the child
3221     * @param params the layout parameters to set on the child
3222     */
3223    public void addView(View child, int index, LayoutParams params) {
3224        if (DBG) {
3225            System.out.println(this + " addView");
3226        }
3227
3228        // addViewInner() will call child.requestLayout() when setting the new LayoutParams
3229        // therefore, we call requestLayout() on ourselves before, so that the child's request
3230        // will be blocked at our level
3231        requestLayout();
3232        invalidate(true);
3233        addViewInner(child, index, params, false);
3234    }
3235
3236    /**
3237     * {@inheritDoc}
3238     */
3239    public void updateViewLayout(View view, ViewGroup.LayoutParams params) {
3240        if (!checkLayoutParams(params)) {
3241            throw new IllegalArgumentException("Invalid LayoutParams supplied to " + this);
3242        }
3243        if (view.mParent != this) {
3244            throw new IllegalArgumentException("Given view not a child of " + this);
3245        }
3246        view.setLayoutParams(params);
3247    }
3248
3249    /**
3250     * {@inheritDoc}
3251     */
3252    protected boolean checkLayoutParams(ViewGroup.LayoutParams p) {
3253        return  p != null;
3254    }
3255
3256    /**
3257     * Interface definition for a callback to be invoked when the hierarchy
3258     * within this view changed. The hierarchy changes whenever a child is added
3259     * to or removed from this view.
3260     */
3261    public interface OnHierarchyChangeListener {
3262        /**
3263         * Called when a new child is added to a parent view.
3264         *
3265         * @param parent the view in which a child was added
3266         * @param child the new child view added in the hierarchy
3267         */
3268        void onChildViewAdded(View parent, View child);
3269
3270        /**
3271         * Called when a child is removed from a parent view.
3272         *
3273         * @param parent the view from which the child was removed
3274         * @param child the child removed from the hierarchy
3275         */
3276        void onChildViewRemoved(View parent, View child);
3277    }
3278
3279    /**
3280     * Register a callback to be invoked when a child is added to or removed
3281     * from this view.
3282     *
3283     * @param listener the callback to invoke on hierarchy change
3284     */
3285    public void setOnHierarchyChangeListener(OnHierarchyChangeListener listener) {
3286        mOnHierarchyChangeListener = listener;
3287    }
3288
3289    /**
3290     * @hide
3291     */
3292    protected void onViewAdded(View child) {
3293        if (mOnHierarchyChangeListener != null) {
3294            mOnHierarchyChangeListener.onChildViewAdded(this, child);
3295        }
3296    }
3297
3298    /**
3299     * @hide
3300     */
3301    protected void onViewRemoved(View child) {
3302        if (mOnHierarchyChangeListener != null) {
3303            mOnHierarchyChangeListener.onChildViewRemoved(this, child);
3304        }
3305    }
3306
3307    /**
3308     * Adds a view during layout. This is useful if in your onLayout() method,
3309     * you need to add more views (as does the list view for example).
3310     *
3311     * If index is negative, it means put it at the end of the list.
3312     *
3313     * @param child the view to add to the group
3314     * @param index the index at which the child must be added
3315     * @param params the layout parameters to associate with the child
3316     * @return true if the child was added, false otherwise
3317     */
3318    protected boolean addViewInLayout(View child, int index, LayoutParams params) {
3319        return addViewInLayout(child, index, params, false);
3320    }
3321
3322    /**
3323     * Adds a view during layout. This is useful if in your onLayout() method,
3324     * you need to add more views (as does the list view for example).
3325     *
3326     * If index is negative, it means put it at the end of the list.
3327     *
3328     * @param child the view to add to the group
3329     * @param index the index at which the child must be added
3330     * @param params the layout parameters to associate with the child
3331     * @param preventRequestLayout if true, calling this method will not trigger a
3332     *        layout request on child
3333     * @return true if the child was added, false otherwise
3334     */
3335    protected boolean addViewInLayout(View child, int index, LayoutParams params,
3336            boolean preventRequestLayout) {
3337        child.mParent = null;
3338        addViewInner(child, index, params, preventRequestLayout);
3339        child.mPrivateFlags = (child.mPrivateFlags & ~DIRTY_MASK) | DRAWN;
3340        return true;
3341    }
3342
3343    /**
3344     * Prevents the specified child to be laid out during the next layout pass.
3345     *
3346     * @param child the child on which to perform the cleanup
3347     */
3348    protected void cleanupLayoutState(View child) {
3349        child.mPrivateFlags &= ~View.FORCE_LAYOUT;
3350    }
3351
3352    private void addViewInner(View child, int index, LayoutParams params,
3353            boolean preventRequestLayout) {
3354
3355        if (mTransition != null) {
3356            // Don't prevent other add transitions from completing, but cancel remove
3357            // transitions to let them complete the process before we add to the container
3358            mTransition.cancel(LayoutTransition.DISAPPEARING);
3359        }
3360
3361        if (child.getParent() != null) {
3362            throw new IllegalStateException("The specified child already has a parent. " +
3363                    "You must call removeView() on the child's parent first.");
3364        }
3365
3366        if (mTransition != null) {
3367            mTransition.addChild(this, child);
3368        }
3369
3370        if (!checkLayoutParams(params)) {
3371            params = generateLayoutParams(params);
3372        }
3373
3374        if (preventRequestLayout) {
3375            child.mLayoutParams = params;
3376        } else {
3377            child.setLayoutParams(params);
3378        }
3379
3380        if (index < 0) {
3381            index = mChildrenCount;
3382        }
3383
3384        addInArray(child, index);
3385
3386        // tell our children
3387        if (preventRequestLayout) {
3388            child.assignParent(this);
3389        } else {
3390            child.mParent = this;
3391        }
3392
3393        if (child.hasFocus()) {
3394            requestChildFocus(child, child.findFocus());
3395        }
3396
3397        AttachInfo ai = mAttachInfo;
3398        if (ai != null && (mGroupFlags & FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW) == 0) {
3399            boolean lastKeepOn = ai.mKeepScreenOn;
3400            ai.mKeepScreenOn = false;
3401            child.dispatchAttachedToWindow(mAttachInfo, (mViewFlags&VISIBILITY_MASK));
3402            if (ai.mKeepScreenOn) {
3403                needGlobalAttributesUpdate(true);
3404            }
3405            ai.mKeepScreenOn = lastKeepOn;
3406        }
3407
3408        onViewAdded(child);
3409
3410        if ((child.mViewFlags & DUPLICATE_PARENT_STATE) == DUPLICATE_PARENT_STATE) {
3411            mGroupFlags |= FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE;
3412        }
3413    }
3414
3415    private void addInArray(View child, int index) {
3416        View[] children = mChildren;
3417        final int count = mChildrenCount;
3418        final int size = children.length;
3419        if (index == count) {
3420            if (size == count) {
3421                mChildren = new View[size + ARRAY_CAPACITY_INCREMENT];
3422                System.arraycopy(children, 0, mChildren, 0, size);
3423                children = mChildren;
3424            }
3425            children[mChildrenCount++] = child;
3426        } else if (index < count) {
3427            if (size == count) {
3428                mChildren = new View[size + ARRAY_CAPACITY_INCREMENT];
3429                System.arraycopy(children, 0, mChildren, 0, index);
3430                System.arraycopy(children, index, mChildren, index + 1, count - index);
3431                children = mChildren;
3432            } else {
3433                System.arraycopy(children, index, children, index + 1, count - index);
3434            }
3435            children[index] = child;
3436            mChildrenCount++;
3437            if (mLastTouchDownIndex >= index) {
3438                mLastTouchDownIndex++;
3439            }
3440        } else {
3441            throw new IndexOutOfBoundsException("index=" + index + " count=" + count);
3442        }
3443    }
3444
3445    // This method also sets the child's mParent to null
3446    private void removeFromArray(int index) {
3447        final View[] children = mChildren;
3448        if (!(mTransitioningViews != null && mTransitioningViews.contains(children[index]))) {
3449            children[index].mParent = null;
3450        }
3451        final int count = mChildrenCount;
3452        if (index == count - 1) {
3453            children[--mChildrenCount] = null;
3454        } else if (index >= 0 && index < count) {
3455            System.arraycopy(children, index + 1, children, index, count - index - 1);
3456            children[--mChildrenCount] = null;
3457        } else {
3458            throw new IndexOutOfBoundsException();
3459        }
3460        if (mLastTouchDownIndex == index) {
3461            mLastTouchDownTime = 0;
3462            mLastTouchDownIndex = -1;
3463        } else if (mLastTouchDownIndex > index) {
3464            mLastTouchDownIndex--;
3465        }
3466    }
3467
3468    // This method also sets the children's mParent to null
3469    private void removeFromArray(int start, int count) {
3470        final View[] children = mChildren;
3471        final int childrenCount = mChildrenCount;
3472
3473        start = Math.max(0, start);
3474        final int end = Math.min(childrenCount, start + count);
3475
3476        if (start == end) {
3477            return;
3478        }
3479
3480        if (end == childrenCount) {
3481            for (int i = start; i < end; i++) {
3482                children[i].mParent = null;
3483                children[i] = null;
3484            }
3485        } else {
3486            for (int i = start; i < end; i++) {
3487                children[i].mParent = null;
3488            }
3489
3490            // Since we're looping above, we might as well do the copy, but is arraycopy()
3491            // faster than the extra 2 bounds checks we would do in the loop?
3492            System.arraycopy(children, end, children, start, childrenCount - end);
3493
3494            for (int i = childrenCount - (end - start); i < childrenCount; i++) {
3495                children[i] = null;
3496            }
3497        }
3498
3499        mChildrenCount -= (end - start);
3500    }
3501
3502    private void bindLayoutAnimation(View child) {
3503        Animation a = mLayoutAnimationController.getAnimationForView(child);
3504        child.setAnimation(a);
3505    }
3506
3507    /**
3508     * Subclasses should override this method to set layout animation
3509     * parameters on the supplied child.
3510     *
3511     * @param child the child to associate with animation parameters
3512     * @param params the child's layout parameters which hold the animation
3513     *        parameters
3514     * @param index the index of the child in the view group
3515     * @param count the number of children in the view group
3516     */
3517    protected void attachLayoutAnimationParameters(View child,
3518            LayoutParams params, int index, int count) {
3519        LayoutAnimationController.AnimationParameters animationParams =
3520                    params.layoutAnimationParameters;
3521        if (animationParams == null) {
3522            animationParams = new LayoutAnimationController.AnimationParameters();
3523            params.layoutAnimationParameters = animationParams;
3524        }
3525
3526        animationParams.count = count;
3527        animationParams.index = index;
3528    }
3529
3530    /**
3531     * {@inheritDoc}
3532     */
3533    public void removeView(View view) {
3534        removeViewInternal(view);
3535        requestLayout();
3536        invalidate(true);
3537    }
3538
3539    /**
3540     * Removes a view during layout. This is useful if in your onLayout() method,
3541     * you need to remove more views.
3542     *
3543     * @param view the view to remove from the group
3544     */
3545    public void removeViewInLayout(View view) {
3546        removeViewInternal(view);
3547    }
3548
3549    /**
3550     * Removes a range of views during layout. This is useful if in your onLayout() method,
3551     * you need to remove more views.
3552     *
3553     * @param start the index of the first view to remove from the group
3554     * @param count the number of views to remove from the group
3555     */
3556    public void removeViewsInLayout(int start, int count) {
3557        removeViewsInternal(start, count);
3558    }
3559
3560    /**
3561     * Removes the view at the specified position in the group.
3562     *
3563     * @param index the position in the group of the view to remove
3564     */
3565    public void removeViewAt(int index) {
3566        removeViewInternal(index, getChildAt(index));
3567        requestLayout();
3568        invalidate(true);
3569    }
3570
3571    /**
3572     * Removes the specified range of views from the group.
3573     *
3574     * @param start the first position in the group of the range of views to remove
3575     * @param count the number of views to remove
3576     */
3577    public void removeViews(int start, int count) {
3578        removeViewsInternal(start, count);
3579        requestLayout();
3580        invalidate(true);
3581    }
3582
3583    private void removeViewInternal(View view) {
3584        final int index = indexOfChild(view);
3585        if (index >= 0) {
3586            removeViewInternal(index, view);
3587        }
3588    }
3589
3590    private void removeViewInternal(int index, View view) {
3591
3592        if (mTransition != null) {
3593            mTransition.removeChild(this, view);
3594        }
3595
3596        boolean clearChildFocus = false;
3597        if (view == mFocused) {
3598            view.clearFocusForRemoval();
3599            clearChildFocus = true;
3600        }
3601
3602        if (view.getAnimation() != null ||
3603                (mTransitioningViews != null && mTransitioningViews.contains(view))) {
3604            addDisappearingView(view);
3605        } else if (view.mAttachInfo != null) {
3606           view.dispatchDetachedFromWindow();
3607        }
3608
3609        onViewRemoved(view);
3610
3611        needGlobalAttributesUpdate(false);
3612
3613        removeFromArray(index);
3614
3615        if (clearChildFocus) {
3616            clearChildFocus(view);
3617        }
3618    }
3619
3620    /**
3621     * Sets the LayoutTransition object for this ViewGroup. If the LayoutTransition object is
3622     * not null, changes in layout which occur because of children being added to or removed from
3623     * the ViewGroup will be animated according to the animations defined in that LayoutTransition
3624     * object. By default, the transition object is null (so layout changes are not animated).
3625     *
3626     * @param transition The LayoutTransition object that will animated changes in layout. A value
3627     * of <code>null</code> means no transition will run on layout changes.
3628     * @attr ref android.R.styleable#ViewGroup_animateLayoutChanges
3629     */
3630    public void setLayoutTransition(LayoutTransition transition) {
3631        if (mTransition != null) {
3632            mTransition.removeTransitionListener(mLayoutTransitionListener);
3633        }
3634        mTransition = transition;
3635        if (mTransition != null) {
3636            mTransition.addTransitionListener(mLayoutTransitionListener);
3637        }
3638    }
3639
3640    /**
3641     * Gets the LayoutTransition object for this ViewGroup. If the LayoutTransition object is
3642     * not null, changes in layout which occur because of children being added to or removed from
3643     * the ViewGroup will be animated according to the animations defined in that LayoutTransition
3644     * object. By default, the transition object is null (so layout changes are not animated).
3645     *
3646     * @return LayoutTranstion The LayoutTransition object that will animated changes in layout.
3647     * A value of <code>null</code> means no transition will run on layout changes.
3648     */
3649    public LayoutTransition getLayoutTransition() {
3650        return mTransition;
3651    }
3652
3653    private void removeViewsInternal(int start, int count) {
3654        final View focused = mFocused;
3655        final boolean detach = mAttachInfo != null;
3656        View clearChildFocus = null;
3657
3658        final View[] children = mChildren;
3659        final int end = start + count;
3660
3661        for (int i = start; i < end; i++) {
3662            final View view = children[i];
3663
3664            if (mTransition != null) {
3665                mTransition.removeChild(this, view);
3666            }
3667
3668            if (view == focused) {
3669                view.clearFocusForRemoval();
3670                clearChildFocus = view;
3671            }
3672
3673            if (view.getAnimation() != null ||
3674                (mTransitioningViews != null && mTransitioningViews.contains(view))) {
3675                addDisappearingView(view);
3676            } else if (detach) {
3677               view.dispatchDetachedFromWindow();
3678            }
3679
3680            needGlobalAttributesUpdate(false);
3681
3682            onViewRemoved(view);
3683        }
3684
3685        removeFromArray(start, count);
3686
3687        if (clearChildFocus != null) {
3688            clearChildFocus(clearChildFocus);
3689        }
3690    }
3691
3692    /**
3693     * Call this method to remove all child views from the
3694     * ViewGroup.
3695     */
3696    public void removeAllViews() {
3697        removeAllViewsInLayout();
3698        requestLayout();
3699        invalidate(true);
3700    }
3701
3702    /**
3703     * Called by a ViewGroup subclass to remove child views from itself,
3704     * when it must first know its size on screen before it can calculate how many
3705     * child views it will render. An example is a Gallery or a ListView, which
3706     * may "have" 50 children, but actually only render the number of children
3707     * that can currently fit inside the object on screen. Do not call
3708     * this method unless you are extending ViewGroup and understand the
3709     * view measuring and layout pipeline.
3710     */
3711    public void removeAllViewsInLayout() {
3712        final int count = mChildrenCount;
3713        if (count <= 0) {
3714            return;
3715        }
3716
3717        final View[] children = mChildren;
3718        mChildrenCount = 0;
3719
3720        final View focused = mFocused;
3721        final boolean detach = mAttachInfo != null;
3722        View clearChildFocus = null;
3723
3724        needGlobalAttributesUpdate(false);
3725
3726        for (int i = count - 1; i >= 0; i--) {
3727            final View view = children[i];
3728
3729            if (mTransition != null) {
3730                mTransition.removeChild(this, view);
3731            }
3732
3733            if (view == focused) {
3734                view.clearFocusForRemoval();
3735                clearChildFocus = view;
3736            }
3737
3738            if (view.getAnimation() != null ||
3739                    (mTransitioningViews != null && mTransitioningViews.contains(view))) {
3740                addDisappearingView(view);
3741            } else if (detach) {
3742               view.dispatchDetachedFromWindow();
3743            }
3744
3745            onViewRemoved(view);
3746
3747            view.mParent = null;
3748            children[i] = null;
3749        }
3750
3751        if (clearChildFocus != null) {
3752            clearChildFocus(clearChildFocus);
3753        }
3754    }
3755
3756    /**
3757     * Finishes the removal of a detached view. This method will dispatch the detached from
3758     * window event and notify the hierarchy change listener.
3759     *
3760     * @param child the child to be definitely removed from the view hierarchy
3761     * @param animate if true and the view has an animation, the view is placed in the
3762     *                disappearing views list, otherwise, it is detached from the window
3763     *
3764     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)
3765     * @see #detachAllViewsFromParent()
3766     * @see #detachViewFromParent(View)
3767     * @see #detachViewFromParent(int)
3768     */
3769    protected void removeDetachedView(View child, boolean animate) {
3770        if (mTransition != null) {
3771            mTransition.removeChild(this, child);
3772        }
3773
3774        if (child == mFocused) {
3775            child.clearFocus();
3776        }
3777
3778        if ((animate && child.getAnimation() != null) ||
3779                (mTransitioningViews != null && mTransitioningViews.contains(child))) {
3780            addDisappearingView(child);
3781        } else if (child.mAttachInfo != null) {
3782            child.dispatchDetachedFromWindow();
3783        }
3784
3785        onViewRemoved(child);
3786    }
3787
3788    /**
3789     * Attaches a view to this view group. Attaching a view assigns this group as the parent,
3790     * sets the layout parameters and puts the view in the list of children so it can be retrieved
3791     * by calling {@link #getChildAt(int)}.
3792     *
3793     * This method should be called only for view which were detached from their parent.
3794     *
3795     * @param child the child to attach
3796     * @param index the index at which the child should be attached
3797     * @param params the layout parameters of the child
3798     *
3799     * @see #removeDetachedView(View, boolean)
3800     * @see #detachAllViewsFromParent()
3801     * @see #detachViewFromParent(View)
3802     * @see #detachViewFromParent(int)
3803     */
3804    protected void attachViewToParent(View child, int index, LayoutParams params) {
3805        child.mLayoutParams = params;
3806
3807        if (index < 0) {
3808            index = mChildrenCount;
3809        }
3810
3811        addInArray(child, index);
3812
3813        child.mParent = this;
3814        child.mPrivateFlags = (child.mPrivateFlags & ~DIRTY_MASK & ~DRAWING_CACHE_VALID) |
3815                DRAWN | INVALIDATED;
3816        this.mPrivateFlags |= INVALIDATED;
3817
3818        if (child.hasFocus()) {
3819            requestChildFocus(child, child.findFocus());
3820        }
3821    }
3822
3823    /**
3824     * Detaches a view from its parent. Detaching a view should be temporary and followed
3825     * either by a call to {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}
3826     * or a call to {@link #removeDetachedView(View, boolean)}. When a view is detached,
3827     * its parent is null and cannot be retrieved by a call to {@link #getChildAt(int)}.
3828     *
3829     * @param child the child to detach
3830     *
3831     * @see #detachViewFromParent(int)
3832     * @see #detachViewsFromParent(int, int)
3833     * @see #detachAllViewsFromParent()
3834     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)
3835     * @see #removeDetachedView(View, boolean)
3836     */
3837    protected void detachViewFromParent(View child) {
3838        removeFromArray(indexOfChild(child));
3839    }
3840
3841    /**
3842     * Detaches a view from its parent. Detaching a view should be temporary and followed
3843     * either by a call to {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}
3844     * or a call to {@link #removeDetachedView(View, boolean)}. When a view is detached,
3845     * its parent is null and cannot be retrieved by a call to {@link #getChildAt(int)}.
3846     *
3847     * @param index the index of the child to detach
3848     *
3849     * @see #detachViewFromParent(View)
3850     * @see #detachAllViewsFromParent()
3851     * @see #detachViewsFromParent(int, int)
3852     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)
3853     * @see #removeDetachedView(View, boolean)
3854     */
3855    protected void detachViewFromParent(int index) {
3856        removeFromArray(index);
3857    }
3858
3859    /**
3860     * Detaches a range of view from their parent. Detaching a view should be temporary and followed
3861     * either by a call to {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}
3862     * or a call to {@link #removeDetachedView(View, boolean)}. When a view is detached, its
3863     * parent is null and cannot be retrieved by a call to {@link #getChildAt(int)}.
3864     *
3865     * @param start the first index of the childrend range to detach
3866     * @param count the number of children to detach
3867     *
3868     * @see #detachViewFromParent(View)
3869     * @see #detachViewFromParent(int)
3870     * @see #detachAllViewsFromParent()
3871     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)
3872     * @see #removeDetachedView(View, boolean)
3873     */
3874    protected void detachViewsFromParent(int start, int count) {
3875        removeFromArray(start, count);
3876    }
3877
3878    /**
3879     * Detaches all views from the parent. Detaching a view should be temporary and followed
3880     * either by a call to {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}
3881     * or a call to {@link #removeDetachedView(View, boolean)}. When a view is detached,
3882     * its parent is null and cannot be retrieved by a call to {@link #getChildAt(int)}.
3883     *
3884     * @see #detachViewFromParent(View)
3885     * @see #detachViewFromParent(int)
3886     * @see #detachViewsFromParent(int, int)
3887     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)
3888     * @see #removeDetachedView(View, boolean)
3889     */
3890    protected void detachAllViewsFromParent() {
3891        final int count = mChildrenCount;
3892        if (count <= 0) {
3893            return;
3894        }
3895
3896        final View[] children = mChildren;
3897        mChildrenCount = 0;
3898
3899        for (int i = count - 1; i >= 0; i--) {
3900            children[i].mParent = null;
3901            children[i] = null;
3902        }
3903    }
3904
3905    /**
3906     * Don't call or override this method. It is used for the implementation of
3907     * the view hierarchy.
3908     */
3909    public final void invalidateChild(View child, final Rect dirty) {
3910        if (ViewDebug.TRACE_HIERARCHY) {
3911            ViewDebug.trace(this, ViewDebug.HierarchyTraceType.INVALIDATE_CHILD);
3912        }
3913
3914        ViewParent parent = this;
3915
3916        final AttachInfo attachInfo = mAttachInfo;
3917        if (attachInfo != null) {
3918            // If the child is drawing an animation, we want to copy this flag onto
3919            // ourselves and the parent to make sure the invalidate request goes
3920            // through
3921            final boolean drawAnimation = (child.mPrivateFlags & DRAW_ANIMATION) == DRAW_ANIMATION;
3922
3923            if (dirty == null) {
3924                if (child.mLayerType != LAYER_TYPE_NONE) {
3925                    mPrivateFlags |= INVALIDATED;
3926                    mPrivateFlags &= ~DRAWING_CACHE_VALID;
3927                    child.mLocalDirtyRect.setEmpty();
3928                }
3929                do {
3930                    View view = null;
3931                    if (parent instanceof View) {
3932                        view = (View) parent;
3933                        if (view.mLayerType != LAYER_TYPE_NONE) {
3934                            view.mLocalDirtyRect.setEmpty();
3935                            if (view.getParent() instanceof View) {
3936                                final View grandParent = (View) view.getParent();
3937                                grandParent.mPrivateFlags |= INVALIDATED;
3938                                grandParent.mPrivateFlags &= ~DRAWING_CACHE_VALID;
3939                            }
3940                        }
3941                        if ((view.mPrivateFlags & DIRTY_MASK) != 0) {
3942                            // already marked dirty - we're done
3943                            break;
3944                        }
3945                    }
3946
3947                    if (drawAnimation) {
3948                        if (view != null) {
3949                            view.mPrivateFlags |= DRAW_ANIMATION;
3950                        } else if (parent instanceof ViewRootImpl) {
3951                            ((ViewRootImpl) parent).mIsAnimating = true;
3952                        }
3953                    }
3954
3955                    if (parent instanceof ViewRootImpl) {
3956                        ((ViewRootImpl) parent).invalidate();
3957                        parent = null;
3958                    } else if (view != null) {
3959                        if ((view.mPrivateFlags & DRAWN) == DRAWN ||
3960                                (view.mPrivateFlags & DRAWING_CACHE_VALID) == DRAWING_CACHE_VALID) {
3961                            view.mPrivateFlags &= ~DRAWING_CACHE_VALID;
3962                            view.mPrivateFlags |= DIRTY;
3963                            parent = view.mParent;
3964                        } else {
3965                            parent = null;
3966                        }
3967                    }
3968                } while (parent != null);
3969            } else {
3970                // Check whether the child that requests the invalidate is fully opaque
3971                // Views being animated or transformed are not considered opaque because we may
3972                // be invalidating their old position and need the parent to paint behind them.
3973                Matrix childMatrix = child.getMatrix();
3974                final boolean isOpaque = child.isOpaque() && !drawAnimation &&
3975                        child.getAnimation() == null && childMatrix.isIdentity();
3976                // Mark the child as dirty, using the appropriate flag
3977                // Make sure we do not set both flags at the same time
3978                int opaqueFlag = isOpaque ? DIRTY_OPAQUE : DIRTY;
3979
3980                if (child.mLayerType != LAYER_TYPE_NONE) {
3981                    mPrivateFlags |= INVALIDATED;
3982                    mPrivateFlags &= ~DRAWING_CACHE_VALID;
3983                    child.mLocalDirtyRect.union(dirty);
3984                }
3985
3986                final int[] location = attachInfo.mInvalidateChildLocation;
3987                location[CHILD_LEFT_INDEX] = child.mLeft;
3988                location[CHILD_TOP_INDEX] = child.mTop;
3989                if (!childMatrix.isIdentity()) {
3990                    RectF boundingRect = attachInfo.mTmpTransformRect;
3991                    boundingRect.set(dirty);
3992                    //boundingRect.inset(-0.5f, -0.5f);
3993                    childMatrix.mapRect(boundingRect);
3994                    dirty.set((int) (boundingRect.left - 0.5f),
3995                            (int) (boundingRect.top - 0.5f),
3996                            (int) (boundingRect.right + 0.5f),
3997                            (int) (boundingRect.bottom + 0.5f));
3998                }
3999
4000                do {
4001                    View view = null;
4002                    if (parent instanceof View) {
4003                        view = (View) parent;
4004                        if (view.mLayerType != LAYER_TYPE_NONE &&
4005                                view.getParent() instanceof View) {
4006                            final View grandParent = (View) view.getParent();
4007                            grandParent.mPrivateFlags |= INVALIDATED;
4008                            grandParent.mPrivateFlags &= ~DRAWING_CACHE_VALID;
4009                        }
4010                    }
4011
4012                    if (drawAnimation) {
4013                        if (view != null) {
4014                            view.mPrivateFlags |= DRAW_ANIMATION;
4015                        } else if (parent instanceof ViewRootImpl) {
4016                            ((ViewRootImpl) parent).mIsAnimating = true;
4017                        }
4018                    }
4019
4020                    // If the parent is dirty opaque or not dirty, mark it dirty with the opaque
4021                    // flag coming from the child that initiated the invalidate
4022                    if (view != null) {
4023                        if ((view.mViewFlags & FADING_EDGE_MASK) != 0 &&
4024                                view.getSolidColor() == 0) {
4025                            opaqueFlag = DIRTY;
4026                        }
4027                        if ((view.mPrivateFlags & DIRTY_MASK) != DIRTY) {
4028                            view.mPrivateFlags = (view.mPrivateFlags & ~DIRTY_MASK) | opaqueFlag;
4029                        }
4030                    }
4031
4032                    parent = parent.invalidateChildInParent(location, dirty);
4033                    if (view != null) {
4034                        // Account for transform on current parent
4035                        Matrix m = view.getMatrix();
4036                        if (!m.isIdentity()) {
4037                            RectF boundingRect = attachInfo.mTmpTransformRect;
4038                            boundingRect.set(dirty);
4039                            m.mapRect(boundingRect);
4040                            dirty.set((int) boundingRect.left, (int) boundingRect.top,
4041                                    (int) (boundingRect.right + 0.5f),
4042                                    (int) (boundingRect.bottom + 0.5f));
4043                        }
4044                    }
4045                } while (parent != null);
4046            }
4047        }
4048    }
4049
4050    /**
4051     * Don't call or override this method. It is used for the implementation of
4052     * the view hierarchy.
4053     *
4054     * This implementation returns null if this ViewGroup does not have a parent,
4055     * if this ViewGroup is already fully invalidated or if the dirty rectangle
4056     * does not intersect with this ViewGroup's bounds.
4057     */
4058    public ViewParent invalidateChildInParent(final int[] location, final Rect dirty) {
4059        if (ViewDebug.TRACE_HIERARCHY) {
4060            ViewDebug.trace(this, ViewDebug.HierarchyTraceType.INVALIDATE_CHILD_IN_PARENT);
4061        }
4062
4063        if ((mPrivateFlags & DRAWN) == DRAWN ||
4064                (mPrivateFlags & DRAWING_CACHE_VALID) == DRAWING_CACHE_VALID) {
4065            if ((mGroupFlags & (FLAG_OPTIMIZE_INVALIDATE | FLAG_ANIMATION_DONE)) !=
4066                        FLAG_OPTIMIZE_INVALIDATE) {
4067                dirty.offset(location[CHILD_LEFT_INDEX] - mScrollX,
4068                        location[CHILD_TOP_INDEX] - mScrollY);
4069
4070                final int left = mLeft;
4071                final int top = mTop;
4072
4073                if ((mGroupFlags & FLAG_CLIP_CHILDREN) != FLAG_CLIP_CHILDREN ||
4074                        dirty.intersect(0, 0, mRight - left, mBottom - top) ||
4075                        (mPrivateFlags & DRAW_ANIMATION) == DRAW_ANIMATION) {
4076                    mPrivateFlags &= ~DRAWING_CACHE_VALID;
4077
4078                    location[CHILD_LEFT_INDEX] = left;
4079                    location[CHILD_TOP_INDEX] = top;
4080
4081                    if (mLayerType != LAYER_TYPE_NONE) {
4082                        mLocalDirtyRect.union(dirty);
4083                    }
4084
4085                    return mParent;
4086                }
4087            } else {
4088                mPrivateFlags &= ~DRAWN & ~DRAWING_CACHE_VALID;
4089
4090                location[CHILD_LEFT_INDEX] = mLeft;
4091                location[CHILD_TOP_INDEX] = mTop;
4092                if ((mGroupFlags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN) {
4093                    dirty.set(0, 0, mRight - mLeft, mBottom - mTop);
4094                } else {
4095                    // in case the dirty rect extends outside the bounds of this container
4096                    dirty.union(0, 0, mRight - mLeft, mBottom - mTop);
4097                }
4098
4099                if (mLayerType != LAYER_TYPE_NONE) {
4100                    mLocalDirtyRect.union(dirty);
4101                }
4102
4103                return mParent;
4104            }
4105        }
4106
4107        return null;
4108    }
4109
4110    /**
4111     * Offset a rectangle that is in a descendant's coordinate
4112     * space into our coordinate space.
4113     * @param descendant A descendant of this view
4114     * @param rect A rectangle defined in descendant's coordinate space.
4115     */
4116    public final void offsetDescendantRectToMyCoords(View descendant, Rect rect) {
4117        offsetRectBetweenParentAndChild(descendant, rect, true, false);
4118    }
4119
4120    /**
4121     * Offset a rectangle that is in our coordinate space into an ancestor's
4122     * coordinate space.
4123     * @param descendant A descendant of this view
4124     * @param rect A rectangle defined in descendant's coordinate space.
4125     */
4126    public final void offsetRectIntoDescendantCoords(View descendant, Rect rect) {
4127        offsetRectBetweenParentAndChild(descendant, rect, false, false);
4128    }
4129
4130    /**
4131     * Helper method that offsets a rect either from parent to descendant or
4132     * descendant to parent.
4133     */
4134    void offsetRectBetweenParentAndChild(View descendant, Rect rect,
4135            boolean offsetFromChildToParent, boolean clipToBounds) {
4136
4137        // already in the same coord system :)
4138        if (descendant == this) {
4139            return;
4140        }
4141
4142        ViewParent theParent = descendant.mParent;
4143
4144        // search and offset up to the parent
4145        while ((theParent != null)
4146                && (theParent instanceof View)
4147                && (theParent != this)) {
4148
4149            if (offsetFromChildToParent) {
4150                rect.offset(descendant.mLeft - descendant.mScrollX,
4151                        descendant.mTop - descendant.mScrollY);
4152                if (clipToBounds) {
4153                    View p = (View) theParent;
4154                    rect.intersect(0, 0, p.mRight - p.mLeft, p.mBottom - p.mTop);
4155                }
4156            } else {
4157                if (clipToBounds) {
4158                    View p = (View) theParent;
4159                    rect.intersect(0, 0, p.mRight - p.mLeft, p.mBottom - p.mTop);
4160                }
4161                rect.offset(descendant.mScrollX - descendant.mLeft,
4162                        descendant.mScrollY - descendant.mTop);
4163            }
4164
4165            descendant = (View) theParent;
4166            theParent = descendant.mParent;
4167        }
4168
4169        // now that we are up to this view, need to offset one more time
4170        // to get into our coordinate space
4171        if (theParent == this) {
4172            if (offsetFromChildToParent) {
4173                rect.offset(descendant.mLeft - descendant.mScrollX,
4174                        descendant.mTop - descendant.mScrollY);
4175            } else {
4176                rect.offset(descendant.mScrollX - descendant.mLeft,
4177                        descendant.mScrollY - descendant.mTop);
4178            }
4179        } else {
4180            throw new IllegalArgumentException("parameter must be a descendant of this view");
4181        }
4182    }
4183
4184    /**
4185     * Offset the vertical location of all children of this view by the specified number of pixels.
4186     *
4187     * @param offset the number of pixels to offset
4188     *
4189     * @hide
4190     */
4191    public void offsetChildrenTopAndBottom(int offset) {
4192        final int count = mChildrenCount;
4193        final View[] children = mChildren;
4194
4195        for (int i = 0; i < count; i++) {
4196            final View v = children[i];
4197            v.mTop += offset;
4198            v.mBottom += offset;
4199        }
4200    }
4201
4202    /**
4203     * {@inheritDoc}
4204     */
4205    public boolean getChildVisibleRect(View child, Rect r, android.graphics.Point offset) {
4206        // It doesn't make a whole lot of sense to call this on a view that isn't attached,
4207        // but for some simple tests it can be useful. If we don't have attach info this
4208        // will allocate memory.
4209        final RectF rect = mAttachInfo != null ? mAttachInfo.mTmpTransformRect : new RectF();
4210        rect.set(r);
4211
4212        if (!child.hasIdentityMatrix()) {
4213           child.getMatrix().mapRect(rect);
4214        }
4215
4216        int dx = child.mLeft - mScrollX;
4217        int dy = child.mTop - mScrollY;
4218
4219        rect.offset(dx, dy);
4220
4221        if (offset != null) {
4222            if (!child.hasIdentityMatrix()) {
4223                float[] position = mAttachInfo != null ? mAttachInfo.mTmpTransformLocation
4224                        : new float[2];
4225                position[0] = offset.x;
4226                position[1] = offset.y;
4227                child.getMatrix().mapPoints(position);
4228                offset.x = (int) (position[0] + 0.5f);
4229                offset.y = (int) (position[1] + 0.5f);
4230            }
4231            offset.x += dx;
4232            offset.y += dy;
4233        }
4234
4235        if (rect.intersect(0, 0, mRight - mLeft, mBottom - mTop)) {
4236            if (mParent == null) return true;
4237            r.set((int) (rect.left + 0.5f), (int) (rect.top + 0.5f),
4238                    (int) (rect.right + 0.5f), (int) (rect.bottom + 0.5f));
4239            return mParent.getChildVisibleRect(this, r, offset);
4240        }
4241
4242        return false;
4243    }
4244
4245    /**
4246     * {@inheritDoc}
4247     */
4248    @Override
4249    public final void layout(int l, int t, int r, int b) {
4250        if (mTransition == null || !mTransition.isChangingLayout()) {
4251            super.layout(l, t, r, b);
4252        } else {
4253            // record the fact that we noop'd it; request layout when transition finishes
4254            mLayoutSuppressed = true;
4255        }
4256    }
4257
4258    /**
4259     * {@inheritDoc}
4260     */
4261    @Override
4262    protected abstract void onLayout(boolean changed,
4263            int l, int t, int r, int b);
4264
4265    /**
4266     * Indicates whether the view group has the ability to animate its children
4267     * after the first layout.
4268     *
4269     * @return true if the children can be animated, false otherwise
4270     */
4271    protected boolean canAnimate() {
4272        return mLayoutAnimationController != null;
4273    }
4274
4275    /**
4276     * Runs the layout animation. Calling this method triggers a relayout of
4277     * this view group.
4278     */
4279    public void startLayoutAnimation() {
4280        if (mLayoutAnimationController != null) {
4281            mGroupFlags |= FLAG_RUN_ANIMATION;
4282            requestLayout();
4283        }
4284    }
4285
4286    /**
4287     * Schedules the layout animation to be played after the next layout pass
4288     * of this view group. This can be used to restart the layout animation
4289     * when the content of the view group changes or when the activity is
4290     * paused and resumed.
4291     */
4292    public void scheduleLayoutAnimation() {
4293        mGroupFlags |= FLAG_RUN_ANIMATION;
4294    }
4295
4296    /**
4297     * Sets the layout animation controller used to animate the group's
4298     * children after the first layout.
4299     *
4300     * @param controller the animation controller
4301     */
4302    public void setLayoutAnimation(LayoutAnimationController controller) {
4303        mLayoutAnimationController = controller;
4304        if (mLayoutAnimationController != null) {
4305            mGroupFlags |= FLAG_RUN_ANIMATION;
4306        }
4307    }
4308
4309    /**
4310     * Returns the layout animation controller used to animate the group's
4311     * children.
4312     *
4313     * @return the current animation controller
4314     */
4315    public LayoutAnimationController getLayoutAnimation() {
4316        return mLayoutAnimationController;
4317    }
4318
4319    /**
4320     * Indicates whether the children's drawing cache is used during a layout
4321     * animation. By default, the drawing cache is enabled but this will prevent
4322     * nested layout animations from working. To nest animations, you must disable
4323     * the cache.
4324     *
4325     * @return true if the animation cache is enabled, false otherwise
4326     *
4327     * @see #setAnimationCacheEnabled(boolean)
4328     * @see View#setDrawingCacheEnabled(boolean)
4329     */
4330    @ViewDebug.ExportedProperty
4331    public boolean isAnimationCacheEnabled() {
4332        return (mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE;
4333    }
4334
4335    /**
4336     * Enables or disables the children's drawing cache during a layout animation.
4337     * By default, the drawing cache is enabled but this will prevent nested
4338     * layout animations from working. To nest animations, you must disable the
4339     * cache.
4340     *
4341     * @param enabled true to enable the animation cache, false otherwise
4342     *
4343     * @see #isAnimationCacheEnabled()
4344     * @see View#setDrawingCacheEnabled(boolean)
4345     */
4346    public void setAnimationCacheEnabled(boolean enabled) {
4347        setBooleanFlag(FLAG_ANIMATION_CACHE, enabled);
4348    }
4349
4350    /**
4351     * Indicates whether this ViewGroup will always try to draw its children using their
4352     * drawing cache. By default this property is enabled.
4353     *
4354     * @return true if the animation cache is enabled, false otherwise
4355     *
4356     * @see #setAlwaysDrawnWithCacheEnabled(boolean)
4357     * @see #setChildrenDrawnWithCacheEnabled(boolean)
4358     * @see View#setDrawingCacheEnabled(boolean)
4359     */
4360    @ViewDebug.ExportedProperty(category = "drawing")
4361    public boolean isAlwaysDrawnWithCacheEnabled() {
4362        return (mGroupFlags & FLAG_ALWAYS_DRAWN_WITH_CACHE) == FLAG_ALWAYS_DRAWN_WITH_CACHE;
4363    }
4364
4365    /**
4366     * Indicates whether this ViewGroup will always try to draw its children using their
4367     * drawing cache. This property can be set to true when the cache rendering is
4368     * slightly different from the children's normal rendering. Renderings can be different,
4369     * for instance, when the cache's quality is set to low.
4370     *
4371     * When this property is disabled, the ViewGroup will use the drawing cache of its
4372     * children only when asked to. It's usually the task of subclasses to tell ViewGroup
4373     * when to start using the drawing cache and when to stop using it.
4374     *
4375     * @param always true to always draw with the drawing cache, false otherwise
4376     *
4377     * @see #isAlwaysDrawnWithCacheEnabled()
4378     * @see #setChildrenDrawnWithCacheEnabled(boolean)
4379     * @see View#setDrawingCacheEnabled(boolean)
4380     * @see View#setDrawingCacheQuality(int)
4381     */
4382    public void setAlwaysDrawnWithCacheEnabled(boolean always) {
4383        setBooleanFlag(FLAG_ALWAYS_DRAWN_WITH_CACHE, always);
4384    }
4385
4386    /**
4387     * Indicates whether the ViewGroup is currently drawing its children using
4388     * their drawing cache.
4389     *
4390     * @return true if children should be drawn with their cache, false otherwise
4391     *
4392     * @see #setAlwaysDrawnWithCacheEnabled(boolean)
4393     * @see #setChildrenDrawnWithCacheEnabled(boolean)
4394     */
4395    @ViewDebug.ExportedProperty(category = "drawing")
4396    protected boolean isChildrenDrawnWithCacheEnabled() {
4397        return (mGroupFlags & FLAG_CHILDREN_DRAWN_WITH_CACHE) == FLAG_CHILDREN_DRAWN_WITH_CACHE;
4398    }
4399
4400    /**
4401     * Tells the ViewGroup to draw its children using their drawing cache. This property
4402     * is ignored when {@link #isAlwaysDrawnWithCacheEnabled()} is true. A child's drawing cache
4403     * will be used only if it has been enabled.
4404     *
4405     * Subclasses should call this method to start and stop using the drawing cache when
4406     * they perform performance sensitive operations, like scrolling or animating.
4407     *
4408     * @param enabled true if children should be drawn with their cache, false otherwise
4409     *
4410     * @see #setAlwaysDrawnWithCacheEnabled(boolean)
4411     * @see #isChildrenDrawnWithCacheEnabled()
4412     */
4413    protected void setChildrenDrawnWithCacheEnabled(boolean enabled) {
4414        setBooleanFlag(FLAG_CHILDREN_DRAWN_WITH_CACHE, enabled);
4415    }
4416
4417    /**
4418     * Indicates whether the ViewGroup is drawing its children in the order defined by
4419     * {@link #getChildDrawingOrder(int, int)}.
4420     *
4421     * @return true if children drawing order is defined by {@link #getChildDrawingOrder(int, int)},
4422     *         false otherwise
4423     *
4424     * @see #setChildrenDrawingOrderEnabled(boolean)
4425     * @see #getChildDrawingOrder(int, int)
4426     */
4427    @ViewDebug.ExportedProperty(category = "drawing")
4428    protected boolean isChildrenDrawingOrderEnabled() {
4429        return (mGroupFlags & FLAG_USE_CHILD_DRAWING_ORDER) == FLAG_USE_CHILD_DRAWING_ORDER;
4430    }
4431
4432    /**
4433     * Tells the ViewGroup whether to draw its children in the order defined by the method
4434     * {@link #getChildDrawingOrder(int, int)}.
4435     *
4436     * @param enabled true if the order of the children when drawing is determined by
4437     *        {@link #getChildDrawingOrder(int, int)}, false otherwise
4438     *
4439     * @see #isChildrenDrawingOrderEnabled()
4440     * @see #getChildDrawingOrder(int, int)
4441     */
4442    protected void setChildrenDrawingOrderEnabled(boolean enabled) {
4443        setBooleanFlag(FLAG_USE_CHILD_DRAWING_ORDER, enabled);
4444    }
4445
4446    private void setBooleanFlag(int flag, boolean value) {
4447        if (value) {
4448            mGroupFlags |= flag;
4449        } else {
4450            mGroupFlags &= ~flag;
4451        }
4452    }
4453
4454    /**
4455     * Returns an integer indicating what types of drawing caches are kept in memory.
4456     *
4457     * @see #setPersistentDrawingCache(int)
4458     * @see #setAnimationCacheEnabled(boolean)
4459     *
4460     * @return one or a combination of {@link #PERSISTENT_NO_CACHE},
4461     *         {@link #PERSISTENT_ANIMATION_CACHE}, {@link #PERSISTENT_SCROLLING_CACHE}
4462     *         and {@link #PERSISTENT_ALL_CACHES}
4463     */
4464    @ViewDebug.ExportedProperty(category = "drawing", mapping = {
4465        @ViewDebug.IntToString(from = PERSISTENT_NO_CACHE,        to = "NONE"),
4466        @ViewDebug.IntToString(from = PERSISTENT_ANIMATION_CACHE, to = "ANIMATION"),
4467        @ViewDebug.IntToString(from = PERSISTENT_SCROLLING_CACHE, to = "SCROLLING"),
4468        @ViewDebug.IntToString(from = PERSISTENT_ALL_CACHES,      to = "ALL")
4469    })
4470    public int getPersistentDrawingCache() {
4471        return mPersistentDrawingCache;
4472    }
4473
4474    /**
4475     * Indicates what types of drawing caches should be kept in memory after
4476     * they have been created.
4477     *
4478     * @see #getPersistentDrawingCache()
4479     * @see #setAnimationCacheEnabled(boolean)
4480     *
4481     * @param drawingCacheToKeep one or a combination of {@link #PERSISTENT_NO_CACHE},
4482     *        {@link #PERSISTENT_ANIMATION_CACHE}, {@link #PERSISTENT_SCROLLING_CACHE}
4483     *        and {@link #PERSISTENT_ALL_CACHES}
4484     */
4485    public void setPersistentDrawingCache(int drawingCacheToKeep) {
4486        mPersistentDrawingCache = drawingCacheToKeep & PERSISTENT_ALL_CACHES;
4487    }
4488
4489    /**
4490     * Returns a new set of layout parameters based on the supplied attributes set.
4491     *
4492     * @param attrs the attributes to build the layout parameters from
4493     *
4494     * @return an instance of {@link android.view.ViewGroup.LayoutParams} or one
4495     *         of its descendants
4496     */
4497    public LayoutParams generateLayoutParams(AttributeSet attrs) {
4498        return new LayoutParams(getContext(), attrs);
4499    }
4500
4501    /**
4502     * Returns a safe set of layout parameters based on the supplied layout params.
4503     * When a ViewGroup is passed a View whose layout params do not pass the test of
4504     * {@link #checkLayoutParams(android.view.ViewGroup.LayoutParams)}, this method
4505     * is invoked. This method should return a new set of layout params suitable for
4506     * this ViewGroup, possibly by copying the appropriate attributes from the
4507     * specified set of layout params.
4508     *
4509     * @param p The layout parameters to convert into a suitable set of layout parameters
4510     *          for this ViewGroup.
4511     *
4512     * @return an instance of {@link android.view.ViewGroup.LayoutParams} or one
4513     *         of its descendants
4514     */
4515    protected LayoutParams generateLayoutParams(ViewGroup.LayoutParams p) {
4516        return p;
4517    }
4518
4519    /**
4520     * Returns a set of default layout parameters. These parameters are requested
4521     * when the View passed to {@link #addView(View)} has no layout parameters
4522     * already set. If null is returned, an exception is thrown from addView.
4523     *
4524     * @return a set of default layout parameters or null
4525     */
4526    protected LayoutParams generateDefaultLayoutParams() {
4527        return new LayoutParams(LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT);
4528    }
4529
4530    /**
4531     * @hide
4532     */
4533    @Override
4534    protected boolean dispatchConsistencyCheck(int consistency) {
4535        boolean result = super.dispatchConsistencyCheck(consistency);
4536
4537        final int count = mChildrenCount;
4538        final View[] children = mChildren;
4539        for (int i = 0; i < count; i++) {
4540            if (!children[i].dispatchConsistencyCheck(consistency)) result = false;
4541        }
4542
4543        return result;
4544    }
4545
4546    /**
4547     * @hide
4548     */
4549    @Override
4550    protected boolean onConsistencyCheck(int consistency) {
4551        boolean result = super.onConsistencyCheck(consistency);
4552
4553        final boolean checkLayout = (consistency & ViewDebug.CONSISTENCY_LAYOUT) != 0;
4554        final boolean checkDrawing = (consistency & ViewDebug.CONSISTENCY_DRAWING) != 0;
4555
4556        if (checkLayout) {
4557            final int count = mChildrenCount;
4558            final View[] children = mChildren;
4559            for (int i = 0; i < count; i++) {
4560                if (children[i].getParent() != this) {
4561                    result = false;
4562                    android.util.Log.d(ViewDebug.CONSISTENCY_LOG_TAG,
4563                            "View " + children[i] + " has no parent/a parent that is not " + this);
4564                }
4565            }
4566        }
4567
4568        if (checkDrawing) {
4569            // If this group is dirty, check that the parent is dirty as well
4570            if ((mPrivateFlags & DIRTY_MASK) != 0) {
4571                final ViewParent parent = getParent();
4572                if (parent != null && !(parent instanceof ViewRootImpl)) {
4573                    if ((((View) parent).mPrivateFlags & DIRTY_MASK) == 0) {
4574                        result = false;
4575                        android.util.Log.d(ViewDebug.CONSISTENCY_LOG_TAG,
4576                                "ViewGroup " + this + " is dirty but its parent is not: " + this);
4577                    }
4578                }
4579            }
4580        }
4581
4582        return result;
4583    }
4584
4585    /**
4586     * {@inheritDoc}
4587     */
4588    @Override
4589    protected void debug(int depth) {
4590        super.debug(depth);
4591        String output;
4592
4593        if (mFocused != null) {
4594            output = debugIndent(depth);
4595            output += "mFocused";
4596            Log.d(VIEW_LOG_TAG, output);
4597        }
4598        if (mChildrenCount != 0) {
4599            output = debugIndent(depth);
4600            output += "{";
4601            Log.d(VIEW_LOG_TAG, output);
4602        }
4603        int count = mChildrenCount;
4604        for (int i = 0; i < count; i++) {
4605            View child = mChildren[i];
4606            child.debug(depth + 1);
4607        }
4608
4609        if (mChildrenCount != 0) {
4610            output = debugIndent(depth);
4611            output += "}";
4612            Log.d(VIEW_LOG_TAG, output);
4613        }
4614    }
4615
4616    /**
4617     * Returns the position in the group of the specified child view.
4618     *
4619     * @param child the view for which to get the position
4620     * @return a positive integer representing the position of the view in the
4621     *         group, or -1 if the view does not exist in the group
4622     */
4623    public int indexOfChild(View child) {
4624        final int count = mChildrenCount;
4625        final View[] children = mChildren;
4626        for (int i = 0; i < count; i++) {
4627            if (children[i] == child) {
4628                return i;
4629            }
4630        }
4631        return -1;
4632    }
4633
4634    /**
4635     * Returns the number of children in the group.
4636     *
4637     * @return a positive integer representing the number of children in
4638     *         the group
4639     */
4640    public int getChildCount() {
4641        return mChildrenCount;
4642    }
4643
4644    /**
4645     * Returns the view at the specified position in the group.
4646     *
4647     * @param index the position at which to get the view from
4648     * @return the view at the specified position or null if the position
4649     *         does not exist within the group
4650     */
4651    public View getChildAt(int index) {
4652        if (index < 0 || index >= mChildrenCount) {
4653            return null;
4654        }
4655        return mChildren[index];
4656    }
4657
4658    /**
4659     * Ask all of the children of this view to measure themselves, taking into
4660     * account both the MeasureSpec requirements for this view and its padding.
4661     * We skip children that are in the GONE state The heavy lifting is done in
4662     * getChildMeasureSpec.
4663     *
4664     * @param widthMeasureSpec The width requirements for this view
4665     * @param heightMeasureSpec The height requirements for this view
4666     */
4667    protected void measureChildren(int widthMeasureSpec, int heightMeasureSpec) {
4668        final int size = mChildrenCount;
4669        final View[] children = mChildren;
4670        for (int i = 0; i < size; ++i) {
4671            final View child = children[i];
4672            if ((child.mViewFlags & VISIBILITY_MASK) != GONE) {
4673                measureChild(child, widthMeasureSpec, heightMeasureSpec);
4674            }
4675        }
4676    }
4677
4678    /**
4679     * Ask one of the children of this view to measure itself, taking into
4680     * account both the MeasureSpec requirements for this view and its padding.
4681     * The heavy lifting is done in getChildMeasureSpec.
4682     *
4683     * @param child The child to measure
4684     * @param parentWidthMeasureSpec The width requirements for this view
4685     * @param parentHeightMeasureSpec The height requirements for this view
4686     */
4687    protected void measureChild(View child, int parentWidthMeasureSpec,
4688            int parentHeightMeasureSpec) {
4689        final LayoutParams lp = child.getLayoutParams();
4690
4691        final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,
4692                mPaddingLeft + mPaddingRight, lp.width);
4693        final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec,
4694                mPaddingTop + mPaddingBottom, lp.height);
4695
4696        child.measure(childWidthMeasureSpec, childHeightMeasureSpec);
4697    }
4698
4699    /**
4700     * Ask one of the children of this view to measure itself, taking into
4701     * account both the MeasureSpec requirements for this view and its padding
4702     * and margins. The child must have MarginLayoutParams The heavy lifting is
4703     * done in getChildMeasureSpec.
4704     *
4705     * @param child The child to measure
4706     * @param parentWidthMeasureSpec The width requirements for this view
4707     * @param widthUsed Extra space that has been used up by the parent
4708     *        horizontally (possibly by other children of the parent)
4709     * @param parentHeightMeasureSpec The height requirements for this view
4710     * @param heightUsed Extra space that has been used up by the parent
4711     *        vertically (possibly by other children of the parent)
4712     */
4713    protected void measureChildWithMargins(View child,
4714            int parentWidthMeasureSpec, int widthUsed,
4715            int parentHeightMeasureSpec, int heightUsed) {
4716        final MarginLayoutParams lp = (MarginLayoutParams) child.getLayoutParams();
4717
4718        final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,
4719                mPaddingLeft + mPaddingRight + lp.leftMargin + lp.rightMargin
4720                        + widthUsed, lp.width);
4721        final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec,
4722                mPaddingTop + mPaddingBottom + lp.topMargin + lp.bottomMargin
4723                        + heightUsed, lp.height);
4724
4725        child.measure(childWidthMeasureSpec, childHeightMeasureSpec);
4726    }
4727
4728    /**
4729     * Does the hard part of measureChildren: figuring out the MeasureSpec to
4730     * pass to a particular child. This method figures out the right MeasureSpec
4731     * for one dimension (height or width) of one child view.
4732     *
4733     * The goal is to combine information from our MeasureSpec with the
4734     * LayoutParams of the child to get the best possible results. For example,
4735     * if the this view knows its size (because its MeasureSpec has a mode of
4736     * EXACTLY), and the child has indicated in its LayoutParams that it wants
4737     * to be the same size as the parent, the parent should ask the child to
4738     * layout given an exact size.
4739     *
4740     * @param spec The requirements for this view
4741     * @param padding The padding of this view for the current dimension and
4742     *        margins, if applicable
4743     * @param childDimension How big the child wants to be in the current
4744     *        dimension
4745     * @return a MeasureSpec integer for the child
4746     */
4747    public static int getChildMeasureSpec(int spec, int padding, int childDimension) {
4748        int specMode = MeasureSpec.getMode(spec);
4749        int specSize = MeasureSpec.getSize(spec);
4750
4751        int size = Math.max(0, specSize - padding);
4752
4753        int resultSize = 0;
4754        int resultMode = 0;
4755
4756        switch (specMode) {
4757        // Parent has imposed an exact size on us
4758        case MeasureSpec.EXACTLY:
4759            if (childDimension >= 0) {
4760                resultSize = childDimension;
4761                resultMode = MeasureSpec.EXACTLY;
4762            } else if (childDimension == LayoutParams.MATCH_PARENT) {
4763                // Child wants to be our size. So be it.
4764                resultSize = size;
4765                resultMode = MeasureSpec.EXACTLY;
4766            } else if (childDimension == LayoutParams.WRAP_CONTENT) {
4767                // Child wants to determine its own size. It can't be
4768                // bigger than us.
4769                resultSize = size;
4770                resultMode = MeasureSpec.AT_MOST;
4771            }
4772            break;
4773
4774        // Parent has imposed a maximum size on us
4775        case MeasureSpec.AT_MOST:
4776            if (childDimension >= 0) {
4777                // Child wants a specific size... so be it
4778                resultSize = childDimension;
4779                resultMode = MeasureSpec.EXACTLY;
4780            } else if (childDimension == LayoutParams.MATCH_PARENT) {
4781                // Child wants to be our size, but our size is not fixed.
4782                // Constrain child to not be bigger than us.
4783                resultSize = size;
4784                resultMode = MeasureSpec.AT_MOST;
4785            } else if (childDimension == LayoutParams.WRAP_CONTENT) {
4786                // Child wants to determine its own size. It can't be
4787                // bigger than us.
4788                resultSize = size;
4789                resultMode = MeasureSpec.AT_MOST;
4790            }
4791            break;
4792
4793        // Parent asked to see how big we want to be
4794        case MeasureSpec.UNSPECIFIED:
4795            if (childDimension >= 0) {
4796                // Child wants a specific size... let him have it
4797                resultSize = childDimension;
4798                resultMode = MeasureSpec.EXACTLY;
4799            } else if (childDimension == LayoutParams.MATCH_PARENT) {
4800                // Child wants to be our size... find out how big it should
4801                // be
4802                resultSize = 0;
4803                resultMode = MeasureSpec.UNSPECIFIED;
4804            } else if (childDimension == LayoutParams.WRAP_CONTENT) {
4805                // Child wants to determine its own size.... find out how
4806                // big it should be
4807                resultSize = 0;
4808                resultMode = MeasureSpec.UNSPECIFIED;
4809            }
4810            break;
4811        }
4812        return MeasureSpec.makeMeasureSpec(resultSize, resultMode);
4813    }
4814
4815
4816    /**
4817     * Removes any pending animations for views that have been removed. Call
4818     * this if you don't want animations for exiting views to stack up.
4819     */
4820    public void clearDisappearingChildren() {
4821        if (mDisappearingChildren != null) {
4822            mDisappearingChildren.clear();
4823        }
4824    }
4825
4826    /**
4827     * Add a view which is removed from mChildren but still needs animation
4828     *
4829     * @param v View to add
4830     */
4831    private void addDisappearingView(View v) {
4832        ArrayList<View> disappearingChildren = mDisappearingChildren;
4833
4834        if (disappearingChildren == null) {
4835            disappearingChildren = mDisappearingChildren = new ArrayList<View>();
4836        }
4837
4838        disappearingChildren.add(v);
4839    }
4840
4841    /**
4842     * Cleanup a view when its animation is done. This may mean removing it from
4843     * the list of disappearing views.
4844     *
4845     * @param view The view whose animation has finished
4846     * @param animation The animation, cannot be null
4847     */
4848    private void finishAnimatingView(final View view, Animation animation) {
4849        final ArrayList<View> disappearingChildren = mDisappearingChildren;
4850        if (disappearingChildren != null) {
4851            if (disappearingChildren.contains(view)) {
4852                disappearingChildren.remove(view);
4853
4854                if (view.mAttachInfo != null) {
4855                    view.dispatchDetachedFromWindow();
4856                }
4857
4858                view.clearAnimation();
4859                mGroupFlags |= FLAG_INVALIDATE_REQUIRED;
4860            }
4861        }
4862
4863        if (animation != null && !animation.getFillAfter()) {
4864            view.clearAnimation();
4865        }
4866
4867        if ((view.mPrivateFlags & ANIMATION_STARTED) == ANIMATION_STARTED) {
4868            view.onAnimationEnd();
4869            // Should be performed by onAnimationEnd() but this avoid an infinite loop,
4870            // so we'd rather be safe than sorry
4871            view.mPrivateFlags &= ~ANIMATION_STARTED;
4872            // Draw one more frame after the animation is done
4873            mGroupFlags |= FLAG_INVALIDATE_REQUIRED;
4874        }
4875    }
4876
4877    /**
4878     * Utility function called by View during invalidation to determine whether a view that
4879     * is invisible or gone should still be invalidated because it is being transitioned (and
4880     * therefore still needs to be drawn).
4881     */
4882    boolean isViewTransitioning(View view) {
4883        return (mTransitioningViews != null && mTransitioningViews.contains(view));
4884    }
4885
4886    /**
4887     * This method tells the ViewGroup that the given View object, which should have this
4888     * ViewGroup as its parent,
4889     * should be kept around  (re-displayed when the ViewGroup draws its children) even if it
4890     * is removed from its parent. This allows animations, such as those used by
4891     * {@link android.app.Fragment} and {@link android.animation.LayoutTransition} to animate
4892     * the removal of views. A call to this method should always be accompanied by a later call
4893     * to {@link #endViewTransition(View)}, such as after an animation on the View has finished,
4894     * so that the View finally gets removed.
4895     *
4896     * @param view The View object to be kept visible even if it gets removed from its parent.
4897     */
4898    public void startViewTransition(View view) {
4899        if (view.mParent == this) {
4900            if (mTransitioningViews == null) {
4901                mTransitioningViews = new ArrayList<View>();
4902            }
4903            mTransitioningViews.add(view);
4904        }
4905    }
4906
4907    /**
4908     * This method should always be called following an earlier call to
4909     * {@link #startViewTransition(View)}. The given View is finally removed from its parent
4910     * and will no longer be displayed. Note that this method does not perform the functionality
4911     * of removing a view from its parent; it just discontinues the display of a View that
4912     * has previously been removed.
4913     *
4914     * @return view The View object that has been removed but is being kept around in the visible
4915     * hierarchy by an earlier call to {@link #startViewTransition(View)}.
4916     */
4917    public void endViewTransition(View view) {
4918        if (mTransitioningViews != null) {
4919            mTransitioningViews.remove(view);
4920            final ArrayList<View> disappearingChildren = mDisappearingChildren;
4921            if (disappearingChildren != null && disappearingChildren.contains(view)) {
4922                disappearingChildren.remove(view);
4923                if (mVisibilityChangingChildren != null &&
4924                        mVisibilityChangingChildren.contains(view)) {
4925                    mVisibilityChangingChildren.remove(view);
4926                } else {
4927                    if (view.mAttachInfo != null) {
4928                        view.dispatchDetachedFromWindow();
4929                    }
4930                    if (view.mParent != null) {
4931                        view.mParent = null;
4932                    }
4933                }
4934                mGroupFlags |= FLAG_INVALIDATE_REQUIRED;
4935            }
4936        }
4937    }
4938
4939    private LayoutTransition.TransitionListener mLayoutTransitionListener =
4940            new LayoutTransition.TransitionListener() {
4941        @Override
4942        public void startTransition(LayoutTransition transition, ViewGroup container,
4943                View view, int transitionType) {
4944            // We only care about disappearing items, since we need special logic to keep
4945            // those items visible after they've been 'removed'
4946            if (transitionType == LayoutTransition.DISAPPEARING) {
4947                startViewTransition(view);
4948            }
4949        }
4950
4951        @Override
4952        public void endTransition(LayoutTransition transition, ViewGroup container,
4953                View view, int transitionType) {
4954            if (mLayoutSuppressed && !transition.isChangingLayout()) {
4955                requestLayout();
4956                mLayoutSuppressed = false;
4957            }
4958            if (transitionType == LayoutTransition.DISAPPEARING && mTransitioningViews != null) {
4959                endViewTransition(view);
4960            }
4961        }
4962    };
4963
4964    /**
4965     * {@inheritDoc}
4966     */
4967    @Override
4968    public boolean gatherTransparentRegion(Region region) {
4969        // If no transparent regions requested, we are always opaque.
4970        final boolean meOpaque = (mPrivateFlags & View.REQUEST_TRANSPARENT_REGIONS) == 0;
4971        if (meOpaque && region == null) {
4972            // The caller doesn't care about the region, so stop now.
4973            return true;
4974        }
4975        super.gatherTransparentRegion(region);
4976        final View[] children = mChildren;
4977        final int count = mChildrenCount;
4978        boolean noneOfTheChildrenAreTransparent = true;
4979        for (int i = 0; i < count; i++) {
4980            final View child = children[i];
4981            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {
4982                if (!child.gatherTransparentRegion(region)) {
4983                    noneOfTheChildrenAreTransparent = false;
4984                }
4985            }
4986        }
4987        return meOpaque || noneOfTheChildrenAreTransparent;
4988    }
4989
4990    /**
4991     * {@inheritDoc}
4992     */
4993    public void requestTransparentRegion(View child) {
4994        if (child != null) {
4995            child.mPrivateFlags |= View.REQUEST_TRANSPARENT_REGIONS;
4996            if (mParent != null) {
4997                mParent.requestTransparentRegion(this);
4998            }
4999        }
5000    }
5001
5002
5003    @Override
5004    protected boolean fitSystemWindows(Rect insets) {
5005        boolean done = super.fitSystemWindows(insets);
5006        if (!done) {
5007            final int count = mChildrenCount;
5008            final View[] children = mChildren;
5009            for (int i = 0; i < count; i++) {
5010                done = children[i].fitSystemWindows(insets);
5011                if (done) {
5012                    break;
5013                }
5014            }
5015        }
5016        return done;
5017    }
5018
5019    /**
5020     * Returns the animation listener to which layout animation events are
5021     * sent.
5022     *
5023     * @return an {@link android.view.animation.Animation.AnimationListener}
5024     */
5025    public Animation.AnimationListener getLayoutAnimationListener() {
5026        return mAnimationListener;
5027    }
5028
5029    @Override
5030    protected void drawableStateChanged() {
5031        super.drawableStateChanged();
5032
5033        if ((mGroupFlags & FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE) != 0) {
5034            if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0) {
5035                throw new IllegalStateException("addStateFromChildren cannot be enabled if a"
5036                        + " child has duplicateParentState set to true");
5037            }
5038
5039            final View[] children = mChildren;
5040            final int count = mChildrenCount;
5041
5042            for (int i = 0; i < count; i++) {
5043                final View child = children[i];
5044                if ((child.mViewFlags & DUPLICATE_PARENT_STATE) != 0) {
5045                    child.refreshDrawableState();
5046                }
5047            }
5048        }
5049    }
5050
5051    @Override
5052    public void jumpDrawablesToCurrentState() {
5053        super.jumpDrawablesToCurrentState();
5054        final View[] children = mChildren;
5055        final int count = mChildrenCount;
5056        for (int i = 0; i < count; i++) {
5057            children[i].jumpDrawablesToCurrentState();
5058        }
5059    }
5060
5061    @Override
5062    protected int[] onCreateDrawableState(int extraSpace) {
5063        if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) == 0) {
5064            return super.onCreateDrawableState(extraSpace);
5065        }
5066
5067        int need = 0;
5068        int n = getChildCount();
5069        for (int i = 0; i < n; i++) {
5070            int[] childState = getChildAt(i).getDrawableState();
5071
5072            if (childState != null) {
5073                need += childState.length;
5074            }
5075        }
5076
5077        int[] state = super.onCreateDrawableState(extraSpace + need);
5078
5079        for (int i = 0; i < n; i++) {
5080            int[] childState = getChildAt(i).getDrawableState();
5081
5082            if (childState != null) {
5083                state = mergeDrawableStates(state, childState);
5084            }
5085        }
5086
5087        return state;
5088    }
5089
5090    /**
5091     * Sets whether this ViewGroup's drawable states also include
5092     * its children's drawable states.  This is used, for example, to
5093     * make a group appear to be focused when its child EditText or button
5094     * is focused.
5095     */
5096    public void setAddStatesFromChildren(boolean addsStates) {
5097        if (addsStates) {
5098            mGroupFlags |= FLAG_ADD_STATES_FROM_CHILDREN;
5099        } else {
5100            mGroupFlags &= ~FLAG_ADD_STATES_FROM_CHILDREN;
5101        }
5102
5103        refreshDrawableState();
5104    }
5105
5106    /**
5107     * Returns whether this ViewGroup's drawable states also include
5108     * its children's drawable states.  This is used, for example, to
5109     * make a group appear to be focused when its child EditText or button
5110     * is focused.
5111     */
5112    public boolean addStatesFromChildren() {
5113        return (mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0;
5114    }
5115
5116    /**
5117     * If {link #addStatesFromChildren} is true, refreshes this group's
5118     * drawable state (to include the states from its children).
5119     */
5120    public void childDrawableStateChanged(View child) {
5121        if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0) {
5122            refreshDrawableState();
5123        }
5124    }
5125
5126    /**
5127     * Specifies the animation listener to which layout animation events must
5128     * be sent. Only
5129     * {@link android.view.animation.Animation.AnimationListener#onAnimationStart(Animation)}
5130     * and
5131     * {@link android.view.animation.Animation.AnimationListener#onAnimationEnd(Animation)}
5132     * are invoked.
5133     *
5134     * @param animationListener the layout animation listener
5135     */
5136    public void setLayoutAnimationListener(Animation.AnimationListener animationListener) {
5137        mAnimationListener = animationListener;
5138    }
5139
5140    /**
5141     * This method is called by LayoutTransition when there are 'changing' animations that need
5142     * to start after the layout/setup phase. The request is forwarded to the ViewAncestor, who
5143     * starts all pending transitions prior to the drawing phase in the current traversal.
5144     *
5145     * @param transition The LayoutTransition to be started on the next traversal.
5146     *
5147     * @hide
5148     */
5149    public void requestTransitionStart(LayoutTransition transition) {
5150        ViewRootImpl viewAncestor = getViewRootImpl();
5151        if (viewAncestor != null) {
5152            viewAncestor.requestTransitionStart(transition);
5153        }
5154    }
5155
5156    @Override
5157    protected void resetResolvedLayoutDirection() {
5158        super.resetResolvedLayoutDirection();
5159
5160        // Take care of resetting the children resolution too
5161        final int count = getChildCount();
5162        for (int i = 0; i < count; i++) {
5163            final View child = getChildAt(i);
5164            if (child.getLayoutDirection() == LAYOUT_DIRECTION_INHERIT) {
5165                child.resetResolvedLayoutDirection();
5166            }
5167        }
5168    }
5169
5170    @Override
5171    protected void resetResolvedTextDirection() {
5172        super.resetResolvedTextDirection();
5173
5174        // Take care of resetting the children resolution too
5175        final int count = getChildCount();
5176        for (int i = 0; i < count; i++) {
5177            final View child = getChildAt(i);
5178            if (child.getTextDirection() == TEXT_DIRECTION_INHERIT) {
5179                child.resetResolvedTextDirection();
5180            }
5181        }
5182    }
5183
5184    /**
5185     * Return true if the pressed state should be delayed for children or descendants of this
5186     * ViewGroup. Generally, this should be done for containers that can scroll, such as a List.
5187     * This prevents the pressed state from appearing when the user is actually trying to scroll
5188     * the content.
5189     *
5190     * The default implementation returns true for compatibility reasons. Subclasses that do
5191     * not scroll should generally override this method and return false.
5192     */
5193    public boolean shouldDelayChildPressedState() {
5194        return true;
5195    }
5196
5197    /**
5198     * LayoutParams are used by views to tell their parents how they want to be
5199     * laid out. See
5200     * {@link android.R.styleable#ViewGroup_Layout ViewGroup Layout Attributes}
5201     * for a list of all child view attributes that this class supports.
5202     *
5203     * <p>
5204     * The base LayoutParams class just describes how big the view wants to be
5205     * for both width and height. For each dimension, it can specify one of:
5206     * <ul>
5207     * <li>FILL_PARENT (renamed MATCH_PARENT in API Level 8 and higher), which
5208     * means that the view wants to be as big as its parent (minus padding)
5209     * <li> WRAP_CONTENT, which means that the view wants to be just big enough
5210     * to enclose its content (plus padding)
5211     * <li> an exact number
5212     * </ul>
5213     * There are subclasses of LayoutParams for different subclasses of
5214     * ViewGroup. For example, AbsoluteLayout has its own subclass of
5215     * LayoutParams which adds an X and Y value.</p>
5216     *
5217     * <div class="special reference">
5218     * <h3>Developer Guides</h3>
5219     * <p>For more information about creating user interface layouts, read the
5220     * <a href="{@docRoot}guide/topics/ui/declaring-layout.html">XML Layouts</a> developer
5221     * guide.</p></div>
5222     *
5223     * @attr ref android.R.styleable#ViewGroup_Layout_layout_height
5224     * @attr ref android.R.styleable#ViewGroup_Layout_layout_width
5225     */
5226    public static class LayoutParams {
5227        /**
5228         * Special value for the height or width requested by a View.
5229         * FILL_PARENT means that the view wants to be as big as its parent,
5230         * minus the parent's padding, if any. This value is deprecated
5231         * starting in API Level 8 and replaced by {@link #MATCH_PARENT}.
5232         */
5233        @SuppressWarnings({"UnusedDeclaration"})
5234        @Deprecated
5235        public static final int FILL_PARENT = -1;
5236
5237        /**
5238         * Special value for the height or width requested by a View.
5239         * MATCH_PARENT means that the view wants to be as big as its parent,
5240         * minus the parent's padding, if any. Introduced in API Level 8.
5241         */
5242        public static final int MATCH_PARENT = -1;
5243
5244        /**
5245         * Special value for the height or width requested by a View.
5246         * WRAP_CONTENT means that the view wants to be just large enough to fit
5247         * its own internal content, taking its own padding into account.
5248         */
5249        public static final int WRAP_CONTENT = -2;
5250
5251        /**
5252         * Information about how wide the view wants to be. Can be one of the
5253         * constants FILL_PARENT (replaced by MATCH_PARENT ,
5254         * in API Level 8) or WRAP_CONTENT. or an exact size.
5255         */
5256        @ViewDebug.ExportedProperty(category = "layout", mapping = {
5257            @ViewDebug.IntToString(from = MATCH_PARENT, to = "MATCH_PARENT"),
5258            @ViewDebug.IntToString(from = WRAP_CONTENT, to = "WRAP_CONTENT")
5259        })
5260        public int width;
5261
5262        /**
5263         * Information about how tall the view wants to be. Can be one of the
5264         * constants FILL_PARENT (replaced by MATCH_PARENT ,
5265         * in API Level 8) or WRAP_CONTENT. or an exact size.
5266         */
5267        @ViewDebug.ExportedProperty(category = "layout", mapping = {
5268            @ViewDebug.IntToString(from = MATCH_PARENT, to = "MATCH_PARENT"),
5269            @ViewDebug.IntToString(from = WRAP_CONTENT, to = "WRAP_CONTENT")
5270        })
5271        public int height;
5272
5273        /**
5274         * Used to animate layouts.
5275         */
5276        public LayoutAnimationController.AnimationParameters layoutAnimationParameters;
5277
5278        /**
5279         * Creates a new set of layout parameters. The values are extracted from
5280         * the supplied attributes set and context. The XML attributes mapped
5281         * to this set of layout parameters are:
5282         *
5283         * <ul>
5284         *   <li><code>layout_width</code>: the width, either an exact value,
5285         *   {@link #WRAP_CONTENT}, or {@link #FILL_PARENT} (replaced by
5286         *   {@link #MATCH_PARENT} in API Level 8)</li>
5287         *   <li><code>layout_height</code>: the height, either an exact value,
5288         *   {@link #WRAP_CONTENT}, or {@link #FILL_PARENT} (replaced by
5289         *   {@link #MATCH_PARENT} in API Level 8)</li>
5290         * </ul>
5291         *
5292         * @param c the application environment
5293         * @param attrs the set of attributes from which to extract the layout
5294         *              parameters' values
5295         */
5296        public LayoutParams(Context c, AttributeSet attrs) {
5297            TypedArray a = c.obtainStyledAttributes(attrs, R.styleable.ViewGroup_Layout);
5298            setBaseAttributes(a,
5299                    R.styleable.ViewGroup_Layout_layout_width,
5300                    R.styleable.ViewGroup_Layout_layout_height);
5301            a.recycle();
5302        }
5303
5304        /**
5305         * Creates a new set of layout parameters with the specified width
5306         * and height.
5307         *
5308         * @param width the width, either {@link #WRAP_CONTENT},
5309         *        {@link #FILL_PARENT} (replaced by {@link #MATCH_PARENT} in
5310         *        API Level 8), or a fixed size in pixels
5311         * @param height the height, either {@link #WRAP_CONTENT},
5312         *        {@link #FILL_PARENT} (replaced by {@link #MATCH_PARENT} in
5313         *        API Level 8), or a fixed size in pixels
5314         */
5315        public LayoutParams(int width, int height) {
5316            this.width = width;
5317            this.height = height;
5318        }
5319
5320        /**
5321         * Copy constructor. Clones the width and height values of the source.
5322         *
5323         * @param source The layout params to copy from.
5324         */
5325        public LayoutParams(LayoutParams source) {
5326            this.width = source.width;
5327            this.height = source.height;
5328        }
5329
5330        /**
5331         * Used internally by MarginLayoutParams.
5332         * @hide
5333         */
5334        LayoutParams() {
5335        }
5336
5337        /**
5338         * Extracts the layout parameters from the supplied attributes.
5339         *
5340         * @param a the style attributes to extract the parameters from
5341         * @param widthAttr the identifier of the width attribute
5342         * @param heightAttr the identifier of the height attribute
5343         */
5344        protected void setBaseAttributes(TypedArray a, int widthAttr, int heightAttr) {
5345            width = a.getLayoutDimension(widthAttr, "layout_width");
5346            height = a.getLayoutDimension(heightAttr, "layout_height");
5347        }
5348
5349        /**
5350         * Resolve layout parameters depending on the layout direction. Subclasses that care about
5351         * layoutDirection changes should override this method. The default implementation does
5352         * nothing.
5353         *
5354         * @param layoutDirection the direction of the layout
5355         *
5356         * {@link View#LAYOUT_DIRECTION_LTR}
5357         * {@link View#LAYOUT_DIRECTION_RTL}
5358         *
5359         * @hide
5360         */
5361        protected void resolveWithDirection(int layoutDirection) {
5362        }
5363
5364        /**
5365         * Returns a String representation of this set of layout parameters.
5366         *
5367         * @param output the String to prepend to the internal representation
5368         * @return a String with the following format: output +
5369         *         "ViewGroup.LayoutParams={ width=WIDTH, height=HEIGHT }"
5370         *
5371         * @hide
5372         */
5373        public String debug(String output) {
5374            return output + "ViewGroup.LayoutParams={ width="
5375                    + sizeToString(width) + ", height=" + sizeToString(height) + " }";
5376        }
5377
5378        /**
5379         * Converts the specified size to a readable String.
5380         *
5381         * @param size the size to convert
5382         * @return a String instance representing the supplied size
5383         *
5384         * @hide
5385         */
5386        protected static String sizeToString(int size) {
5387            if (size == WRAP_CONTENT) {
5388                return "wrap-content";
5389            }
5390            if (size == MATCH_PARENT) {
5391                return "match-parent";
5392            }
5393            return String.valueOf(size);
5394        }
5395    }
5396
5397    /**
5398     * Per-child layout information for layouts that support margins.
5399     * See
5400     * {@link android.R.styleable#ViewGroup_MarginLayout ViewGroup Margin Layout Attributes}
5401     * for a list of all child view attributes that this class supports.
5402     */
5403    public static class MarginLayoutParams extends ViewGroup.LayoutParams {
5404        /**
5405         * The left margin in pixels of the child. Whenever this value is changed, a call to
5406         * {@link android.view.View#requestLayout()} needs to be done.
5407         */
5408        @ViewDebug.ExportedProperty(category = "layout")
5409        public int leftMargin;
5410
5411        /**
5412         * The top margin in pixels of the child. Whenever this value is changed, a call to
5413         * {@link android.view.View#requestLayout()} needs to be done.
5414         */
5415        @ViewDebug.ExportedProperty(category = "layout")
5416        public int topMargin;
5417
5418        /**
5419         * The right margin in pixels of the child. Whenever this value is changed, a call to
5420         * {@link android.view.View#requestLayout()} needs to be done.
5421         */
5422        @ViewDebug.ExportedProperty(category = "layout")
5423        public int rightMargin;
5424
5425        /**
5426         * The bottom margin in pixels of the child. Whenever this value is changed, a call to
5427         * {@link android.view.View#requestLayout()} needs to be done.
5428         */
5429        @ViewDebug.ExportedProperty(category = "layout")
5430        public int bottomMargin;
5431
5432        /**
5433         * The start margin in pixels of the child.
5434         *
5435         * @hide
5436         *
5437         */
5438        @ViewDebug.ExportedProperty(category = "layout")
5439        protected int startMargin = DEFAULT_RELATIVE;
5440
5441        /**
5442         * The end margin in pixels of the child.
5443         *
5444         * @hide
5445         */
5446        @ViewDebug.ExportedProperty(category = "layout")
5447        protected int endMargin = DEFAULT_RELATIVE;
5448
5449        /**
5450         * The default start and end margin.
5451         */
5452        static private final int DEFAULT_RELATIVE = Integer.MIN_VALUE;
5453
5454        /**
5455         * Creates a new set of layout parameters. The values are extracted from
5456         * the supplied attributes set and context.
5457         *
5458         * @param c the application environment
5459         * @param attrs the set of attributes from which to extract the layout
5460         *              parameters' values
5461         */
5462        public MarginLayoutParams(Context c, AttributeSet attrs) {
5463            super();
5464
5465            TypedArray a = c.obtainStyledAttributes(attrs, R.styleable.ViewGroup_MarginLayout);
5466            setBaseAttributes(a,
5467                    R.styleable.ViewGroup_MarginLayout_layout_width,
5468                    R.styleable.ViewGroup_MarginLayout_layout_height);
5469
5470            int margin = a.getDimensionPixelSize(
5471                    com.android.internal.R.styleable.ViewGroup_MarginLayout_layout_margin, -1);
5472            if (margin >= 0) {
5473                leftMargin = margin;
5474                topMargin = margin;
5475                rightMargin= margin;
5476                bottomMargin = margin;
5477            } else {
5478                leftMargin = a.getDimensionPixelSize(
5479                        R.styleable.ViewGroup_MarginLayout_layout_marginLeft, 0);
5480                topMargin = a.getDimensionPixelSize(
5481                        R.styleable.ViewGroup_MarginLayout_layout_marginTop, 0);
5482                rightMargin = a.getDimensionPixelSize(
5483                        R.styleable.ViewGroup_MarginLayout_layout_marginRight, 0);
5484                bottomMargin = a.getDimensionPixelSize(
5485                        R.styleable.ViewGroup_MarginLayout_layout_marginBottom, 0);
5486                startMargin = a.getDimensionPixelSize(
5487                        R.styleable.ViewGroup_MarginLayout_layout_marginStart, DEFAULT_RELATIVE);
5488                endMargin = a.getDimensionPixelSize(
5489                        R.styleable.ViewGroup_MarginLayout_layout_marginEnd, DEFAULT_RELATIVE);
5490            }
5491
5492            a.recycle();
5493        }
5494
5495        /**
5496         * {@inheritDoc}
5497         */
5498        public MarginLayoutParams(int width, int height) {
5499            super(width, height);
5500        }
5501
5502        /**
5503         * Copy constructor. Clones the width, height and margin values of the source.
5504         *
5505         * @param source The layout params to copy from.
5506         */
5507        public MarginLayoutParams(MarginLayoutParams source) {
5508            this.width = source.width;
5509            this.height = source.height;
5510
5511            this.leftMargin = source.leftMargin;
5512            this.topMargin = source.topMargin;
5513            this.rightMargin = source.rightMargin;
5514            this.bottomMargin = source.bottomMargin;
5515            this.startMargin = source.startMargin;
5516            this.endMargin = source.endMargin;
5517        }
5518
5519        /**
5520         * {@inheritDoc}
5521         */
5522        public MarginLayoutParams(LayoutParams source) {
5523            super(source);
5524        }
5525
5526        /**
5527         * Sets the margins, in pixels. A call to {@link android.view.View#requestLayout()} needs
5528         * to be done so that the new margins are taken into account. Left and right margins may be
5529         * overriden by {@link android.view.View#requestLayout()} depending on layout direction.
5530         *
5531         * @param left the left margin size
5532         * @param top the top margin size
5533         * @param right the right margin size
5534         * @param bottom the bottom margin size
5535         *
5536         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginLeft
5537         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginTop
5538         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginRight
5539         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginBottom
5540         */
5541        public void setMargins(int left, int top, int right, int bottom) {
5542            leftMargin = left;
5543            topMargin = top;
5544            rightMargin = right;
5545            bottomMargin = bottom;
5546        }
5547
5548        /**
5549         * Sets the relative margins, in pixels. A call to {@link android.view.View#requestLayout()}
5550         * needs to be done so that the new relative margins are taken into account. Left and right
5551         * margins may be overriden by {@link android.view.View#requestLayout()} depending on layout
5552         * direction.
5553         *
5554         * @param start the start margin size
5555         * @param top the top margin size
5556         * @param end the right margin size
5557         * @param bottom the bottom margin size
5558         *
5559         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart
5560         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginTop
5561         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd
5562         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginBottom
5563         *
5564         * @hide
5565         */
5566        public void setMarginsRelative(int start, int top, int end, int bottom) {
5567            startMargin = start;
5568            topMargin = top;
5569            endMargin = end;
5570            bottomMargin = bottom;
5571        }
5572
5573        /**
5574         * Returns the start margin in pixels.
5575         *
5576         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart
5577         *
5578         * @return the start margin in pixels.
5579         *
5580         * @hide
5581         */
5582        public int getMarginStart() {
5583            return startMargin;
5584        }
5585
5586        /**
5587         * Returns the end margin in pixels.
5588         *
5589         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd
5590         *
5591         * @return the end margin in pixels.
5592         *
5593         * @hide
5594         */
5595        public int getMarginEnd() {
5596            return endMargin;
5597        }
5598
5599        /**
5600         * Check if margins are relative.
5601         *
5602         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart
5603         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd
5604         *
5605         * @return true if either marginStart or marginEnd has been set
5606         *
5607         * @hide
5608         */
5609        public boolean isMarginRelative() {
5610            return (startMargin != DEFAULT_RELATIVE) || (endMargin != DEFAULT_RELATIVE);
5611        }
5612
5613        /**
5614         * This will be called by {@link android.view.View#requestLayout()}. Left and Right margins
5615         * maybe overriden depending on layout direction.
5616         *
5617         * @hide
5618         */
5619        @Override
5620        protected void resolveWithDirection(int layoutDirection) {
5621            switch(layoutDirection) {
5622                case View.LAYOUT_DIRECTION_RTL:
5623                    leftMargin = (endMargin > DEFAULT_RELATIVE) ? endMargin : leftMargin;
5624                    rightMargin = (startMargin > DEFAULT_RELATIVE) ? startMargin : rightMargin;
5625                    break;
5626                case View.LAYOUT_DIRECTION_LTR:
5627                default:
5628                    leftMargin = (startMargin > DEFAULT_RELATIVE) ? startMargin : leftMargin;
5629                    rightMargin = (endMargin > DEFAULT_RELATIVE) ? endMargin : rightMargin;
5630                    break;
5631            }
5632        }
5633    }
5634
5635    /* Describes a touched view and the ids of the pointers that it has captured.
5636     *
5637     * This code assumes that pointer ids are always in the range 0..31 such that
5638     * it can use a bitfield to track which pointer ids are present.
5639     * As it happens, the lower layers of the input dispatch pipeline also use the
5640     * same trick so the assumption should be safe here...
5641     */
5642    private static final class TouchTarget {
5643        private static final int MAX_RECYCLED = 32;
5644        private static final Object sRecycleLock = new Object();
5645        private static TouchTarget sRecycleBin;
5646        private static int sRecycledCount;
5647
5648        public static final int ALL_POINTER_IDS = -1; // all ones
5649
5650        // The touched child view.
5651        public View child;
5652
5653        // The combined bit mask of pointer ids for all pointers captured by the target.
5654        public int pointerIdBits;
5655
5656        // The next target in the target list.
5657        public TouchTarget next;
5658
5659        private TouchTarget() {
5660        }
5661
5662        public static TouchTarget obtain(View child, int pointerIdBits) {
5663            final TouchTarget target;
5664            synchronized (sRecycleLock) {
5665                if (sRecycleBin == null) {
5666                    target = new TouchTarget();
5667                } else {
5668                    target = sRecycleBin;
5669                    sRecycleBin = target.next;
5670                     sRecycledCount--;
5671                    target.next = null;
5672                }
5673            }
5674            target.child = child;
5675            target.pointerIdBits = pointerIdBits;
5676            return target;
5677        }
5678
5679        public void recycle() {
5680            synchronized (sRecycleLock) {
5681                if (sRecycledCount < MAX_RECYCLED) {
5682                    next = sRecycleBin;
5683                    sRecycleBin = this;
5684                    sRecycledCount += 1;
5685                } else {
5686                    next = null;
5687                }
5688                child = null;
5689            }
5690        }
5691    }
5692
5693    /* Describes a hovered view. */
5694    private static final class HoverTarget {
5695        private static final int MAX_RECYCLED = 32;
5696        private static final Object sRecycleLock = new Object();
5697        private static HoverTarget sRecycleBin;
5698        private static int sRecycledCount;
5699
5700        // The hovered child view.
5701        public View child;
5702
5703        // The next target in the target list.
5704        public HoverTarget next;
5705
5706        private HoverTarget() {
5707        }
5708
5709        public static HoverTarget obtain(View child) {
5710            final HoverTarget target;
5711            synchronized (sRecycleLock) {
5712                if (sRecycleBin == null) {
5713                    target = new HoverTarget();
5714                } else {
5715                    target = sRecycleBin;
5716                    sRecycleBin = target.next;
5717                     sRecycledCount--;
5718                    target.next = null;
5719                }
5720            }
5721            target.child = child;
5722            return target;
5723        }
5724
5725        public void recycle() {
5726            synchronized (sRecycleLock) {
5727                if (sRecycledCount < MAX_RECYCLED) {
5728                    next = sRecycleBin;
5729                    sRecycleBin = this;
5730                    sRecycledCount += 1;
5731                } else {
5732                    next = null;
5733                }
5734                child = null;
5735            }
5736        }
5737    }
5738}
5739