android viewgroup浅析

来源:互联网 发布:纪伯伦你的孩子知乎 编辑:程序博客网 时间:2024/06/05 17:23

最近在学习launcher3源码,看到workspace appcustomizepagedview最终都继承自PagedView.java,而PagedView.java又继承自ViewGroup,所以上网查了些资料,看了平台源码。现将一些注释分享一下


ViewGroup.java源码:

/* * Copyright (C) 2006 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * *      http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. *///ViewGroup是什么?一个ViewGroup是一个可以包含子View的容器,是布局文件和View容器的基类。在这个类里定义了ViewGroup.LayoutParams类,这个类是布局参数的子类。//其实ViewGroup也就是VIew的容器,通过ViewGroup.LayoutParams来指定子View的参数。package android.view;import android.animation.LayoutTransition;import android.content.Context;import android.content.res.Configuration;import android.content.res.TypedArray;import android.graphics.Bitmap;import android.graphics.Canvas;import android.graphics.Color;import android.graphics.Insets;import android.graphics.Matrix;import android.graphics.Paint;import android.graphics.PointF;import android.graphics.Rect;import android.graphics.RectF;import android.graphics.Region;import android.os.Build;import android.os.Parcelable;import android.os.SystemClock;import android.util.AttributeSet;import android.util.Log;import android.util.Pools.SynchronizedPool;import android.util.SparseArray;import android.view.accessibility.AccessibilityEvent;import android.view.accessibility.AccessibilityManager;import android.view.accessibility.AccessibilityNodeInfo;import android.view.animation.Animation;import android.view.animation.AnimationUtils;import android.view.animation.LayoutAnimationController;import android.view.animation.Transformation;import com.android.internal.R;import com.android.internal.util.Predicate;import java.util.ArrayList;import java.util.Collections;import java.util.HashSet;import static android.os.Build.VERSION_CODES.JELLY_BEAN_MR1;/** * <p> * A <code>ViewGroup</code> is a special view that can contain other views * (called children.) The view group is the base class for layouts and views * containers. This class also defines the * {@link android.view.ViewGroup.LayoutParams} class which serves as the base * class for layouts parameters. * </p> * * <p> * Also see {@link LayoutParams} for layout attributes. * </p> * * <div class="special reference"> * <h3>Developer Guides</h3> * <p>For more information about creating user interface layouts, read the * <a href="{@docRoot}guide/topics/ui/declaring-layout.html">XML Layouts</a> developer * guide.</p></div> * * <p>Here is a complete implementation of a custom ViewGroup that implements * a simple {@link android.widget.FrameLayout} along with the ability to stack * children in left and right gutters.</p> * * {@sample development/samples/ApiDemos/src/com/example/android/apis/view/CustomLayout.java *      Complete} * * <p>If you are implementing XML layout attributes as shown in the example, this is the * corresponding definition for them that would go in <code>res/values/attrs.xml</code>:</p> * * {@sample development/samples/ApiDemos/res/values/attrs.xml CustomLayout} * * <p>Finally the layout manager can be used in an XML layout like so:</p> * * {@sample development/samples/ApiDemos/res/layout/custom_layout.xml Complete} * * @attr ref android.R.styleable#ViewGroup_clipChildren * @attr ref android.R.styleable#ViewGroup_clipToPadding * @attr ref android.R.styleable#ViewGroup_layoutAnimation * @attr ref android.R.styleable#ViewGroup_animationCache * @attr ref android.R.styleable#ViewGroup_persistentDrawingCache * @attr ref android.R.styleable#ViewGroup_alwaysDrawnWithCache * @attr ref android.R.styleable#ViewGroup_addStatesFromChildren * @attr ref android.R.styleable#ViewGroup_descendantFocusability * @attr ref android.R.styleable#ViewGroup_animateLayoutChanges * @attr ref android.R.styleable#ViewGroup_splitMotionEvents * @attr ref android.R.styleable#ViewGroup_layoutMode */ //ViewGroup作为一个容器,为了制定这个容器应有的标准,所以为其指定了接口public abstract class ViewGroup extends View implements ViewParent, ViewManager {    private static final String TAG = "ViewGroup";    private static final boolean DBG = false;    /** @hide */    public static boolean DEBUG_DRAW = false;    /**     * Views which have been hidden or removed which need to be animated on     * their way out.     * This field should be made private, so it is hidden from the SDK.     * {@hide}     */    protected ArrayList<View> mDisappearingChildren;    /**     * Listener used to propagate events indicating when children are added     * and/or removed from a view group.     * This field should be made private, so it is hidden from the SDK.     * {@hide}     */    protected OnHierarchyChangeListener mOnHierarchyChangeListener;    // The view contained within this ViewGroup that has or contains focus.    private View mFocused;    /**     * A Transformation used when drawing children, to     * apply on the child being drawn.     */    private Transformation mChildTransformation;    /**     * Used to track the current invalidation region.     */    RectF mInvalidateRegion;    /**     * A Transformation used to calculate a correct     * invalidation area when the application is autoscaled.     */    Transformation mInvalidationTransformation;    // View currently under an ongoing drag    private View mCurrentDragView;    // Metadata about the ongoing drag    private DragEvent mCurrentDrag;    private HashSet<View> mDragNotifiedChildren;    // Does this group have a child that can accept the current drag payload?    private boolean mChildAcceptsDrag;    // Used during drag dispatch    private PointF mLocalPoint;    // Layout animation    private LayoutAnimationController mLayoutAnimationController;    private Animation.AnimationListener mAnimationListener;    // First touch target in the linked list of touch targets.    private TouchTarget mFirstTouchTarget;    // For debugging only.  You can see these in hierarchyviewer.    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})    @ViewDebug.ExportedProperty(category = "events")    private long mLastTouchDownTime;    @ViewDebug.ExportedProperty(category = "events")    private int mLastTouchDownIndex = -1;    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})    @ViewDebug.ExportedProperty(category = "events")    private float mLastTouchDownX;    @SuppressWarnings({"FieldCanBeLocal", "UnusedDeclaration"})    @ViewDebug.ExportedProperty(category = "events")    private float mLastTouchDownY;    // First hover target in the linked list of hover targets.    // The hover targets are children which have received ACTION_HOVER_ENTER.    // They might not have actually handled the hover event, but we will    // continue sending hover events to them as long as the pointer remains over    // their bounds and the view group does not intercept hover.    private HoverTarget mFirstHoverTarget;    // True if the view group itself received a hover event.    // It might not have actually handled the hover event.    private boolean mHoveredSelf;    /**     * Internal flags.     *     * This field should be made private, so it is hidden from the SDK.     * {@hide}     */    @ViewDebug.ExportedProperty(flagMapping = {            @ViewDebug.FlagToString(mask = FLAG_CLIP_CHILDREN, equals = FLAG_CLIP_CHILDREN,                    name = "CLIP_CHILDREN"),            @ViewDebug.FlagToString(mask = FLAG_CLIP_TO_PADDING, equals = FLAG_CLIP_TO_PADDING,                    name = "CLIP_TO_PADDING"),            @ViewDebug.FlagToString(mask = FLAG_PADDING_NOT_NULL, equals = FLAG_PADDING_NOT_NULL,                    name = "PADDING_NOT_NULL")    })    protected int mGroupFlags;    /**     * Either {@link #LAYOUT_MODE_CLIP_BOUNDS} or {@link #LAYOUT_MODE_OPTICAL_BOUNDS}.     */    private int mLayoutMode = LAYOUT_MODE_UNDEFINED;    /**     * NOTE: If you change the flags below make sure to reflect the changes     *       the DisplayList class     */        // When set, ViewGroup invalidates only the child's rectangle    // Set by default    static final int FLAG_CLIP_CHILDREN = 0x1;    // When set, ViewGroup excludes the padding area from the invalidate rectangle    // Set by default    private static final int FLAG_CLIP_TO_PADDING = 0x2;    // When set, dispatchDraw() will invoke invalidate(); this is set by drawChild() when    // a child needs to be invalidated and FLAG_OPTIMIZE_INVALIDATE is set    static final int FLAG_INVALIDATE_REQUIRED  = 0x4;    // When set, dispatchDraw() will run the layout animation and unset the flag    private static final int FLAG_RUN_ANIMATION = 0x8;    // When set, there is either no layout animation on the ViewGroup or the layout    // animation is over    // Set by default    static final int FLAG_ANIMATION_DONE = 0x10;    // If set, this ViewGroup has padding; if unset there is no padding and we don't need    // to clip it, even if FLAG_CLIP_TO_PADDING is set    private static final int FLAG_PADDING_NOT_NULL = 0x20;    // When set, this ViewGroup caches its children in a Bitmap before starting a layout animation    // Set by default    private static final int FLAG_ANIMATION_CACHE = 0x40;    // When set, this ViewGroup converts calls to invalidate(Rect) to invalidate() during a    // layout animation; this avoid clobbering the hierarchy    // Automatically set when the layout animation starts, depending on the animation's    // characteristics    static final int FLAG_OPTIMIZE_INVALIDATE = 0x80;    // When set, the next call to drawChild() will clear mChildTransformation's matrix    static final int FLAG_CLEAR_TRANSFORMATION = 0x100;    // When set, this ViewGroup invokes mAnimationListener.onAnimationEnd() and removes    // the children's Bitmap caches if necessary    // This flag is set when the layout animation is over (after FLAG_ANIMATION_DONE is set)    private static final int FLAG_NOTIFY_ANIMATION_LISTENER = 0x200;    /**     * When set, the drawing method will call {@link #getChildDrawingOrder(int, int)}     * to get the index of the child to draw for that iteration.     *      * @hide     */    protected static final int FLAG_USE_CHILD_DRAWING_ORDER = 0x400;    /**     * When set, this ViewGroup supports static transformations on children; this causes     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} to be     * invoked when a child is drawn.     *     * Any subclass overriding     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} should     * set this flags in {@link #mGroupFlags}.     *     * {@hide}     */    protected static final int FLAG_SUPPORT_STATIC_TRANSFORMATIONS = 0x800;    // When the previous drawChild() invocation used an alpha value that was lower than    // 1.0 and set it in mCachePaint    static final int FLAG_ALPHA_LOWER_THAN_ONE = 0x1000;    /**     * When set, this ViewGroup's drawable states also include those     * of its children.     */    private static final int FLAG_ADD_STATES_FROM_CHILDREN = 0x2000;    /**     * When set, this ViewGroup tries to always draw its children using their drawing cache.     */    static final int FLAG_ALWAYS_DRAWN_WITH_CACHE = 0x4000;    /**     * When set, and if FLAG_ALWAYS_DRAWN_WITH_CACHE is not set, this ViewGroup will try to     * draw its children with their drawing cache.     */    static final int FLAG_CHILDREN_DRAWN_WITH_CACHE = 0x8000;    /**     * When set, this group will go through its list of children to notify them of     * any drawable state change.     */    private static final int FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE = 0x10000;    private static final int FLAG_MASK_FOCUSABILITY = 0x60000;    /**     * This view will get focus before any of its descendants.     */    public static final int FOCUS_BEFORE_DESCENDANTS = 0x20000;    /**     * This view will get focus only if none of its descendants want it.     */    public static final int FOCUS_AFTER_DESCENDANTS = 0x40000;    /**     * This view will block any of its descendants from getting focus, even     * if they are focusable.     */    public static final int FOCUS_BLOCK_DESCENDANTS = 0x60000;    /**     * Used to map between enum in attrubutes and flag values.     */    private static final int[] DESCENDANT_FOCUSABILITY_FLAGS =            {FOCUS_BEFORE_DESCENDANTS, FOCUS_AFTER_DESCENDANTS,                    FOCUS_BLOCK_DESCENDANTS};    /**     * When set, this ViewGroup should not intercept touch events.     * {@hide}     */    protected static final int FLAG_DISALLOW_INTERCEPT = 0x80000;    /**     * When set, this ViewGroup will split MotionEvents to multiple child Views when appropriate.     */    private static final int FLAG_SPLIT_MOTION_EVENTS = 0x200000;    /**     * When set, this ViewGroup will not dispatch onAttachedToWindow calls     * to children when adding new views. This is used to prevent multiple     * onAttached calls when a ViewGroup adds children in its own onAttached method.     */    private static final int FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW = 0x400000;    /**     * When true, indicates that a layoutMode has been explicitly set, either with     * an explicit call to {@link #setLayoutMode(int)} in code or from an XML resource.     * This distinguishes the situation in which a layout mode was inherited from     * one of the ViewGroup's ancestors and cached locally.     */    private static final int FLAG_LAYOUT_MODE_WAS_EXPLICITLY_SET = 0x800000;    /**     * Indicates which types of drawing caches are to be kept in memory.     * This field should be made private, so it is hidden from the SDK.     * {@hide}     */    protected int mPersistentDrawingCache;    /**     * Used to indicate that no drawing cache should be kept in memory.     */    public static final int PERSISTENT_NO_CACHE = 0x0;    /**     * Used to indicate that the animation drawing cache should be kept in memory.     */    public static final int PERSISTENT_ANIMATION_CACHE = 0x1;    /**     * Used to indicate that the scrolling drawing cache should be kept in memory.     */    public static final int PERSISTENT_SCROLLING_CACHE = 0x2;    /**     * Used to indicate that all drawing caches should be kept in memory.     */    public static final int PERSISTENT_ALL_CACHES = 0x3;    // Layout Modes    private static final int LAYOUT_MODE_UNDEFINED = -1;    /**     * This constant is a {@link #setLayoutMode(int) layoutMode}.     * Clip bounds are the raw values of {@link #getLeft() left}, {@link #getTop() top},     * {@link #getRight() right} and {@link #getBottom() bottom}.     */    public static final int LAYOUT_MODE_CLIP_BOUNDS = 0;    /**     * This constant is a {@link #setLayoutMode(int) layoutMode}.     * Optical bounds describe where a widget appears to be. They sit inside the clip     * bounds which need to cover a larger area to allow other effects,     * such as shadows and glows, to be drawn.     */    public static final int LAYOUT_MODE_OPTICAL_BOUNDS = 1;    /** @hide */    public static int LAYOUT_MODE_DEFAULT = LAYOUT_MODE_CLIP_BOUNDS;    /**     * We clip to padding when FLAG_CLIP_TO_PADDING and FLAG_PADDING_NOT_NULL     * are set at the same time.     */    protected static final int CLIP_TO_PADDING_MASK = FLAG_CLIP_TO_PADDING | FLAG_PADDING_NOT_NULL;    // Index of the child's left position in the mLocation array    private static final int CHILD_LEFT_INDEX = 0;    // Index of the child's top position in the mLocation array    private static final int CHILD_TOP_INDEX = 1;    // Child views of this ViewGroup//用一个数组来存储这些子View//由于是通过一个数组来存储View数据的,所以对于ViewGroup来说其必须实现增,删,查的算法。    private View[] mChildren;    // Number of valid children in the mChildren array, the rest should be null or not    // considered as children    private int mChildrenCount;    // Whether layout calls are currently being suppressed, controlled by calls to    // suppressLayout()    boolean mSuppressLayout = false;    // Whether any layout calls have actually been suppressed while mSuppressLayout    // has been true. This tracks whether we need to issue a requestLayout() when    // layout is later re-enabled.    private boolean mLayoutCalledWhileSuppressed = false;    private static final int ARRAY_INITIAL_CAPACITY = 12;    private static final int ARRAY_CAPACITY_INCREMENT = 12;    private static Paint sDebugPaint;    private static float[] sDebugLines;    // Used to draw cached views    Paint mCachePaint;    // Used to animate add/remove changes in layout    private LayoutTransition mTransition;    // The set of views that are currently being transitioned. This list is used to track views    // being removed that should not actually be removed from the parent yet because they are    // being animated.    private ArrayList<View> mTransitioningViews;    // List of children changing visibility. This is used to potentially keep rendering    // views during a transition when they otherwise would have become gone/invisible    private ArrayList<View> mVisibilityChangingChildren;    // Indicates how many of this container's child subtrees contain transient state    @ViewDebug.ExportedProperty(category = "layout")    private int mChildCountWithTransientState = 0;    public ViewGroup(Context context) {        super(context);        initViewGroup();    }    public ViewGroup(Context context, AttributeSet attrs) {        super(context, attrs);        initViewGroup();        initFromAttributes(context, attrs);    }    public ViewGroup(Context context, AttributeSet attrs, int defStyle) {        super(context, attrs, defStyle);        initViewGroup();        initFromAttributes(context, attrs);    }    private boolean debugDraw() {        return DEBUG_DRAW || mAttachInfo != null && mAttachInfo.mDebugLayout;    }    private void initViewGroup() {        // ViewGroup doesn't draw by default        if (!debugDraw()) {            setFlags(WILL_NOT_DRAW, DRAW_MASK);        }        mGroupFlags |= FLAG_CLIP_CHILDREN;        mGroupFlags |= FLAG_CLIP_TO_PADDING;        mGroupFlags |= FLAG_ANIMATION_DONE;        mGroupFlags |= FLAG_ANIMATION_CACHE;        mGroupFlags |= FLAG_ALWAYS_DRAWN_WITH_CACHE;        if (mContext.getApplicationInfo().targetSdkVersion >= Build.VERSION_CODES.HONEYCOMB) {            mGroupFlags |= FLAG_SPLIT_MOTION_EVENTS;        }        setDescendantFocusability(FOCUS_BEFORE_DESCENDANTS);        mChildren = new View[ARRAY_INITIAL_CAPACITY];        mChildrenCount = 0;        mPersistentDrawingCache = PERSISTENT_SCROLLING_CACHE;    }    private void initFromAttributes(Context context, AttributeSet attrs) {        TypedArray a = context.obtainStyledAttributes(attrs,                R.styleable.ViewGroup);        final int N = a.getIndexCount();        for (int i = 0; i < N; i++) {            int attr = a.getIndex(i);            switch (attr) {                case R.styleable.ViewGroup_clipChildren:                    setClipChildren(a.getBoolean(attr, true));                    break;                case R.styleable.ViewGroup_clipToPadding:                    setClipToPadding(a.getBoolean(attr, true));                    break;                case R.styleable.ViewGroup_animationCache:                    setAnimationCacheEnabled(a.getBoolean(attr, true));                    break;                case R.styleable.ViewGroup_persistentDrawingCache:                    setPersistentDrawingCache(a.getInt(attr, PERSISTENT_SCROLLING_CACHE));                    break;                case R.styleable.ViewGroup_addStatesFromChildren:                    setAddStatesFromChildren(a.getBoolean(attr, false));                    break;                case R.styleable.ViewGroup_alwaysDrawnWithCache:                    setAlwaysDrawnWithCacheEnabled(a.getBoolean(attr, true));                    break;                case R.styleable.ViewGroup_layoutAnimation:                    int id = a.getResourceId(attr, -1);                    if (id > 0) {                        setLayoutAnimation(AnimationUtils.loadLayoutAnimation(mContext, id));                    }                    break;                case R.styleable.ViewGroup_descendantFocusability:                    setDescendantFocusability(DESCENDANT_FOCUSABILITY_FLAGS[a.getInt(attr, 0)]);                    break;                case R.styleable.ViewGroup_splitMotionEvents:                    setMotionEventSplittingEnabled(a.getBoolean(attr, false));                    break;                case R.styleable.ViewGroup_animateLayoutChanges:                    boolean animateLayoutChanges = a.getBoolean(attr, false);                    if (animateLayoutChanges) {                        setLayoutTransition(new LayoutTransition());                    }                    break;                case R.styleable.ViewGroup_layoutMode:                    setLayoutMode(a.getInt(attr, LAYOUT_MODE_UNDEFINED));                    break;            }        }        a.recycle();    }    /**     * Gets the descendant focusability of this view group.  The descendant     * focusability defines the relationship between this view group and its     * descendants when looking for a view to take focus in     * {@link #requestFocus(int, android.graphics.Rect)}.     *     * @return one of {@link #FOCUS_BEFORE_DESCENDANTS}, {@link #FOCUS_AFTER_DESCENDANTS},     *   {@link #FOCUS_BLOCK_DESCENDANTS}.     */    @ViewDebug.ExportedProperty(category = "focus", mapping = {        @ViewDebug.IntToString(from = FOCUS_BEFORE_DESCENDANTS, to = "FOCUS_BEFORE_DESCENDANTS"),        @ViewDebug.IntToString(from = FOCUS_AFTER_DESCENDANTS, to = "FOCUS_AFTER_DESCENDANTS"),        @ViewDebug.IntToString(from = FOCUS_BLOCK_DESCENDANTS, to = "FOCUS_BLOCK_DESCENDANTS")    })    public int getDescendantFocusability() {        return mGroupFlags & FLAG_MASK_FOCUSABILITY;    }    /**     * Set the descendant focusability of this view group. This defines the relationship     * between this view group and its descendants when looking for a view to     * take focus in {@link #requestFocus(int, android.graphics.Rect)}.     *     * @param focusability one of {@link #FOCUS_BEFORE_DESCENDANTS}, {@link #FOCUS_AFTER_DESCENDANTS},     *   {@link #FOCUS_BLOCK_DESCENDANTS}.     */    public void setDescendantFocusability(int focusability) {        switch (focusability) {            case FOCUS_BEFORE_DESCENDANTS:            case FOCUS_AFTER_DESCENDANTS:            case FOCUS_BLOCK_DESCENDANTS:                break;            default:                throw new IllegalArgumentException("must be one of FOCUS_BEFORE_DESCENDANTS, "                        + "FOCUS_AFTER_DESCENDANTS, FOCUS_BLOCK_DESCENDANTS");        }        mGroupFlags &= ~FLAG_MASK_FOCUSABILITY;        mGroupFlags |= (focusability & FLAG_MASK_FOCUSABILITY);    }    /**     * {@inheritDoc}     */    @Override    void handleFocusGainInternal(int direction, Rect previouslyFocusedRect) {        if (mFocused != null) {            mFocused.unFocus();            mFocused = null;        }        super.handleFocusGainInternal(direction, previouslyFocusedRect);    }    /**     * {@inheritDoc}     */    public void requestChildFocus(View child, View focused) {        if (DBG) {            System.out.println(this + " requestChildFocus()");        }        if (getDescendantFocusability() == FOCUS_BLOCK_DESCENDANTS) {            return;        }        // Unfocus us, if necessary        super.unFocus();        // We had a previous notion of who had focus. Clear it.        if (mFocused != child) {            if (mFocused != null) {                mFocused.unFocus();            }            mFocused = child;        }        if (mParent != null) {            mParent.requestChildFocus(this, focused);        }    }    /**     * {@inheritDoc}     */    public void focusableViewAvailable(View v) {        if (mParent != null                // shortcut: don't report a new focusable view if we block our descendants from                // getting focus                && (getDescendantFocusability() != FOCUS_BLOCK_DESCENDANTS)                // shortcut: don't report a new focusable view if we already are focused                // (and we don't prefer our descendants)                //                // note: knowing that mFocused is non-null is not a good enough reason                // to break the traversal since in that case we'd actually have to find                // the focused view and make sure it wasn't FOCUS_AFTER_DESCENDANTS and                // an ancestor of v; this will get checked for at ViewAncestor                && !(isFocused() && getDescendantFocusability() != FOCUS_AFTER_DESCENDANTS)) {            mParent.focusableViewAvailable(v);        }    }    /**     * {@inheritDoc}     */    public boolean showContextMenuForChild(View originalView) {        return mParent != null && mParent.showContextMenuForChild(originalView);    }    /**     * {@inheritDoc}     */    public ActionMode startActionModeForChild(View originalView, ActionMode.Callback callback) {        return mParent != null ? mParent.startActionModeForChild(originalView, callback) : null;    }    /**     * Find the nearest view in the specified direction that wants to take     * focus.     *     * @param focused The view that currently has focus     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and     *        FOCUS_RIGHT, or 0 for not applicable.     */    public View focusSearch(View focused, int direction) {        if (isRootNamespace()) {            // root namespace means we should consider ourselves the top of the            // tree for focus searching; otherwise we could be focus searching            // into other tabs.  see LocalActivityManager and TabHost for more info            return FocusFinder.getInstance().findNextFocus(this, focused, direction);        } else if (mParent != null) {            return mParent.focusSearch(focused, direction);        }        return null;    }    /**     * {@inheritDoc}     */    public boolean requestChildRectangleOnScreen(View child, Rect rectangle, boolean immediate) {        return false;    }    /**     * {@inheritDoc}     */    @Override    public boolean requestSendAccessibilityEvent(View child, AccessibilityEvent event) {        ViewParent parent = mParent;        if (parent == null) {            return false;        }        final boolean propagate = onRequestSendAccessibilityEvent(child, event);        if (!propagate) {            return false;        }        return parent.requestSendAccessibilityEvent(this, event);    }    /**     * Called when a child has requested sending an {@link AccessibilityEvent} and     * gives an opportunity to its parent to augment the event.     * <p>     * If an {@link android.view.View.AccessibilityDelegate} has been specified via calling     * {@link android.view.View#setAccessibilityDelegate(android.view.View.AccessibilityDelegate)} its     * {@link android.view.View.AccessibilityDelegate#onRequestSendAccessibilityEvent(ViewGroup, View, AccessibilityEvent)}     * is responsible for handling this call.     * </p>     *     * @param child The child which requests sending the event.     * @param event The event to be sent.     * @return True if the event should be sent.     *     * @see #requestSendAccessibilityEvent(View, AccessibilityEvent)     */    public boolean onRequestSendAccessibilityEvent(View child, AccessibilityEvent event) {        if (mAccessibilityDelegate != null) {            return mAccessibilityDelegate.onRequestSendAccessibilityEvent(this, child, event);        } else {            return onRequestSendAccessibilityEventInternal(child, event);        }    }    /**     * @see #onRequestSendAccessibilityEvent(View, AccessibilityEvent)     *     * Note: Called from the default {@link View.AccessibilityDelegate}.     */    boolean onRequestSendAccessibilityEventInternal(View child, AccessibilityEvent event) {        return true;    }    /**     * Called when a child view has changed whether or not it is tracking transient state.     */    public void childHasTransientStateChanged(View child, boolean childHasTransientState) {        final boolean oldHasTransientState = hasTransientState();        if (childHasTransientState) {            mChildCountWithTransientState++;        } else {            mChildCountWithTransientState--;        }        final boolean newHasTransientState = hasTransientState();        if (mParent != null && oldHasTransientState != newHasTransientState) {            try {                mParent.childHasTransientStateChanged(this, newHasTransientState);            } catch (AbstractMethodError e) {                Log.e(TAG, mParent.getClass().getSimpleName() +                        " does not fully implement ViewParent", e);            }        }    }    @Override    public boolean hasTransientState() {        return mChildCountWithTransientState > 0 || super.hasTransientState();    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchUnhandledMove(View focused, int direction) {        return mFocused != null &&                mFocused.dispatchUnhandledMove(focused, direction);    }    /**     * {@inheritDoc}     */    public void clearChildFocus(View child) {        if (DBG) {            System.out.println(this + " clearChildFocus()");        }        mFocused = null;        if (mParent != null) {            mParent.clearChildFocus(this);        }    }    /**     * {@inheritDoc}     */    @Override    public void clearFocus() {        if (DBG) {            System.out.println(this + " clearFocus()");        }        if (mFocused == null) {            super.clearFocus();        } else {            View focused = mFocused;            mFocused = null;            focused.clearFocus();        }    }    /**     * {@inheritDoc}     */    @Override    void unFocus() {        if (DBG) {            System.out.println(this + " unFocus()");        }        if (mFocused == null) {            super.unFocus();        } else {            mFocused.unFocus();            mFocused = null;        }    }    /**     * Returns the focused child of this view, if any. The child may have focus     * or contain focus.     *     * @return the focused child or null.     */    public View getFocusedChild() {        return mFocused;    }    /**     * Returns true if this view has or contains focus     *     * @return true if this view has or contains focus     */    @Override    public boolean hasFocus() {        return (mPrivateFlags & PFLAG_FOCUSED) != 0 || mFocused != null;    }    /*     * (non-Javadoc)     *     * @see android.view.View#findFocus()     */    @Override    public View findFocus() {        if (DBG) {            System.out.println("Find focus in " + this + ": flags="                    + isFocused() + ", child=" + mFocused);        }        if (isFocused()) {            return this;        }        if (mFocused != null) {            return mFocused.findFocus();        }        return null;    }    /**     * {@inheritDoc}     */    @Override    public boolean hasFocusable() {        if ((mViewFlags & VISIBILITY_MASK) != VISIBLE) {            return false;        }        if (isFocusable()) {            return true;        }        final int descendantFocusability = getDescendantFocusability();        if (descendantFocusability != FOCUS_BLOCK_DESCENDANTS) {            final int count = mChildrenCount;            final View[] children = mChildren;            for (int i = 0; i < count; i++) {                final View child = children[i];                if (child.hasFocusable()) {                    return true;                }            }        }        return false;    }    /**     * {@inheritDoc}     */    @Override    public void addFocusables(ArrayList<View> views, int direction, int focusableMode) {        final int focusableCount = views.size();        final int descendantFocusability = getDescendantFocusability();        if (descendantFocusability != FOCUS_BLOCK_DESCENDANTS) {            final int count = mChildrenCount;            final View[] children = mChildren;            for (int i = 0; i < count; i++) {                final View child = children[i];                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                    child.addFocusables(views, direction, focusableMode);                }            }        }        // we add ourselves (if focusable) in all cases except for when we are        // FOCUS_AFTER_DESCENDANTS and there are some descendants focusable.  this is        // to avoid the focus search finding layouts when a more precise search        // among the focusable children would be more interesting.        if (descendantFocusability != FOCUS_AFTER_DESCENDANTS                // No focusable descendants                || (focusableCount == views.size())) {            super.addFocusables(views, direction, focusableMode);        }    }    @Override    public void findViewsWithText(ArrayList<View> outViews, CharSequence text, int flags) {        super.findViewsWithText(outViews, text, flags);        final int childrenCount = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < childrenCount; i++) {            View child = children[i];            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE                    && (child.mPrivateFlags & PFLAG_IS_ROOT_NAMESPACE) == 0) {                child.findViewsWithText(outViews, text, flags);            }        }    }    /** @hide */    @Override    public View findViewByAccessibilityIdTraversal(int accessibilityId) {        View foundView = super.findViewByAccessibilityIdTraversal(accessibilityId);        if (foundView != null) {            return foundView;        }        final int childrenCount = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < childrenCount; i++) {            View child = children[i];            foundView = child.findViewByAccessibilityIdTraversal(accessibilityId);            if (foundView != null) {                return foundView;            }        }        return null;    }    /**     * {@inheritDoc}     */    @Override    public void dispatchWindowFocusChanged(boolean hasFocus) {        super.dispatchWindowFocusChanged(hasFocus);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchWindowFocusChanged(hasFocus);        }    }    /**     * {@inheritDoc}     */    @Override    public void addTouchables(ArrayList<View> views) {        super.addTouchables(views);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            final View child = children[i];            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                child.addTouchables(views);            }        }    }    /**     * @hide     */    @Override    public void makeOptionalFitsSystemWindows() {        super.makeOptionalFitsSystemWindows();        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].makeOptionalFitsSystemWindows();        }    }    /**     * {@inheritDoc}     */    @Override    public void dispatchDisplayHint(int hint) {        super.dispatchDisplayHint(hint);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchDisplayHint(hint);        }    }    /**     * Called when a view's visibility has changed. Notify the parent to take any appropriate     * action.     *     * @param child The view whose visibility has changed     * @param oldVisibility The previous visibility value (GONE, INVISIBLE, or VISIBLE).     * @param newVisibility The new visibility value (GONE, INVISIBLE, or VISIBLE).     * @hide     */    protected void onChildVisibilityChanged(View child, int oldVisibility, int newVisibility) {        if (mTransition != null) {            if (newVisibility == VISIBLE) {                mTransition.showChild(this, child, oldVisibility);            } else {                mTransition.hideChild(this, child, newVisibility);                if (mTransitioningViews != null && mTransitioningViews.contains(child)) {                    // Only track this on disappearing views - appearing views are already visible                    // and don't need special handling during drawChild()                    if (mVisibilityChangingChildren == null) {                        mVisibilityChangingChildren = new ArrayList<View>();                    }                    mVisibilityChangingChildren.add(child);                    addDisappearingView(child);                }            }        }        // in all cases, for drags        if (mCurrentDrag != null) {            if (newVisibility == VISIBLE) {                notifyChildOfDrag(child);            }        }    }    /**     * {@inheritDoc}     */    @Override    protected void dispatchVisibilityChanged(View changedView, int visibility) {        super.dispatchVisibilityChanged(changedView, visibility);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchVisibilityChanged(changedView, visibility);        }    }    /**     * {@inheritDoc}     */    @Override    public void dispatchWindowVisibilityChanged(int visibility) {        super.dispatchWindowVisibilityChanged(visibility);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchWindowVisibilityChanged(visibility);        }    }    /**     * {@inheritDoc}     */    @Override    public void dispatchConfigurationChanged(Configuration newConfig) {        super.dispatchConfigurationChanged(newConfig);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchConfigurationChanged(newConfig);        }    }        /**     * {@inheritDoc}     */    public void recomputeViewAttributes(View child) {        if (mAttachInfo != null && !mAttachInfo.mRecomputeGlobalAttributes) {            ViewParent parent = mParent;            if (parent != null) parent.recomputeViewAttributes(this);        }    }    @Override    void dispatchCollectViewAttributes(AttachInfo attachInfo, int visibility) {        if ((visibility & VISIBILITY_MASK) == VISIBLE) {            super.dispatchCollectViewAttributes(attachInfo, visibility);            final int count = mChildrenCount;            final View[] children = mChildren;            for (int i = 0; i < count; i++) {                final View child = children[i];                child.dispatchCollectViewAttributes(attachInfo,                        visibility | (child.mViewFlags&VISIBILITY_MASK));            }        }    }    /**     * {@inheritDoc}     */    public void bringChildToFront(View child) {        int index = indexOfChild(child);        if (index >= 0) {            removeFromArray(index);            addInArray(child, mChildrenCount);            child.mParent = this;            requestLayout();            invalidate();        }    }    private PointF getLocalPoint() {        if (mLocalPoint == null) mLocalPoint = new PointF();        return mLocalPoint;    }    /**     * {@inheritDoc}     */    // TODO: Write real docs    @Override    public boolean dispatchDragEvent(DragEvent event) {        boolean retval = false;        final float tx = event.mX;        final float ty = event.mY;        ViewRootImpl root = getViewRootImpl();        // Dispatch down the view hierarchy        final PointF localPoint = getLocalPoint();        switch (event.mAction) {        case DragEvent.ACTION_DRAG_STARTED: {            // clear state to recalculate which views we drag over            mCurrentDragView = null;            // Set up our tracking of drag-started notifications            mCurrentDrag = DragEvent.obtain(event);            if (mDragNotifiedChildren == null) {                mDragNotifiedChildren = new HashSet<View>();            } else {                mDragNotifiedChildren.clear();            }            // Now dispatch down to our children, caching the responses            mChildAcceptsDrag = false;            final int count = mChildrenCount;            final View[] children = mChildren;            for (int i = 0; i < count; i++) {                final View child = children[i];                child.mPrivateFlags2 &= ~View.DRAG_MASK;                if (child.getVisibility() == VISIBLE) {                    final boolean handled = notifyChildOfDrag(children[i]);                    if (handled) {                        mChildAcceptsDrag = true;                    }                }            }            // Return HANDLED if one of our children can accept the drag            if (mChildAcceptsDrag) {                retval = true;            }        } break;        case DragEvent.ACTION_DRAG_ENDED: {            // Release the bookkeeping now that the drag lifecycle has ended            if (mDragNotifiedChildren != null) {                for (View child : mDragNotifiedChildren) {                    // If a child was notified about an ongoing drag, it's told that it's over                    child.dispatchDragEvent(event);                    child.mPrivateFlags2 &= ~View.DRAG_MASK;                    child.refreshDrawableState();                }                mDragNotifiedChildren.clear();                if (mCurrentDrag != null) {                    mCurrentDrag.recycle();                    mCurrentDrag = null;                }            }            // We consider drag-ended to have been handled if one of our children            // had offered to handle the drag.            if (mChildAcceptsDrag) {                retval = true;            }        } break;        case DragEvent.ACTION_DRAG_LOCATION: {            // Find the [possibly new] drag target            final View target = findFrontmostDroppableChildAt(event.mX, event.mY, localPoint);            // If we've changed apparent drag target, tell the view root which view            // we're over now [for purposes of the eventual drag-recipient-changed            // notifications to the framework] and tell the new target that the drag            // has entered its bounds.  The root will see setDragFocus() calls all            // the way down to the final leaf view that is handling the LOCATION event            // before reporting the new potential recipient to the framework.            if (mCurrentDragView != target) {                root.setDragFocus(target);                final int action = event.mAction;                // If we've dragged off of a child view, send it the EXITED message                if (mCurrentDragView != null) {                    final View view = mCurrentDragView;                    event.mAction = DragEvent.ACTION_DRAG_EXITED;                    view.dispatchDragEvent(event);                    view.mPrivateFlags2 &= ~View.PFLAG2_DRAG_HOVERED;                    view.refreshDrawableState();                }                mCurrentDragView = target;                // If we've dragged over a new child view, send it the ENTERED message                if (target != null) {                    event.mAction = DragEvent.ACTION_DRAG_ENTERED;                    target.dispatchDragEvent(event);                    target.mPrivateFlags2 |= View.PFLAG2_DRAG_HOVERED;                    target.refreshDrawableState();                }                event.mAction = action;  // restore the event's original state            }            // Dispatch the actual drag location notice, localized into its coordinates            if (target != null) {                event.mX = localPoint.x;                event.mY = localPoint.y;                retval = target.dispatchDragEvent(event);                event.mX = tx;                event.mY = ty;            }        } break;        /* Entered / exited dispatch         *         * DRAG_ENTERED is not dispatched downwards from ViewGroup.  The reason for this is         * that we're about to get the corresponding LOCATION event, which we will use to         * determine which of our children is the new target; at that point we will         * push a DRAG_ENTERED down to the new target child [which may itself be a ViewGroup].         *         * DRAG_EXITED *is* dispatched all the way down immediately: once we know the         * drag has left this ViewGroup, we know by definition that every contained subview         * is also no longer under the drag point.         */        case DragEvent.ACTION_DRAG_EXITED: {            if (mCurrentDragView != null) {                final View view = mCurrentDragView;                view.dispatchDragEvent(event);                view.mPrivateFlags2 &= ~View.PFLAG2_DRAG_HOVERED;                view.refreshDrawableState();                mCurrentDragView = null;            }        } break;        case DragEvent.ACTION_DROP: {            if (ViewDebug.DEBUG_DRAG) Log.d(View.VIEW_LOG_TAG, "Drop event: " + event);            View target = findFrontmostDroppableChildAt(event.mX, event.mY, localPoint);            if (target != null) {                if (ViewDebug.DEBUG_DRAG) Log.d(View.VIEW_LOG_TAG, "   dispatch drop to " + target);                event.mX = localPoint.x;                event.mY = localPoint.y;                retval = target.dispatchDragEvent(event);                event.mX = tx;                event.mY = ty;            } else {                if (ViewDebug.DEBUG_DRAG) {                    Log.d(View.VIEW_LOG_TAG, "   not dropped on an accepting view");                }            }        } break;        }        // If none of our children could handle the event, try here        if (!retval) {            // Call up to the View implementation that dispatches to installed listeners            retval = super.dispatchDragEvent(event);        }        return retval;    }    // Find the frontmost child view that lies under the given point, and calculate    // the position within its own local coordinate system.    View findFrontmostDroppableChildAt(float x, float y, PointF outLocalPoint) {        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = count - 1; i >= 0; i--) {            final View child = children[i];            if (!child.canAcceptDrag()) {                continue;            }            if (isTransformedTouchPointInView(x, y, child, outLocalPoint)) {                return child;            }        }        return null;    }    boolean notifyChildOfDrag(View child) {        if (ViewDebug.DEBUG_DRAG) {            Log.d(View.VIEW_LOG_TAG, "Sending drag-started to view: " + child);        }        boolean canAccept = false;        if (! mDragNotifiedChildren.contains(child)) {            mDragNotifiedChildren.add(child);            canAccept = child.dispatchDragEvent(mCurrentDrag);            if (canAccept && !child.canAcceptDrag()) {                child.mPrivateFlags2 |= View.PFLAG2_DRAG_CAN_ACCEPT;                child.refreshDrawableState();            }        }        return canAccept;    }    @Override    public void dispatchWindowSystemUiVisiblityChanged(int visible) {        super.dispatchWindowSystemUiVisiblityChanged(visible);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i=0; i <count; i++) {            final View child = children[i];            child.dispatchWindowSystemUiVisiblityChanged(visible);        }    }    @Override    public void dispatchSystemUiVisibilityChanged(int visible) {        super.dispatchSystemUiVisibilityChanged(visible);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i=0; i <count; i++) {            final View child = children[i];            child.dispatchSystemUiVisibilityChanged(visible);        }    }    @Override    boolean updateLocalSystemUiVisibility(int localValue, int localChanges) {        boolean changed = super.updateLocalSystemUiVisibility(localValue, localChanges);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i=0; i <count; i++) {            final View child = children[i];            changed |= child.updateLocalSystemUiVisibility(localValue, localChanges);        }        return changed;    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchKeyEventPreIme(KeyEvent event) {        if ((mPrivateFlags & (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS))                == (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS)) {            return super.dispatchKeyEventPreIme(event);        } else if (mFocused != null && (mFocused.mPrivateFlags & PFLAG_HAS_BOUNDS)                == PFLAG_HAS_BOUNDS) {            return mFocused.dispatchKeyEventPreIme(event);        }        return false;    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchKeyEvent(KeyEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onKeyEvent(event, 1);        }        if ((mPrivateFlags & (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS))                == (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS)) {            if (super.dispatchKeyEvent(event)) {                return true;            }        } else if (mFocused != null && (mFocused.mPrivateFlags & PFLAG_HAS_BOUNDS)                == PFLAG_HAS_BOUNDS) {            if (mFocused.dispatchKeyEvent(event)) {                return true;            }        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 1);        }        return false;    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchKeyShortcutEvent(KeyEvent event) {        if ((mPrivateFlags & (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS))                == (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS)) {            return super.dispatchKeyShortcutEvent(event);        } else if (mFocused != null && (mFocused.mPrivateFlags & PFLAG_HAS_BOUNDS)                == PFLAG_HAS_BOUNDS) {            return mFocused.dispatchKeyShortcutEvent(event);        }        return false;    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchTrackballEvent(MotionEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onTrackballEvent(event, 1);        }        if ((mPrivateFlags & (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS))                == (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS)) {            if (super.dispatchTrackballEvent(event)) {                return true;            }        } else if (mFocused != null && (mFocused.mPrivateFlags & PFLAG_HAS_BOUNDS)                == PFLAG_HAS_BOUNDS) {            if (mFocused.dispatchTrackballEvent(event)) {                return true;            }        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 1);        }        return false;    }    /**     * {@inheritDoc}     */    @SuppressWarnings({"ConstantConditions"})    @Override    protected boolean dispatchHoverEvent(MotionEvent event) {        final int action = event.getAction();        // First check whether the view group wants to intercept the hover event.        final boolean interceptHover = onInterceptHoverEvent(event);        event.setAction(action); // restore action in case it was changed        MotionEvent eventNoHistory = event;        boolean handled = false;        // Send events to the hovered children and build a new list of hover targets until        // one is found that handles the event.        HoverTarget firstOldHoverTarget = mFirstHoverTarget;        mFirstHoverTarget = null;        if (!interceptHover && action != MotionEvent.ACTION_HOVER_EXIT) {            final float x = event.getX();            final float y = event.getY();            final int childrenCount = mChildrenCount;            if (childrenCount != 0) {                final boolean customChildOrder = isChildrenDrawingOrderEnabled();                final View[] children = mChildren;                HoverTarget lastHoverTarget = null;                for (int i = childrenCount - 1; i >= 0; i--) {                    final int childIndex = customChildOrder                            ? getChildDrawingOrder(childrenCount, i) : i;                    final View child = children[childIndex];                    if (!canViewReceivePointerEvents(child)                            || !isTransformedTouchPointInView(x, y, child, null)) {                        continue;                    }                    // Obtain a hover target for this child.  Dequeue it from the                    // old hover target list if the child was previously hovered.                    HoverTarget hoverTarget = firstOldHoverTarget;                    final boolean wasHovered;                    for (HoverTarget predecessor = null; ;) {                        if (hoverTarget == null) {                            hoverTarget = HoverTarget.obtain(child);                            wasHovered = false;                            break;                        }                        if (hoverTarget.child == child) {                            if (predecessor != null) {                                predecessor.next = hoverTarget.next;                            } else {                                firstOldHoverTarget = hoverTarget.next;                            }                            hoverTarget.next = null;                            wasHovered = true;                            break;                        }                        predecessor = hoverTarget;                        hoverTarget = hoverTarget.next;                    }                    // Enqueue the hover target onto the new hover target list.                    if (lastHoverTarget != null) {                        lastHoverTarget.next = hoverTarget;                    } else {                        mFirstHoverTarget = hoverTarget;                    }                    lastHoverTarget = hoverTarget;                    // Dispatch the event to the child.                    if (action == MotionEvent.ACTION_HOVER_ENTER) {                        if (!wasHovered) {                            // Send the enter as is.                            handled |= dispatchTransformedGenericPointerEvent(                                    event, child); // enter                        }                    } else if (action == MotionEvent.ACTION_HOVER_MOVE) {                        if (!wasHovered) {                            // Synthesize an enter from a move.                            eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);                            eventNoHistory.setAction(MotionEvent.ACTION_HOVER_ENTER);                            handled |= dispatchTransformedGenericPointerEvent(                                    eventNoHistory, child); // enter                            eventNoHistory.setAction(action);                            handled |= dispatchTransformedGenericPointerEvent(                                    eventNoHistory, child); // move                        } else {                            // Send the move as is.                            handled |= dispatchTransformedGenericPointerEvent(event, child);                        }                    }                    if (handled) {                        break;                    }                }            }        }        // Send exit events to all previously hovered children that are no longer hovered.        while (firstOldHoverTarget != null) {            final View child = firstOldHoverTarget.child;            // Exit the old hovered child.            if (action == MotionEvent.ACTION_HOVER_EXIT) {                // Send the exit as is.                handled |= dispatchTransformedGenericPointerEvent(                        event, child); // exit            } else {                // Synthesize an exit from a move or enter.                // Ignore the result because hover focus has moved to a different view.                if (action == MotionEvent.ACTION_HOVER_MOVE) {                    dispatchTransformedGenericPointerEvent(                            event, child); // move                }                eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);                eventNoHistory.setAction(MotionEvent.ACTION_HOVER_EXIT);                dispatchTransformedGenericPointerEvent(                        eventNoHistory, child); // exit                eventNoHistory.setAction(action);            }            final HoverTarget nextOldHoverTarget = firstOldHoverTarget.next;            firstOldHoverTarget.recycle();            firstOldHoverTarget = nextOldHoverTarget;        }        // Send events to the view group itself if no children have handled it.        boolean newHoveredSelf = !handled;        if (newHoveredSelf == mHoveredSelf) {            if (newHoveredSelf) {                // Send event to the view group as before.                handled |= super.dispatchHoverEvent(event);            }        } else {            if (mHoveredSelf) {                // Exit the view group.                if (action == MotionEvent.ACTION_HOVER_EXIT) {                    // Send the exit as is.                    handled |= super.dispatchHoverEvent(event); // exit                } else {                    // Synthesize an exit from a move or enter.                    // Ignore the result because hover focus is moving to a different view.                    if (action == MotionEvent.ACTION_HOVER_MOVE) {                        super.dispatchHoverEvent(event); // move                    }                    eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);                    eventNoHistory.setAction(MotionEvent.ACTION_HOVER_EXIT);                    super.dispatchHoverEvent(eventNoHistory); // exit                    eventNoHistory.setAction(action);                }                mHoveredSelf = false;            }            if (newHoveredSelf) {                // Enter the view group.                if (action == MotionEvent.ACTION_HOVER_ENTER) {                    // Send the enter as is.                    handled |= super.dispatchHoverEvent(event); // enter                    mHoveredSelf = true;                } else if (action == MotionEvent.ACTION_HOVER_MOVE) {                    // Synthesize an enter from a move.                    eventNoHistory = obtainMotionEventNoHistoryOrSelf(eventNoHistory);                    eventNoHistory.setAction(MotionEvent.ACTION_HOVER_ENTER);                    handled |= super.dispatchHoverEvent(eventNoHistory); // enter                    eventNoHistory.setAction(action);                    handled |= super.dispatchHoverEvent(eventNoHistory); // move                    mHoveredSelf = true;                }            }        }        // Recycle the copy of the event that we made.        if (eventNoHistory != event) {            eventNoHistory.recycle();        }        // Done.        return handled;    }    private void exitHoverTargets() {        if (mHoveredSelf || mFirstHoverTarget != null) {            final long now = SystemClock.uptimeMillis();            MotionEvent event = MotionEvent.obtain(now, now,                    MotionEvent.ACTION_HOVER_EXIT, 0.0f, 0.0f, 0);            event.setSource(InputDevice.SOURCE_TOUCHSCREEN);            dispatchHoverEvent(event);            event.recycle();        }    }    private void cancelHoverTarget(View view) {        HoverTarget predecessor = null;        HoverTarget target = mFirstHoverTarget;        while (target != null) {            final HoverTarget next = target.next;            if (target.child == view) {                if (predecessor == null) {                    mFirstHoverTarget = next;                } else {                    predecessor.next = next;                }                target.recycle();                final long now = SystemClock.uptimeMillis();                MotionEvent event = MotionEvent.obtain(now, now,                        MotionEvent.ACTION_HOVER_EXIT, 0.0f, 0.0f, 0);                event.setSource(InputDevice.SOURCE_TOUCHSCREEN);                view.dispatchHoverEvent(event);                event.recycle();                return;            }            predecessor = target;            target = next;        }    }    /** @hide */    @Override    protected boolean hasHoveredChild() {        return mFirstHoverTarget != null;    }    @Override    public void addChildrenForAccessibility(ArrayList<View> childrenForAccessibility) {        ChildListForAccessibility children = ChildListForAccessibility.obtain(this, true);        try {            final int childrenCount = children.getChildCount();            for (int i = 0; i < childrenCount; i++) {                View child = children.getChildAt(i);                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                    if (child.includeForAccessibility()) {                        childrenForAccessibility.add(child);                    } else {                        child.addChildrenForAccessibility(childrenForAccessibility);                    }                }            }        } finally {            children.recycle();        }    }    /**     * Implement this method to intercept hover events before they are handled     * by child views.     * <p>     * This method is called before dispatching a hover event to a child of     * the view group or to the view group's own {@link #onHoverEvent} to allow     * the view group a chance to intercept the hover event.     * This method can also be used to watch all pointer motions that occur within     * the bounds of the view group even when the pointer is hovering over     * a child of the view group rather than over the view group itself.     * </p><p>     * The view group can prevent its children from receiving hover events by     * implementing this method and returning <code>true</code> to indicate     * that it would like to intercept hover events.  The view group must     * continuously return <code>true</code> from {@link #onInterceptHoverEvent}     * for as long as it wishes to continue intercepting hover events from     * its children.     * </p><p>     * Interception preserves the invariant that at most one view can be     * hovered at a time by transferring hover focus from the currently hovered     * child to the view group or vice-versa as needed.     * </p><p>     * If this method returns <code>true</code> and a child is already hovered, then the     * child view will first receive a hover exit event and then the view group     * itself will receive a hover enter event in {@link #onHoverEvent}.     * Likewise, if this method had previously returned <code>true</code> to intercept hover     * events and instead returns <code>false</code> while the pointer is hovering     * within the bounds of one of a child, then the view group will first receive a     * hover exit event in {@link #onHoverEvent} and then the hovered child will     * receive a hover enter event.     * </p><p>     * The default implementation always returns false.     * </p>     *     * @param event The motion event that describes the hover.     * @return True if the view group would like to intercept the hover event     * and prevent its children from receiving it.     */    public boolean onInterceptHoverEvent(MotionEvent event) {        return false;    }    private static MotionEvent obtainMotionEventNoHistoryOrSelf(MotionEvent event) {        if (event.getHistorySize() == 0) {            return event;        }        return MotionEvent.obtainNoHistory(event);    }    /**     * {@inheritDoc}     */    @Override    protected boolean dispatchGenericPointerEvent(MotionEvent event) {        // Send the event to the child under the pointer.        final int childrenCount = mChildrenCount;        if (childrenCount != 0) {            final View[] children = mChildren;            final float x = event.getX();            final float y = event.getY();            final boolean customOrder = isChildrenDrawingOrderEnabled();            for (int i = childrenCount - 1; i >= 0; i--) {                final int childIndex = customOrder ? getChildDrawingOrder(childrenCount, i) : i;                final View child = children[childIndex];                if (!canViewReceivePointerEvents(child)                        || !isTransformedTouchPointInView(x, y, child, null)) {                    continue;                }                if (dispatchTransformedGenericPointerEvent(event, child)) {                    return true;                }            }        }        // No child handled the event.  Send it to this view group.        return super.dispatchGenericPointerEvent(event);    }    /**     * {@inheritDoc}     */    @Override    protected boolean dispatchGenericFocusedEvent(MotionEvent event) {        // Send the event to the focused child or to this view group if it has focus.        if ((mPrivateFlags & (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS))                == (PFLAG_FOCUSED | PFLAG_HAS_BOUNDS)) {            return super.dispatchGenericFocusedEvent(event);        } else if (mFocused != null && (mFocused.mPrivateFlags & PFLAG_HAS_BOUNDS)                == PFLAG_HAS_BOUNDS) {            return mFocused.dispatchGenericMotionEvent(event);        }        return false;    }    /**     * Dispatches a generic pointer event to a child, taking into account     * transformations that apply to the child.     *     * @param event The event to send.     * @param child The view to send the event to.     * @return {@code true} if the child handled the event.     */    private boolean dispatchTransformedGenericPointerEvent(MotionEvent event, View child) {        final float offsetX = mScrollX - child.mLeft;        final float offsetY = mScrollY - child.mTop;        boolean handled;        if (!child.hasIdentityMatrix()) {            MotionEvent transformedEvent = MotionEvent.obtain(event);            transformedEvent.offsetLocation(offsetX, offsetY);            transformedEvent.transform(child.getInverseMatrix());            handled = child.dispatchGenericMotionEvent(transformedEvent);            transformedEvent.recycle();        } else {            event.offsetLocation(offsetX, offsetY);            handled = child.dispatchGenericMotionEvent(event);            event.offsetLocation(-offsetX, -offsetY);        }        return handled;    }    /**     * {@inheritDoc}     */    @Override    public boolean dispatchTouchEvent(MotionEvent ev) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onTouchEvent(ev, 1);        }        boolean handled = false;        if (onFilterTouchEventForSecurity(ev)) {            final int action = ev.getAction();            final int actionMasked = action & MotionEvent.ACTION_MASK;            // Handle an initial down.            if (actionMasked == MotionEvent.ACTION_DOWN) {                // Throw away all previous state when starting a new touch gesture.                // The framework may have dropped the up or cancel event for the previous gesture                // due to an app switch, ANR, or some other state change.                cancelAndClearTouchTargets(ev);                resetTouchState();            }            // Check for interception.            final boolean intercepted;            if (actionMasked == MotionEvent.ACTION_DOWN                    || mFirstTouchTarget != null) {                final boolean disallowIntercept = (mGroupFlags & FLAG_DISALLOW_INTERCEPT) != 0;                if (!disallowIntercept) {                    intercepted = onInterceptTouchEvent(ev);                    ev.setAction(action); // restore action in case it was changed                } else {                    intercepted = false;                }            } else {                // There are no touch targets and this action is not an initial down                // so this view group continues to intercept touches.                intercepted = true;            }            // Check for cancelation.            final boolean canceled = resetCancelNextUpFlag(this)                    || actionMasked == MotionEvent.ACTION_CANCEL;            // Update list of touch targets for pointer down, if needed.            final boolean split = (mGroupFlags & FLAG_SPLIT_MOTION_EVENTS) != 0;            TouchTarget newTouchTarget = null;            boolean alreadyDispatchedToNewTouchTarget = false;            if (!canceled && !intercepted) {                if (actionMasked == MotionEvent.ACTION_DOWN                        || (split && actionMasked == MotionEvent.ACTION_POINTER_DOWN)                        || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {                    final int actionIndex = ev.getActionIndex(); // always 0 for down                    final int idBitsToAssign = split ? 1 << ev.getPointerId(actionIndex)                            : TouchTarget.ALL_POINTER_IDS;                    // Clean up earlier touch targets for this pointer id in case they                    // have become out of sync.                    removePointersFromTouchTargets(idBitsToAssign);                    final int childrenCount = mChildrenCount;                    if (newTouchTarget == null && childrenCount != 0) {                        final float x = ev.getX(actionIndex);                        final float y = ev.getY(actionIndex);                        // Find a child that can receive the event.                        // Scan children from front to back.                        final View[] children = mChildren;                        final boolean customOrder = isChildrenDrawingOrderEnabled();                        for (int i = childrenCount - 1; i >= 0; i--) {                            final int childIndex = customOrder ?                                    getChildDrawingOrder(childrenCount, i) : i;                            final View child = children[childIndex];                            if (!canViewReceivePointerEvents(child)                                    || !isTransformedTouchPointInView(x, y, child, null)) {                                continue;                            }                            newTouchTarget = getTouchTarget(child);                            if (newTouchTarget != null) {                                // Child is already receiving touch within its bounds.                                // Give it the new pointer in addition to the ones it is handling.                                newTouchTarget.pointerIdBits |= idBitsToAssign;                                break;                            }                            resetCancelNextUpFlag(child);                            if (dispatchTransformedTouchEvent(ev, false, child, idBitsToAssign)) {                                // Child wants to receive touch within its bounds.                                mLastTouchDownTime = ev.getDownTime();                                mLastTouchDownIndex = childIndex;                                mLastTouchDownX = ev.getX();                                mLastTouchDownY = ev.getY();                                newTouchTarget = addTouchTarget(child, idBitsToAssign);                                alreadyDispatchedToNewTouchTarget = true;                                break;                            }                        }                    }                    if (newTouchTarget == null && mFirstTouchTarget != null) {                        // Did not find a child to receive the event.                        // Assign the pointer to the least recently added target.                        newTouchTarget = mFirstTouchTarget;                        while (newTouchTarget.next != null) {                            newTouchTarget = newTouchTarget.next;                        }                        newTouchTarget.pointerIdBits |= idBitsToAssign;                    }                }            }            // Dispatch to touch targets.            if (mFirstTouchTarget == null) {                // No touch targets so treat this as an ordinary view.                handled = dispatchTransformedTouchEvent(ev, canceled, null,                        TouchTarget.ALL_POINTER_IDS);            } else {                // Dispatch to touch targets, excluding the new touch target if we already                // dispatched to it.  Cancel touch targets if necessary.                TouchTarget predecessor = null;                TouchTarget target = mFirstTouchTarget;                while (target != null) {                    final TouchTarget next = target.next;                    if (alreadyDispatchedToNewTouchTarget && target == newTouchTarget) {                        handled = true;                    } else {                        final boolean cancelChild = resetCancelNextUpFlag(target.child)                                || intercepted;                        if (dispatchTransformedTouchEvent(ev, cancelChild,                                target.child, target.pointerIdBits)) {                            handled = true;                        }                        if (cancelChild) {                            if (predecessor == null) {                                mFirstTouchTarget = next;                            } else {                                predecessor.next = next;                            }                            target.recycle();                            target = next;                            continue;                        }                    }                    predecessor = target;                    target = next;                }            }            // Update list of touch targets for pointer up or cancel, if needed.            if (canceled                    || actionMasked == MotionEvent.ACTION_UP                    || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {                resetTouchState();            } else if (split && actionMasked == MotionEvent.ACTION_POINTER_UP) {                final int actionIndex = ev.getActionIndex();                final int idBitsToRemove = 1 << ev.getPointerId(actionIndex);                removePointersFromTouchTargets(idBitsToRemove);            }        }        if (!handled && mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(ev, 1);        }        return handled;    }    /**     * Resets all touch state in preparation for a new cycle.     */    private void resetTouchState() {        clearTouchTargets();        resetCancelNextUpFlag(this);        mGroupFlags &= ~FLAG_DISALLOW_INTERCEPT;    }    /**     * Resets the cancel next up flag.     * Returns true if the flag was previously set.     */    private static boolean resetCancelNextUpFlag(View view) {        if ((view.mPrivateFlags & PFLAG_CANCEL_NEXT_UP_EVENT) != 0) {            view.mPrivateFlags &= ~PFLAG_CANCEL_NEXT_UP_EVENT;            return true;        }        return false;    }    /**     * Clears all touch targets.     */    private void clearTouchTargets() {        TouchTarget target = mFirstTouchTarget;        if (target != null) {            do {                TouchTarget next = target.next;                target.recycle();                target = next;            } while (target != null);            mFirstTouchTarget = null;        }    }    /**     * Cancels and clears all touch targets.     */    private void cancelAndClearTouchTargets(MotionEvent event) {        if (mFirstTouchTarget != null) {            boolean syntheticEvent = false;            if (event == null) {                final long now = SystemClock.uptimeMillis();                event = MotionEvent.obtain(now, now,                        MotionEvent.ACTION_CANCEL, 0.0f, 0.0f, 0);                event.setSource(InputDevice.SOURCE_TOUCHSCREEN);                syntheticEvent = true;            }            for (TouchTarget target = mFirstTouchTarget; target != null; target = target.next) {                resetCancelNextUpFlag(target.child);                dispatchTransformedTouchEvent(event, true, target.child, target.pointerIdBits);            }            clearTouchTargets();            if (syntheticEvent) {                event.recycle();            }        }    }    /**     * Gets the touch target for specified child view.     * Returns null if not found.     */    private TouchTarget getTouchTarget(View child) {        for (TouchTarget target = mFirstTouchTarget; target != null; target = target.next) {            if (target.child == child) {                return target;            }        }        return null;    }    /**     * Adds a touch target for specified child to the beginning of the list.     * Assumes the target child is not already present.     */    private TouchTarget addTouchTarget(View child, int pointerIdBits) {        TouchTarget target = TouchTarget.obtain(child, pointerIdBits);        target.next = mFirstTouchTarget;        mFirstTouchTarget = target;        return target;    }    /**     * Removes the pointer ids from consideration.     */    private void removePointersFromTouchTargets(int pointerIdBits) {        TouchTarget predecessor = null;        TouchTarget target = mFirstTouchTarget;        while (target != null) {            final TouchTarget next = target.next;            if ((target.pointerIdBits & pointerIdBits) != 0) {                target.pointerIdBits &= ~pointerIdBits;                if (target.pointerIdBits == 0) {                    if (predecessor == null) {                        mFirstTouchTarget = next;                    } else {                        predecessor.next = next;                    }                    target.recycle();                    target = next;                    continue;                }            }            predecessor = target;            target = next;        }    }    private void cancelTouchTarget(View view) {        TouchTarget predecessor = null;        TouchTarget target = mFirstTouchTarget;        while (target != null) {            final TouchTarget next = target.next;            if (target.child == view) {                if (predecessor == null) {                    mFirstTouchTarget = next;                } else {                    predecessor.next = next;                }                target.recycle();                final long now = SystemClock.uptimeMillis();                MotionEvent event = MotionEvent.obtain(now, now,                        MotionEvent.ACTION_CANCEL, 0.0f, 0.0f, 0);                event.setSource(InputDevice.SOURCE_TOUCHSCREEN);                view.dispatchTouchEvent(event);                event.recycle();                return;            }            predecessor = target;            target = next;        }    }    /**     * Returns true if a child view can receive pointer events.     * @hide     */    private static boolean canViewReceivePointerEvents(View child) {        return (child.mViewFlags & VISIBILITY_MASK) == VISIBLE                || child.getAnimation() != null;    }    /**     * Returns true if a child view contains the specified point when transformed     * into its coordinate space.     * Child must not be null.     * @hide     */    protected boolean isTransformedTouchPointInView(float x, float y, View child,            PointF outLocalPoint) {        float localX = x + mScrollX - child.mLeft;        float localY = y + mScrollY - child.mTop;        if (! child.hasIdentityMatrix() && mAttachInfo != null) {            final float[] localXY = mAttachInfo.mTmpTransformLocation;            localXY[0] = localX;            localXY[1] = localY;            child.getInverseMatrix().mapPoints(localXY);            localX = localXY[0];            localY = localXY[1];        }        final boolean isInView = child.pointInView(localX, localY);        if (isInView && outLocalPoint != null) {            outLocalPoint.set(localX, localY);        }        return isInView;    }    /**     * Transforms a motion event into the coordinate space of a particular child view,     * filters out irrelevant pointer ids, and overrides its action if necessary.     * If child is null, assumes the MotionEvent will be sent to this ViewGroup instead.     */    private boolean dispatchTransformedTouchEvent(MotionEvent event, boolean cancel,            View child, int desiredPointerIdBits) {        final boolean handled;        // Canceling motions is a special case.  We don't need to perform any transformations        // or filtering.  The important part is the action, not the contents.        final int oldAction = event.getAction();        if (cancel || oldAction == MotionEvent.ACTION_CANCEL) {            event.setAction(MotionEvent.ACTION_CANCEL);            if (child == null) {                handled = super.dispatchTouchEvent(event);            } else {                handled = child.dispatchTouchEvent(event);            }            event.setAction(oldAction);            return handled;        }        // Calculate the number of pointers to deliver.        final int oldPointerIdBits = event.getPointerIdBits();        final int newPointerIdBits = oldPointerIdBits & desiredPointerIdBits;        // If for some reason we ended up in an inconsistent state where it looks like we        // might produce a motion event with no pointers in it, then drop the event.        if (newPointerIdBits == 0) {            return false;        }        // If the number of pointers is the same and we don't need to perform any fancy        // irreversible transformations, then we can reuse the motion event for this        // dispatch as long as we are careful to revert any changes we make.        // Otherwise we need to make a copy.        final MotionEvent transformedEvent;        if (newPointerIdBits == oldPointerIdBits) {            if (child == null || child.hasIdentityMatrix()) {                if (child == null) {                    handled = super.dispatchTouchEvent(event);                } else {                    final float offsetX = mScrollX - child.mLeft;                    final float offsetY = mScrollY - child.mTop;                    event.offsetLocation(offsetX, offsetY);                    handled = child.dispatchTouchEvent(event);                    event.offsetLocation(-offsetX, -offsetY);                }                return handled;            }            transformedEvent = MotionEvent.obtain(event);        } else {            transformedEvent = event.split(newPointerIdBits);        }        // Perform any necessary transformations and dispatch.        if (child == null) {            handled = super.dispatchTouchEvent(transformedEvent);        } else {            final float offsetX = mScrollX - child.mLeft;            final float offsetY = mScrollY - child.mTop;            transformedEvent.offsetLocation(offsetX, offsetY);            if (! child.hasIdentityMatrix()) {                transformedEvent.transform(child.getInverseMatrix());            }            handled = child.dispatchTouchEvent(transformedEvent);        }        // Done.        transformedEvent.recycle();        return handled;    }    /**     * Enable or disable the splitting of MotionEvents to multiple children during touch event     * dispatch. This behavior is enabled by default for applications that target an     * SDK version of {@link Build.VERSION_CODES#HONEYCOMB} or newer.     *     * <p>When this option is enabled MotionEvents may be split and dispatched to different child     * views depending on where each pointer initially went down. This allows for user interactions     * such as scrolling two panes of content independently, chording of buttons, and performing     * independent gestures on different pieces of content.     *     * @param split <code>true</code> to allow MotionEvents to be split and dispatched to multiple     *              child views. <code>false</code> to only allow one child view to be the target of     *              any MotionEvent received by this ViewGroup.     * @attr ref android.R.styleable#ViewGroup_splitMotionEvents     */    public void setMotionEventSplittingEnabled(boolean split) {        // TODO Applications really shouldn't change this setting mid-touch event,        // but perhaps this should handle that case and send ACTION_CANCELs to any child views        // with gestures in progress when this is changed.        if (split) {            mGroupFlags |= FLAG_SPLIT_MOTION_EVENTS;        } else {            mGroupFlags &= ~FLAG_SPLIT_MOTION_EVENTS;        }    }    /**     * Returns true if MotionEvents dispatched to this ViewGroup can be split to multiple children.     * @return true if MotionEvents dispatched to this ViewGroup can be split to multiple children.     */    public boolean isMotionEventSplittingEnabled() {        return (mGroupFlags & FLAG_SPLIT_MOTION_EVENTS) == FLAG_SPLIT_MOTION_EVENTS;    }    /**     * {@inheritDoc}     */    public void requestDisallowInterceptTouchEvent(boolean disallowIntercept) {        if (disallowIntercept == ((mGroupFlags & FLAG_DISALLOW_INTERCEPT) != 0)) {            // We're already in this state, assume our ancestors are too            return;        }        if (disallowIntercept) {            mGroupFlags |= FLAG_DISALLOW_INTERCEPT;        } else {            mGroupFlags &= ~FLAG_DISALLOW_INTERCEPT;        }        // Pass it up to our parent        if (mParent != null) {            mParent.requestDisallowInterceptTouchEvent(disallowIntercept);        }    }    /**     * Implement this method to intercept all touch screen motion events.  This     * allows you to watch events as they are dispatched to your children, and     * take ownership of the current gesture at any point.     *     * <p>Using this function takes some care, as it has a fairly complicated     * interaction with {@link View#onTouchEvent(MotionEvent)     * View.onTouchEvent(MotionEvent)}, and using it requires implementing     * that method as well as this one in the correct way.  Events will be     * received in the following order:     *     * <ol>     * <li> You will receive the down event here.     * <li> The down event will be handled either by a child of this view     * group, or given to your own onTouchEvent() method to handle; this means     * you should implement onTouchEvent() to return true, so you will     * continue to see the rest of the gesture (instead of looking for     * a parent view to handle it).  Also, by returning true from     * onTouchEvent(), you will not receive any following     * events in onInterceptTouchEvent() and all touch processing must     * happen in onTouchEvent() like normal.     * <li> For as long as you return false from this function, each following     * event (up to and including the final up) will be delivered first here     * and then to the target's onTouchEvent().     * <li> If you return true from here, you will not receive any     * following events: the target view will receive the same event but     * with the action {@link MotionEvent#ACTION_CANCEL}, and all further     * events will be delivered to your onTouchEvent() method and no longer     * appear here.     * </ol>     *     * @param ev The motion event being dispatched down the hierarchy.     * @return Return true to steal motion events from the children and have     * them dispatched to this ViewGroup through onTouchEvent().     * The current target will receive an ACTION_CANCEL event, and no further     * messages will be delivered here.     */    public boolean onInterceptTouchEvent(MotionEvent ev) {        return false;    }    /**     * {@inheritDoc}     *     * Looks for a view to give focus to respecting the setting specified by     * {@link #getDescendantFocusability()}.     *     * Uses {@link #onRequestFocusInDescendants(int, android.graphics.Rect)} to     * find focus within the children of this group when appropriate.     *     * @see #FOCUS_BEFORE_DESCENDANTS     * @see #FOCUS_AFTER_DESCENDANTS     * @see #FOCUS_BLOCK_DESCENDANTS     * @see #onRequestFocusInDescendants(int, android.graphics.Rect)      */    @Override    public boolean requestFocus(int direction, Rect previouslyFocusedRect) {        if (DBG) {            System.out.println(this + " ViewGroup.requestFocus direction="                    + direction);        }        int descendantFocusability = getDescendantFocusability();        switch (descendantFocusability) {            case FOCUS_BLOCK_DESCENDANTS:                return super.requestFocus(direction, previouslyFocusedRect);            case FOCUS_BEFORE_DESCENDANTS: {                final boolean took = super.requestFocus(direction, previouslyFocusedRect);                return took ? took : onRequestFocusInDescendants(direction, previouslyFocusedRect);            }            case FOCUS_AFTER_DESCENDANTS: {                final boolean took = onRequestFocusInDescendants(direction, previouslyFocusedRect);                return took ? took : super.requestFocus(direction, previouslyFocusedRect);            }            default:                throw new IllegalStateException("descendant focusability must be "                        + "one of FOCUS_BEFORE_DESCENDANTS, FOCUS_AFTER_DESCENDANTS, FOCUS_BLOCK_DESCENDANTS "                        + "but is " + descendantFocusability);        }    }    /**     * Look for a descendant to call {@link View#requestFocus} on.     * Called by {@link ViewGroup#requestFocus(int, android.graphics.Rect)}     * when it wants to request focus within its children.  Override this to     * customize how your {@link ViewGroup} requests focus within its children.     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT     * @param previouslyFocusedRect The rectangle (in this View's coordinate system)     *        to give a finer grained hint about where focus is coming from.  May be null     *        if there is no hint.     * @return Whether focus was taken.     */    @SuppressWarnings({"ConstantConditions"})    protected boolean onRequestFocusInDescendants(int direction,            Rect previouslyFocusedRect) {        int index;        int increment;        int end;        int count = mChildrenCount;        if ((direction & FOCUS_FORWARD) != 0) {            index = 0;            increment = 1;            end = count;        } else {            index = count - 1;            increment = -1;            end = -1;        }        final View[] children = mChildren;        for (int i = index; i != end; i += increment) {            View child = children[i];            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                if (child.requestFocus(direction, previouslyFocusedRect)) {                    return true;                }            }        }        return false;    }    /**     * {@inheritDoc}     *     * @hide     */    @Override    public void dispatchStartTemporaryDetach() {        super.dispatchStartTemporaryDetach();        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchStartTemporaryDetach();        }    }    /**     * {@inheritDoc}     *     * @hide     */    @Override    public void dispatchFinishTemporaryDetach() {        super.dispatchFinishTemporaryDetach();        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchFinishTemporaryDetach();        }    }    /**     * {@inheritDoc}     */    @Override    void dispatchAttachedToWindow(AttachInfo info, int visibility) {        mGroupFlags |= FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW;        super.dispatchAttachedToWindow(info, visibility);        mGroupFlags &= ~FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW;        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            final View child = children[i];            child.dispatchAttachedToWindow(info,                    visibility | (child.mViewFlags & VISIBILITY_MASK));        }    }    @Override    void dispatchScreenStateChanged(int screenState) {        super.dispatchScreenStateChanged(screenState);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchScreenStateChanged(screenState);        }    }    @Override    boolean dispatchPopulateAccessibilityEventInternal(AccessibilityEvent event) {        boolean handled = false;        if (includeForAccessibility()) {            handled = super.dispatchPopulateAccessibilityEventInternal(event);            if (handled) {                return handled;            }        }        // Let our children have a shot in populating the event.        ChildListForAccessibility children = ChildListForAccessibility.obtain(this, true);        try {            final int childCount = children.getChildCount();            for (int i = 0; i < childCount; i++) {                View child = children.getChildAt(i);                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                    handled = child.dispatchPopulateAccessibilityEvent(event);                    if (handled) {                        return handled;                    }                }            }        } finally {            children.recycle();        }        return false;    }    @Override    void onInitializeAccessibilityNodeInfoInternal(AccessibilityNodeInfo info) {        super.onInitializeAccessibilityNodeInfoInternal(info);        if (mAttachInfo != null) {            ArrayList<View> childrenForAccessibility = mAttachInfo.mTempArrayList;            childrenForAccessibility.clear();            addChildrenForAccessibility(childrenForAccessibility);            final int childrenForAccessibilityCount = childrenForAccessibility.size();            for (int i = 0; i < childrenForAccessibilityCount; i++) {                View child = childrenForAccessibility.get(i);                info.addChild(child);            }            childrenForAccessibility.clear();        }    }    @Override    void onInitializeAccessibilityEventInternal(AccessibilityEvent event) {        super.onInitializeAccessibilityEventInternal(event);        event.setClassName(ViewGroup.class.getName());    }    @Override    public void notifySubtreeAccessibilityStateChanged(View child, View source, int changeType) {        // If this is a live region, we should send a subtree change event        // from this view. Otherwise, we can let it propagate up.        if (getAccessibilityLiveRegion() != ACCESSIBILITY_LIVE_REGION_NONE) {            notifyViewAccessibilityStateChangedIfNeeded(changeType);        } else if (mParent != null) {            try {                mParent.notifySubtreeAccessibilityStateChanged(this, source, changeType);            } catch (AbstractMethodError e) {                Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                        " does not fully implement ViewParent", e);            }        }    }    @Override    void resetSubtreeAccessibilityStateChanged() {        super.resetSubtreeAccessibilityStateChanged();        View[] children = mChildren;        final int childCount = mChildrenCount;        for (int i = 0; i < childCount; i++) {            children[i].resetSubtreeAccessibilityStateChanged();        }    }    /**     * {@inheritDoc}     */    @Override    void dispatchDetachedFromWindow() {        // If we still have a touch target, we are still in the process of        // dispatching motion events to a child; we need to get rid of that        // child to avoid dispatching events to it after the window is torn        // down. To make sure we keep the child in a consistent state, we        // first send it an ACTION_CANCEL motion event.        cancelAndClearTouchTargets(null);        // Similarly, set ACTION_EXIT to all hover targets and clear them.        exitHoverTargets();        // In case view is detached while transition is running        mLayoutCalledWhileSuppressed = false;        // Tear down our drag tracking        mDragNotifiedChildren = null;        if (mCurrentDrag != null) {            mCurrentDrag.recycle();            mCurrentDrag = null;        }        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            children[i].dispatchDetachedFromWindow();        }        super.dispatchDetachedFromWindow();    }    /**     * @hide     */    @Override    protected void internalSetPadding(int left, int top, int right, int bottom) {        super.internalSetPadding(left, top, right, bottom);        if ((mPaddingLeft | mPaddingTop | mPaddingRight | mPaddingBottom) != 0) {            mGroupFlags |= FLAG_PADDING_NOT_NULL;        } else {            mGroupFlags &= ~FLAG_PADDING_NOT_NULL;        }    }    /**     * {@inheritDoc}     */    @Override    protected void dispatchSaveInstanceState(SparseArray<Parcelable> container) {        super.dispatchSaveInstanceState(container);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            View c = children[i];            if ((c.mViewFlags & PARENT_SAVE_DISABLED_MASK) != PARENT_SAVE_DISABLED) {                c.dispatchSaveInstanceState(container);            }        }    }    /**     * Perform dispatching of a {@link #saveHierarchyState(android.util.SparseArray)}  freeze()}     * to only this view, not to its children.  For use when overriding     * {@link #dispatchSaveInstanceState(android.util.SparseArray)}  dispatchFreeze()} to allow     * subclasses to freeze their own state but not the state of their children.     *     * @param container the container     */    protected void dispatchFreezeSelfOnly(SparseArray<Parcelable> container) {        super.dispatchSaveInstanceState(container);    }    /**     * {@inheritDoc}     */    @Override    protected void dispatchRestoreInstanceState(SparseArray<Parcelable> container) {        super.dispatchRestoreInstanceState(container);        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            View c = children[i];            if ((c.mViewFlags & PARENT_SAVE_DISABLED_MASK) != PARENT_SAVE_DISABLED) {                c.dispatchRestoreInstanceState(container);            }        }    }    /**     * Perform dispatching of a {@link #restoreHierarchyState(android.util.SparseArray)}     * to only this view, not to its children.  For use when overriding     * {@link #dispatchRestoreInstanceState(android.util.SparseArray)} to allow     * subclasses to thaw their own state but not the state of their children.     *     * @param container the container     */    protected void dispatchThawSelfOnly(SparseArray<Parcelable> container) {        super.dispatchRestoreInstanceState(container);    }    /**     * Enables or disables the drawing cache for each child of this view group.     *     * @param enabled true to enable the cache, false to dispose of it     */    protected void setChildrenDrawingCacheEnabled(boolean enabled) {        if (enabled || (mPersistentDrawingCache & PERSISTENT_ALL_CACHES) != PERSISTENT_ALL_CACHES) {            final View[] children = mChildren;            final int count = mChildrenCount;            for (int i = 0; i < count; i++) {                children[i].setDrawingCacheEnabled(enabled);            }        }    }    @Override    protected void onAnimationStart() {        super.onAnimationStart();        // When this ViewGroup's animation starts, build the cache for the children        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {            final int count = mChildrenCount;            final View[] children = mChildren;            final boolean buildCache = !isHardwareAccelerated();            for (int i = 0; i < count; i++) {                final View child = children[i];                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                    child.setDrawingCacheEnabled(true);                    if (buildCache) {                        child.buildDrawingCache(true);                    }                }            }            mGroupFlags |= FLAG_CHILDREN_DRAWN_WITH_CACHE;        }    }    @Override    protected void onAnimationEnd() {        super.onAnimationEnd();        // When this ViewGroup's animation ends, destroy the cache of the children        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {            mGroupFlags &= ~FLAG_CHILDREN_DRAWN_WITH_CACHE;            if ((mPersistentDrawingCache & PERSISTENT_ANIMATION_CACHE) == 0) {                setChildrenDrawingCacheEnabled(false);            }        }    }    @Override    Bitmap createSnapshot(Bitmap.Config quality, int backgroundColor, boolean skipChildren) {        int count = mChildrenCount;        int[] visibilities = null;        if (skipChildren) {            visibilities = new int[count];            for (int i = 0; i < count; i++) {                View child = getChildAt(i);                visibilities[i] = child.getVisibility();                if (visibilities[i] == View.VISIBLE) {                    child.setVisibility(INVISIBLE);                }            }        }        Bitmap b = super.createSnapshot(quality, backgroundColor, skipChildren);        if (skipChildren) {            for (int i = 0; i < count; i++) {                getChildAt(i).setVisibility(visibilities[i]);            }        }        return b;    }    /** Return true if this ViewGroup is laying out using optical bounds. */    boolean isLayoutModeOptical() {        return mLayoutMode == LAYOUT_MODE_OPTICAL_BOUNDS;    }    Insets computeOpticalInsets() {        if (isLayoutModeOptical()) {            int left = 0;            int top = 0;            int right = 0;            int bottom = 0;            for (int i = 0; i < mChildrenCount; i++) {                View child = getChildAt(i);                if (child.getVisibility() == VISIBLE) {                    Insets insets = child.getOpticalInsets();                    left =   Math.max(left,   insets.left);                    top =    Math.max(top,    insets.top);                    right =  Math.max(right,  insets.right);                    bottom = Math.max(bottom, insets.bottom);                }            }            return Insets.of(left, top, right, bottom);        } else {            return Insets.NONE;        }    }    private static void fillRect(Canvas canvas, Paint paint, int x1, int y1, int x2, int y2) {        if (x1 != x2 && y1 != y2) {            if (x1 > x2) {                int tmp = x1; x1 = x2; x2 = tmp;            }            if (y1 > y2) {                int tmp = y1; y1 = y2; y2 = tmp;            }            canvas.drawRect(x1, y1, x2, y2, paint);        }    }    private static int sign(int x) {        return (x >= 0) ? 1 : -1;    }    private static void drawCorner(Canvas c, Paint paint, int x1, int y1, int dx, int dy, int lw) {        fillRect(c, paint, x1, y1, x1 + dx, y1 + lw * sign(dy));        fillRect(c, paint, x1, y1, x1 + lw * sign(dx), y1 + dy);    }    private int dipsToPixels(int dips) {        float scale = getContext().getResources().getDisplayMetrics().density;        return (int) (dips * scale + 0.5f);    }    private static void drawRectCorners(Canvas canvas, int x1, int y1, int x2, int y2, Paint paint,            int lineLength, int lineWidth) {        drawCorner(canvas, paint, x1, y1, lineLength, lineLength, lineWidth);        drawCorner(canvas, paint, x1, y2, lineLength, -lineLength, lineWidth);        drawCorner(canvas, paint, x2, y1, -lineLength, lineLength, lineWidth);        drawCorner(canvas, paint, x2, y2, -lineLength, -lineLength, lineWidth);    }    private static void fillDifference(Canvas canvas,            int x2, int y2, int x3, int y3,            int dx1, int dy1, int dx2, int dy2, Paint paint) {        int x1 = x2 - dx1;        int y1 = y2 - dy1;        int x4 = x3 + dx2;        int y4 = y3 + dy2;        fillRect(canvas, paint, x1, y1, x4, y2);        fillRect(canvas, paint, x1, y2, x2, y3);        fillRect(canvas, paint, x3, y2, x4, y3);        fillRect(canvas, paint, x1, y3, x4, y4);    }    /**     * @hide     */    protected void onDebugDrawMargins(Canvas canvas, Paint paint) {        for (int i = 0; i < getChildCount(); i++) {            View c = getChildAt(i);            c.getLayoutParams().onDebugDraw(c, canvas, paint);        }    }    /**     * @hide     */    protected void onDebugDraw(Canvas canvas) {        Paint paint = getDebugPaint();        // Draw optical bounds        {            paint.setColor(Color.RED);            paint.setStyle(Paint.Style.STROKE);            for (int i = 0; i < getChildCount(); i++) {                View c = getChildAt(i);                Insets insets = c.getOpticalInsets();                drawRect(canvas, paint,                        c.getLeft()   + insets.left,                        c.getTop()    + insets.top,                        c.getRight()  - insets.right  - 1,                        c.getBottom() - insets.bottom - 1);            }        }        // Draw margins        {            paint.setColor(Color.argb(63, 255, 0, 255));            paint.setStyle(Paint.Style.FILL);            onDebugDrawMargins(canvas, paint);        }        // Draw clip bounds        {            paint.setColor(Color.rgb(63, 127, 255));            paint.setStyle(Paint.Style.FILL);            int lineLength = dipsToPixels(8);            int lineWidth = dipsToPixels(1);            for (int i = 0; i < getChildCount(); i++) {                View c = getChildAt(i);                drawRectCorners(canvas, c.getLeft(), c.getTop(), c.getRight(), c.getBottom(),                        paint, lineLength, lineWidth);            }        }    }    /**     * {@inheritDoc}     */    @Override//ViewGroup 的绘制实际上调用的dispatchDraw,绘制时需要考虑动画问题,而动画实际上就是通过dispatchDraw来实现的//绘制子组件调用的是drawChild方法,    protected void dispatchDraw(Canvas canvas) {        final int count = mChildrenCount;        final View[] children = mChildren;        int flags = mGroupFlags;        if ((flags & FLAG_RUN_ANIMATION) != 0 && canAnimate()) {            final boolean cache = (mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE;            final boolean buildCache = !isHardwareAccelerated();            for (int i = 0; i < count; i++) {                final View child = children[i];                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE) {                    final LayoutParams params = child.getLayoutParams();                    attachLayoutAnimationParameters(child, params, i, count);                    bindLayoutAnimation(child);                    if (cache) {                        child.setDrawingCacheEnabled(true);                        if (buildCache) {                                                    child.buildDrawingCache(true);                        }                    }                }            }            final LayoutAnimationController controller = mLayoutAnimationController;            if (controller.willOverlap()) {                mGroupFlags |= FLAG_OPTIMIZE_INVALIDATE;            }            controller.start();            mGroupFlags &= ~FLAG_RUN_ANIMATION;            mGroupFlags &= ~FLAG_ANIMATION_DONE;            if (cache) {                mGroupFlags |= FLAG_CHILDREN_DRAWN_WITH_CACHE;            }            if (mAnimationListener != null) {                mAnimationListener.onAnimationStart(controller.getAnimation());            }        }        int saveCount = 0;        final boolean clipToPadding = (flags & CLIP_TO_PADDING_MASK) == CLIP_TO_PADDING_MASK;        if (clipToPadding) {            saveCount = canvas.save();            canvas.clipRect(mScrollX + mPaddingLeft, mScrollY + mPaddingTop,                    mScrollX + mRight - mLeft - mPaddingRight,                    mScrollY + mBottom - mTop - mPaddingBottom);        }        // We will draw our child's animation, let's reset the flag        mPrivateFlags &= ~PFLAG_DRAW_ANIMATION;        mGroupFlags &= ~FLAG_INVALIDATE_REQUIRED;        boolean more = false;        final long drawingTime = getDrawingTime();        if ((flags & FLAG_USE_CHILD_DRAWING_ORDER) == 0) {            for (int i = 0; i < count; i++) {                final View child = children[i];                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {                    more |= drawChild(canvas, child, drawingTime);                }            }        } else {            for (int i = 0; i < count; i++) {                final View child = children[getChildDrawingOrder(count, i)];                if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {                    more |= drawChild(canvas, child, drawingTime);                }            }        }        // Draw any disappearing views that have animations        if (mDisappearingChildren != null) {            final ArrayList<View> disappearingChildren = mDisappearingChildren;            final int disappearingCount = disappearingChildren.size() - 1;            // Go backwards -- we may delete as animations finish            for (int i = disappearingCount; i >= 0; i--) {                final View child = disappearingChildren.get(i);                more |= drawChild(canvas, child, drawingTime);            }        }        if (debugDraw()) {            onDebugDraw(canvas);        }        if (clipToPadding) {            canvas.restoreToCount(saveCount);        }        // mGroupFlags might have been updated by drawChild()        flags = mGroupFlags;        if ((flags & FLAG_INVALIDATE_REQUIRED) == FLAG_INVALIDATE_REQUIRED) {            invalidate(true);        }        if ((flags & FLAG_ANIMATION_DONE) == 0 && (flags & FLAG_NOTIFY_ANIMATION_LISTENER) == 0 &&                mLayoutAnimationController.isDone() && !more) {            // We want to erase the drawing cache and notify the listener after the            // next frame is drawn because one extra invalidate() is caused by            // drawChild() after the animation is over            mGroupFlags |= FLAG_NOTIFY_ANIMATION_LISTENER;            final Runnable end = new Runnable() {               public void run() {                   notifyAnimationListener();               }            };            post(end);        }    }    /**     * Returns the ViewGroupOverlay for this view group, creating it if it does     * not yet exist. In addition to {@link ViewOverlay}'s support for drawables,     * {@link ViewGroupOverlay} allows views to be added to the overlay. These     * views, like overlay drawables, are visual-only; they do not receive input     * events and should not be used as anything other than a temporary     * representation of a view in a parent container, such as might be used     * by an animation effect.     *     * <p>Note: Overlays do not currently work correctly with {@link     * SurfaceView} or {@link TextureView}; contents in overlays for these     * types of views may not display correctly.</p>     *     * @return The ViewGroupOverlay object for this view.     * @see ViewGroupOverlay     */    @Override    public ViewGroupOverlay getOverlay() {        if (mOverlay == null) {            mOverlay = new ViewGroupOverlay(mContext, this);        }        return (ViewGroupOverlay) mOverlay;    }    /**     * Returns the index of the child to draw for this iteration. Override this     * if you want to change the drawing order of children. By default, it     * returns i.     * <p>     * NOTE: In order for this method to be called, you must enable child ordering     * first by calling {@link #setChildrenDrawingOrderEnabled(boolean)}.     *     * @param i The current iteration.     * @return The index of the child to draw this iteration.     *     * @see #setChildrenDrawingOrderEnabled(boolean)     * @see #isChildrenDrawingOrderEnabled()     */    protected int getChildDrawingOrder(int childCount, int i) {        return i;    }    private void notifyAnimationListener() {        mGroupFlags &= ~FLAG_NOTIFY_ANIMATION_LISTENER;        mGroupFlags |= FLAG_ANIMATION_DONE;        if (mAnimationListener != null) {           final Runnable end = new Runnable() {               public void run() {                   mAnimationListener.onAnimationEnd(mLayoutAnimationController.getAnimation());               }           };           post(end);        }        if ((mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE) {            mGroupFlags &= ~FLAG_CHILDREN_DRAWN_WITH_CACHE;            if ((mPersistentDrawingCache & PERSISTENT_ANIMATION_CACHE) == 0) {                setChildrenDrawingCacheEnabled(false);            }        }        invalidate(true);    }    /**     * This method is used to cause children of this ViewGroup to restore or recreate their     * display lists. It is called by getDisplayList() when the parent ViewGroup does not need     * to recreate its own display list, which would happen if it went through the normal     * draw/dispatchDraw mechanisms.     *     * @hide     */    @Override    protected void dispatchGetDisplayList() {        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            final View child = children[i];            if (((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) &&                    child.hasStaticLayer()) {                child.mRecreateDisplayList = (child.mPrivateFlags & PFLAG_INVALIDATED)                        == PFLAG_INVALIDATED;                child.mPrivateFlags &= ~PFLAG_INVALIDATED;                child.getDisplayList();                child.mRecreateDisplayList = false;            }        }        if (mOverlay != null) {            View overlayView = mOverlay.getOverlayView();            overlayView.mRecreateDisplayList = (overlayView.mPrivateFlags & PFLAG_INVALIDATED)                    == PFLAG_INVALIDATED;            overlayView.mPrivateFlags &= ~PFLAG_INVALIDATED;            overlayView.getDisplayList();            overlayView.mRecreateDisplayList = false;        }    }    /**     * Draw one child of this View Group. This method is responsible for getting     * the canvas in the right state. This includes clipping, translating so     * that the child's scrolled origin is at 0, 0, and applying any animation     * transformations.     *     * @param canvas The canvas on which to draw the child     * @param child Who to draw     * @param drawingTime The time at which draw is occurring     * @return True if an invalidate() was issued     */    protected boolean drawChild(Canvas canvas, View child, long drawingTime) {        return child.draw(canvas, this, drawingTime);    }    /**     * Returns whether ths group's children are clipped to their bounds before drawing.     * The default value is true.     * @see #setClipChildren(boolean)     *     * @return True if the group's children will be clipped to their bounds,     * false otherwise.     */    public boolean getClipChildren() {        return ((mGroupFlags & FLAG_CLIP_CHILDREN) != 0);    }    /**     * By default, children are clipped to their bounds before drawing. This     * allows view groups to override this behavior for animations, etc.     *     * @param clipChildren true to clip children to their bounds,     *        false otherwise     * @attr ref android.R.styleable#ViewGroup_clipChildren     */    public void setClipChildren(boolean clipChildren) {        boolean previousValue = (mGroupFlags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN;        if (clipChildren != previousValue) {            setBooleanFlag(FLAG_CLIP_CHILDREN, clipChildren);            for (int i = 0; i < mChildrenCount; ++i) {                View child = getChildAt(i);                if (child.mDisplayList != null) {                    child.mDisplayList.setClipToBounds(clipChildren);                }            }        }    }    /**     * By default, children are clipped to the padding of the ViewGroup. This     * allows view groups to override this behavior     *     * @param clipToPadding true to clip children to the padding of the     *        group, false otherwise     * @attr ref android.R.styleable#ViewGroup_clipToPadding     */    public void setClipToPadding(boolean clipToPadding) {        setBooleanFlag(FLAG_CLIP_TO_PADDING, clipToPadding);    }    /**     * {@inheritDoc}     */    @Override    public void dispatchSetSelected(boolean selected) {        final View[] children = mChildren;        final int count = mChildrenCount;        for (int i = 0; i < count; i++) {            children[i].setSelected(selected);        }    }    /**     * {@inheritDoc}     */    @Override    public void dispatchSetActivated(boolean activated) {        final View[] children = mChildren;        final int count = mChildrenCount;        for (int i = 0; i < count; i++) {            children[i].setActivated(activated);        }    }    @Override    protected void dispatchSetPressed(boolean pressed) {        final View[] children = mChildren;        final int count = mChildrenCount;        for (int i = 0; i < count; i++) {            final View child = children[i];            // Children that are clickable on their own should not            // show a pressed state when their parent view does.            // Clearing a pressed state always propagates.            if (!pressed || (!child.isClickable() && !child.isLongClickable())) {                child.setPressed(pressed);            }        }    }    @Override    void dispatchCancelPendingInputEvents() {        super.dispatchCancelPendingInputEvents();        final View[] children = mChildren;        final int count = mChildrenCount;        for (int i = 0; i < count; i++) {            children[i].dispatchCancelPendingInputEvents();        }    }    /**     * When this property is set to true, this ViewGroup supports static transformations on     * children; this causes     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} to be     * invoked when a child is drawn.     *     * Any subclass overriding     * {@link #getChildStaticTransformation(View, android.view.animation.Transformation)} should     * set this property to true.     *     * @param enabled True to enable static transformations on children, false otherwise.     *     * @see #getChildStaticTransformation(View, android.view.animation.Transformation)     */    protected void setStaticTransformationsEnabled(boolean enabled) {        setBooleanFlag(FLAG_SUPPORT_STATIC_TRANSFORMATIONS, enabled);    }    /**     * Sets  <code>t</code> to be the static transformation of the child, if set, returning a     * boolean to indicate whether a static transform was set. The default implementation     * simply returns <code>false</code>; subclasses may override this method for different     * behavior. {@link #setStaticTransformationsEnabled(boolean)} must be set to true     * for this method to be called.     *     * @param child The child view whose static transform is being requested     * @param t The Transformation which will hold the result     * @return true if the transformation was set, false otherwise     * @see #setStaticTransformationsEnabled(boolean)     */    protected boolean getChildStaticTransformation(View child, Transformation t) {        return false;    }    Transformation getChildTransformation() {        if (mChildTransformation == null) {            mChildTransformation = new Transformation();        }        return mChildTransformation;    }    /**     * {@hide}     */    @Override    protected View findViewTraversal(int id) {        if (id == mID) {            return this;        }        final View[] where = mChildren;        final int len = mChildrenCount;        for (int i = 0; i < len; i++) {            View v = where[i];            if ((v.mPrivateFlags & PFLAG_IS_ROOT_NAMESPACE) == 0) {                v = v.findViewById(id);                if (v != null) {                    return v;                }            }        }        return null;    }    /**     * {@hide}     */    @Override    protected View findViewWithTagTraversal(Object tag) {        if (tag != null && tag.equals(mTag)) {            return this;        }        final View[] where = mChildren;        final int len = mChildrenCount;        for (int i = 0; i < len; i++) {            View v = where[i];            if ((v.mPrivateFlags & PFLAG_IS_ROOT_NAMESPACE) == 0) {                v = v.findViewWithTag(tag);                if (v != null) {                    return v;                }            }        }        return null;    }    /**     * {@hide}     */    @Override    protected View findViewByPredicateTraversal(Predicate<View> predicate, View childToSkip) {        if (predicate.apply(this)) {            return this;        }        final View[] where = mChildren;        final int len = mChildrenCount;        for (int i = 0; i < len; i++) {            View v = where[i];            if (v != childToSkip && (v.mPrivateFlags & PFLAG_IS_ROOT_NAMESPACE) == 0) {                v = v.findViewByPredicate(predicate);                if (v != null) {                    return v;                }            }        }        return null;    }    /**     * <p>Adds a child view. If no layout parameters are already set on the child, the     * default parameters for this ViewGroup are set on the child.</p>     *      * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param child the child view to add     *     * @see #generateDefaultLayoutParams()     */    public void addView(View child) {        addView(child, -1);    }    /**     * Adds a child view. If no layout parameters are already set on the child, the     * default parameters for this ViewGroup are set on the child.     *      * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param child the child view to add     * @param index the position at which to add the child     *     * @see #generateDefaultLayoutParams()     */    public void addView(View child, int index) {        LayoutParams params = child.getLayoutParams();        if (params == null) {            params = generateDefaultLayoutParams();            if (params == null) {                throw new IllegalArgumentException("generateDefaultLayoutParams() cannot return null");            }        }        addView(child, index, params);    }    /**     * Adds a child view with this ViewGroup's default layout parameters and the     * specified width and height.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param child the child view to add     */    public void addView(View child, int width, int height) {        final LayoutParams params = generateDefaultLayoutParams();        params.width = width;        params.height = height;        addView(child, -1, params);    }    /**     * Adds a child view with the specified layout parameters.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param child the child view to add     * @param params the layout parameters to set on the child     */    public void addView(View child, LayoutParams params) {        addView(child, -1, params);    }    /**     * Adds a child view with the specified layout parameters.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param child the child view to add     * @param index the position at which to add the child     * @param params the layout parameters to set on the child     */    public void addView(View child, int index, LayoutParams params) {        if (DBG) {            System.out.println(this + " addView");        }        // addViewInner() will call child.requestLayout() when setting the new LayoutParams        // therefore, we call requestLayout() on ourselves before, so that the child's request        // will be blocked at our level        requestLayout();        invalidate(true);        addViewInner(child, index, params, false);    }    /**     * {@inheritDoc}     */    public void updateViewLayout(View view, ViewGroup.LayoutParams params) {        if (!checkLayoutParams(params)) {            throw new IllegalArgumentException("Invalid LayoutParams supplied to " + this);        }        if (view.mParent != this) {            throw new IllegalArgumentException("Given view not a child of " + this);        }        view.setLayoutParams(params);    }    /**     * {@inheritDoc}     */    protected boolean checkLayoutParams(ViewGroup.LayoutParams p) {        return  p != null;    }    /**     * Interface definition for a callback to be invoked when the hierarchy     * within this view changed. The hierarchy changes whenever a child is added     * to or removed from this view.     */    public interface OnHierarchyChangeListener {        /**         * Called when a new child is added to a parent view.         *         * @param parent the view in which a child was added         * @param child the new child view added in the hierarchy         */        void onChildViewAdded(View parent, View child);        /**         * Called when a child is removed from a parent view.         *         * @param parent the view from which the child was removed         * @param child the child removed from the hierarchy         */        void onChildViewRemoved(View parent, View child);    }    /**     * Register a callback to be invoked when a child is added to or removed     * from this view.     *     * @param listener the callback to invoke on hierarchy change     */    public void setOnHierarchyChangeListener(OnHierarchyChangeListener listener) {        mOnHierarchyChangeListener = listener;    }    /**     * @hide     */    protected void onViewAdded(View child) {        if (mOnHierarchyChangeListener != null) {            mOnHierarchyChangeListener.onChildViewAdded(this, child);        }    }    /**     * @hide     */    protected void onViewRemoved(View child) {        if (mOnHierarchyChangeListener != null) {            mOnHierarchyChangeListener.onChildViewRemoved(this, child);        }    }    private void clearCachedLayoutMode() {        if (!hasBooleanFlag(FLAG_LAYOUT_MODE_WAS_EXPLICITLY_SET)) {           mLayoutMode = LAYOUT_MODE_UNDEFINED;        }    }    @Override    protected void onAttachedToWindow() {        super.onAttachedToWindow();        clearCachedLayoutMode();    }    @Override    protected void onDetachedFromWindow() {        super.onDetachedFromWindow();        clearCachedLayoutMode();    }    /**     * Adds a view during layout. This is useful if in your onLayout() method,     * you need to add more views (as does the list view for example).     *     * If index is negative, it means put it at the end of the list.     *     * @param child the view to add to the group     * @param index the index at which the child must be added     * @param params the layout parameters to associate with the child     * @return true if the child was added, false otherwise     */ //添加View的算法 //addViewInLayout  addViewInner  addInArray 这四个方法都是添加View的核心算法的封装,它们是层层调用的关系,而我们通常调用的addView就是最终通过这几个函数来添加View到ViewGroup中的    protected boolean addViewInLayout(View child, int index, LayoutParams params) {        return addViewInLayout(child, index, params, false);    }    /**     * Adds a view during layout. This is useful if in your onLayout() method,     * you need to add more views (as does the list view for example).     *     * If index is negative, it means put it at the end of the list.     *     * @param child the view to add to the group     * @param index the index at which the child must be added     * @param params the layout parameters to associate with the child     * @param preventRequestLayout if true, calling this method will not trigger a     *        layout request on child     * @return true if the child was added, false otherwise     */    protected boolean addViewInLayout(View child, int index, LayoutParams params,            boolean preventRequestLayout) {        child.mParent = null;        addViewInner(child, index, params, preventRequestLayout);        child.mPrivateFlags = (child.mPrivateFlags & ~PFLAG_DIRTY_MASK) | PFLAG_DRAWN;        return true;    }    /**     * Prevents the specified child to be laid out during the next layout pass.     *     * @param child the child on which to perform the cleanup     */    protected void cleanupLayoutState(View child) {        child.mPrivateFlags &= ~View.PFLAG_FORCE_LAYOUT;    }    private void addViewInner(View child, int index, LayoutParams params,            boolean preventRequestLayout) {        if (mTransition != null) {            // Don't prevent other add transitions from completing, but cancel remove            // transitions to let them complete the process before we add to the container            mTransition.cancel(LayoutTransition.DISAPPEARING);        }//首先是对子View是否已经包含到一个父容器中,主要的是防止添加一个已有父容器的VIew,因为添加一个拥有父容器的//View时会碰到各种问题。比如记录本身父容器算法的问题,本身被多个父容器包含时更新的处理等等一系列的问题        if (child.getParent() != null) {            throw new IllegalStateException("The specified child already has a parent. " +                    "You must call removeView() on the child's parent first.");        }        if (mTransition != null) {            mTransition.addChild(this, child);        }//对子View布局参数的处理        if (!checkLayoutParams(params)) {            params = generateLayoutParams(params);        }        if (preventRequestLayout) {            child.mLayoutParams = params;        } else {            child.setLayoutParams(params);        }        if (index < 0) {            index = mChildrenCount;        }//调用addInArray来添加View        addInArray(child, index);        // tell our children//父VIew为当前的ViewGroup        if (preventRequestLayout) {            child.assignParent(this);        } else {            child.mParent = this;        }//焦点的处理        if (child.hasFocus()) {            requestChildFocus(child, child.findFocus());        }//当前View的AttachInfo信息,这个信息是用来在窗口处理中用的。//Android的窗口系统就是通过AttachInfo来判断View的所属窗口的        AttachInfo ai = mAttachInfo;        if (ai != null && (mGroupFlags & FLAG_PREVENT_DISPATCH_ATTACHED_TO_WINDOW) == 0) {            boolean lastKeepOn = ai.mKeepScreenOn;            ai.mKeepScreenOn = false;            child.dispatchAttachedToWindow(mAttachInfo, (mViewFlags&VISIBILITY_MASK));            if (ai.mKeepScreenOn) {                needGlobalAttributesUpdate(true);            }            ai.mKeepScreenOn = lastKeepOn;        }        if (child.isLayoutDirectionInherited()) {            child.resetRtlProperties();        }//View 树改变的监听        onViewAdded(child);//子View中的mViewFlags的设置        if ((child.mViewFlags & DUPLICATE_PARENT_STATE) == DUPLICATE_PARENT_STATE) {            mGroupFlags |= FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE;        }        if (child.hasTransientState()) {            childHasTransientStateChanged(child, true);        }        if (child.isImportantForAccessibility() && child.getVisibility() != View.GONE) {            notifySubtreeAccessibilityStateChangedIfNeeded();        }    }//此类里面主要是通过System.arraycopy来添加View的    private void addInArray(View child, int index) {        View[] children = mChildren;        final int count = mChildrenCount;        final int size = children.length;        if (index == count) {            if (size == count) {                mChildren = new View[size + ARRAY_CAPACITY_INCREMENT];                System.arraycopy(children, 0, mChildren, 0, size);                children = mChildren;            }            children[mChildrenCount++] = child;        } else if (index < count) {            if (size == count) {                mChildren = new View[size + ARRAY_CAPACITY_INCREMENT];                System.arraycopy(children, 0, mChildren, 0, index);                System.arraycopy(children, index, mChildren, index + 1, count - index);                children = mChildren;            } else {                System.arraycopy(children, index, children, index + 1, count - index);            }            children[index] = child;            mChildrenCount++;            if (mLastTouchDownIndex >= index) {                mLastTouchDownIndex++;            }        } else {            throw new IndexOutOfBoundsException("index=" + index + " count=" + count);        }    }    // This method also sets the child's mParent to null//移除View的方式    private void removeFromArray(int index) {        final View[] children = mChildren;        if (!(mTransitioningViews != null && mTransitioningViews.contains(children[index]))) {            children[index].mParent = null;        }        final int count = mChildrenCount;        if (index == count - 1) {            children[--mChildrenCount] = null;        } else if (index >= 0 && index < count) {            System.arraycopy(children, index + 1, children, index, count - index - 1);            children[--mChildrenCount] = null;        } else {            throw new IndexOutOfBoundsException();        }        if (mLastTouchDownIndex == index) {            mLastTouchDownTime = 0;            mLastTouchDownIndex = -1;        } else if (mLastTouchDownIndex > index) {            mLastTouchDownIndex--;        }    }    // This method also sets the children's mParent to null    private void removeFromArray(int start, int count) {        final View[] children = mChildren;        final int childrenCount = mChildrenCount;        start = Math.max(0, start);        final int end = Math.min(childrenCount, start + count);        if (start == end) {            return;        }        if (end == childrenCount) {            for (int i = start; i < end; i++) {                children[i].mParent = null;                children[i] = null;            }        } else {            for (int i = start; i < end; i++) {                children[i].mParent = null;            }            // Since we're looping above, we might as well do the copy, but is arraycopy()            // faster than the extra 2 bounds checks we would do in the loop?            System.arraycopy(children, end, children, start, childrenCount - end);            for (int i = childrenCount - (end - start); i < childrenCount; i++) {                children[i] = null;            }        }        mChildrenCount -= (end - start);    }    private void bindLayoutAnimation(View child) {        Animation a = mLayoutAnimationController.getAnimationForView(child);        child.setAnimation(a);    }    /**     * Subclasses should override this method to set layout animation     * parameters on the supplied child.     *     * @param child the child to associate with animation parameters     * @param params the child's layout parameters which hold the animation     *        parameters     * @param index the index of the child in the view group     * @param count the number of children in the view group     */    protected void attachLayoutAnimationParameters(View child,            LayoutParams params, int index, int count) {        LayoutAnimationController.AnimationParameters animationParams =                    params.layoutAnimationParameters;        if (animationParams == null) {            animationParams = new LayoutAnimationController.AnimationParameters();            params.layoutAnimationParameters = animationParams;        }        animationParams.count = count;        animationParams.index = index;    }    /**     * {@inheritDoc}     *      * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     */    public void removeView(View view) {        removeViewInternal(view);        requestLayout();        invalidate(true);    }    /**     * Removes a view during layout. This is useful if in your onLayout() method,     * you need to remove more views.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *      * @param view the view to remove from the group     */    public void removeViewInLayout(View view) {        removeViewInternal(view);    }    /**     * Removes a range of views during layout. This is useful if in your onLayout() method,     * you need to remove more views.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param start the index of the first view to remove from the group     * @param count the number of views to remove from the group     */    public void removeViewsInLayout(int start, int count) {        removeViewsInternal(start, count);    }    /**     * Removes the view at the specified position in the group.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *      * @param index the position in the group of the view to remove     */    public void removeViewAt(int index) {        removeViewInternal(index, getChildAt(index));        requestLayout();        invalidate(true);    }    /**     * Removes the specified range of views from the group.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     *     * @param start the first position in the group of the range of views to remove     * @param count the number of views to remove     */    public void removeViews(int start, int count) {        removeViewsInternal(start, count);        requestLayout();        invalidate(true);    }    private void removeViewInternal(View view) {        final int index = indexOfChild(view);        if (index >= 0) {            removeViewInternal(index, view);        }    }    private void removeViewInternal(int index, View view) {        if (mTransition != null) {            mTransition.removeChild(this, view);        }        boolean clearChildFocus = false;        if (view == mFocused) {            view.unFocus();            clearChildFocus = true;        }        if (view.isAccessibilityFocused()) {            view.clearAccessibilityFocus();        }        cancelTouchTarget(view);        cancelHoverTarget(view);        if (view.getAnimation() != null ||                (mTransitioningViews != null && mTransitioningViews.contains(view))) {            addDisappearingView(view);        } else if (view.mAttachInfo != null) {           view.dispatchDetachedFromWindow();        }        if (view.hasTransientState()) {            childHasTransientStateChanged(view, false);        }        needGlobalAttributesUpdate(false);        removeFromArray(index);        if (clearChildFocus) {            clearChildFocus(view);            if (!rootViewRequestFocus()) {                notifyGlobalFocusCleared(this);            }        }        onViewRemoved(view);        if (view.isImportantForAccessibility() && view.getVisibility() != View.GONE) {            notifySubtreeAccessibilityStateChangedIfNeeded();        }    }    /**     * Sets the LayoutTransition object for this ViewGroup. If the LayoutTransition object is     * not null, changes in layout which occur because of children being added to or removed from     * the ViewGroup will be animated according to the animations defined in that LayoutTransition     * object. By default, the transition object is null (so layout changes are not animated).     *     * <p>Replacing a non-null transition will cause that previous transition to be     * canceled, if it is currently running, to restore this container to     * its correct post-transition state.</p>     *     * @param transition The LayoutTransition object that will animated changes in layout. A value     * of <code>null</code> means no transition will run on layout changes.     * @attr ref android.R.styleable#ViewGroup_animateLayoutChanges     */    public void setLayoutTransition(LayoutTransition transition) {        if (mTransition != null) {            LayoutTransition previousTransition = mTransition;            previousTransition.cancel();            previousTransition.removeTransitionListener(mLayoutTransitionListener);        }        mTransition = transition;        if (mTransition != null) {            mTransition.addTransitionListener(mLayoutTransitionListener);        }    }    /**     * Gets the LayoutTransition object for this ViewGroup. If the LayoutTransition object is     * not null, changes in layout which occur because of children being added to or removed from     * the ViewGroup will be animated according to the animations defined in that LayoutTransition     * object. By default, the transition object is null (so layout changes are not animated).     *     * @return LayoutTranstion The LayoutTransition object that will animated changes in layout.     * A value of <code>null</code> means no transition will run on layout changes.     */    public LayoutTransition getLayoutTransition() {        return mTransition;    }    private void removeViewsInternal(int start, int count) {        final View focused = mFocused;        final boolean detach = mAttachInfo != null;        boolean clearChildFocus = false;        final View[] children = mChildren;        final int end = start + count;        for (int i = start; i < end; i++) {            final View view = children[i];            if (mTransition != null) {                mTransition.removeChild(this, view);            }            if (view == focused) {                view.unFocus();                clearChildFocus = true;            }            if (view.isAccessibilityFocused()) {                view.clearAccessibilityFocus();            }            cancelTouchTarget(view);            cancelHoverTarget(view);            if (view.getAnimation() != null ||                (mTransitioningViews != null && mTransitioningViews.contains(view))) {                addDisappearingView(view);            } else if (detach) {               view.dispatchDetachedFromWindow();            }            if (view.hasTransientState()) {                childHasTransientStateChanged(view, false);            }            needGlobalAttributesUpdate(false);            onViewRemoved(view);        }        removeFromArray(start, count);        if (clearChildFocus) {            clearChildFocus(focused);            if (!rootViewRequestFocus()) {                notifyGlobalFocusCleared(focused);            }        }    }    /**     * Call this method to remove all child views from the     * ViewGroup.     *      * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     */    public void removeAllViews() {        removeAllViewsInLayout();        requestLayout();        invalidate(true);    }    /**     * Called by a ViewGroup subclass to remove child views from itself,     * when it must first know its size on screen before it can calculate how many     * child views it will render. An example is a Gallery or a ListView, which     * may "have" 50 children, but actually only render the number of children     * that can currently fit inside the object on screen. Do not call     * this method unless you are extending ViewGroup and understand the     * view measuring and layout pipeline.     *     * <p><strong>Note:</strong> do not invoke this method from     * {@link #draw(android.graphics.Canvas)}, {@link #onDraw(android.graphics.Canvas)},     * {@link #dispatchDraw(android.graphics.Canvas)} or any related method.</p>     */    public void removeAllViewsInLayout() {        final int count = mChildrenCount;        if (count <= 0) {            return;        }        final View[] children = mChildren;        mChildrenCount = 0;        final View focused = mFocused;        final boolean detach = mAttachInfo != null;        boolean clearChildFocus = false;        needGlobalAttributesUpdate(false);        for (int i = count - 1; i >= 0; i--) {            final View view = children[i];            if (mTransition != null) {                mTransition.removeChild(this, view);            }            if (view == focused) {                view.unFocus();                clearChildFocus = true;            }            if (view.isAccessibilityFocused()) {                view.clearAccessibilityFocus();            }            cancelTouchTarget(view);            cancelHoverTarget(view);            if (view.getAnimation() != null ||                    (mTransitioningViews != null && mTransitioningViews.contains(view))) {                addDisappearingView(view);            } else if (detach) {               view.dispatchDetachedFromWindow();            }            if (view.hasTransientState()) {                childHasTransientStateChanged(view, false);            }            onViewRemoved(view);            view.mParent = null;            children[i] = null;        }        if (clearChildFocus) {            clearChildFocus(focused);            if (!rootViewRequestFocus()) {                notifyGlobalFocusCleared(focused);            }        }    }    /**     * Finishes the removal of a detached view. This method will dispatch the detached from     * window event and notify the hierarchy change listener.     * <p>     * This method is intended to be lightweight and makes no assumptions about whether the     * parent or child should be redrawn. Proper use of this method will include also making     * any appropriate {@link #requestLayout()} or {@link #invalidate()} calls.     * For example, callers can {@link #post(Runnable) post} a {@link Runnable}     * which performs a {@link #requestLayout()} on the next frame, after all detach/remove     * calls are finished, causing layout to be run prior to redrawing the view hierarchy.     *     * @param child the child to be definitely removed from the view hierarchy     * @param animate if true and the view has an animation, the view is placed in the     *                disappearing views list, otherwise, it is detached from the window     *     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)     * @see #detachAllViewsFromParent()     * @see #detachViewFromParent(View)     * @see #detachViewFromParent(int)     */    protected void removeDetachedView(View child, boolean animate) {        if (mTransition != null) {            mTransition.removeChild(this, child);        }        if (child == mFocused) {            child.clearFocus();        }        child.clearAccessibilityFocus();        cancelTouchTarget(child);        cancelHoverTarget(child);        if ((animate && child.getAnimation() != null) ||                (mTransitioningViews != null && mTransitioningViews.contains(child))) {            addDisappearingView(child);        } else if (child.mAttachInfo != null) {            child.dispatchDetachedFromWindow();        }        if (child.hasTransientState()) {            childHasTransientStateChanged(child, false);        }        onViewRemoved(child);    }    /**     * Attaches a view to this view group. Attaching a view assigns this group as the parent,     * sets the layout parameters and puts the view in the list of children so that     * it can be retrieved by calling {@link #getChildAt(int)}.     * <p>     * This method is intended to be lightweight and makes no assumptions about whether the     * parent or child should be redrawn. Proper use of this method will include also making     * any appropriate {@link #requestLayout()} or {@link #invalidate()} calls.     * For example, callers can {@link #post(Runnable) post} a {@link Runnable}     * which performs a {@link #requestLayout()} on the next frame, after all detach/attach     * calls are finished, causing layout to be run prior to redrawing the view hierarchy.     * <p>     * This method should be called only for views which were detached from their parent.     *     * @param child the child to attach     * @param index the index at which the child should be attached     * @param params the layout parameters of the child     *     * @see #removeDetachedView(View, boolean)     * @see #detachAllViewsFromParent()     * @see #detachViewFromParent(View)     * @see #detachViewFromParent(int)     */    protected void attachViewToParent(View child, int index, LayoutParams params) {        child.mLayoutParams = params;        if (index < 0) {            index = mChildrenCount;        }        addInArray(child, index);        child.mParent = this;        child.mPrivateFlags = (child.mPrivateFlags & ~PFLAG_DIRTY_MASK                        & ~PFLAG_DRAWING_CACHE_VALID)                | PFLAG_DRAWN | PFLAG_INVALIDATED;        this.mPrivateFlags |= PFLAG_INVALIDATED;        if (child.hasFocus()) {            requestChildFocus(child, child.findFocus());        }    }    /**     * Detaches a view from its parent. Detaching a view should be followed     * either by a call to     * {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}     * or a call to {@link #removeDetachedView(View, boolean)}. Detachment should only be     * temporary; reattachment or removal should happen within the same drawing cycle as     * detachment. When a view is detached, its parent is null and cannot be retrieved by a     * call to {@link #getChildAt(int)}.     *     * @param child the child to detach     *     * @see #detachViewFromParent(int)     * @see #detachViewsFromParent(int, int)     * @see #detachAllViewsFromParent()     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)     * @see #removeDetachedView(View, boolean)     */    protected void detachViewFromParent(View child) {        removeFromArray(indexOfChild(child));    }    /**     * Detaches a view from its parent. Detaching a view should be followed     * either by a call to     * {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}     * or a call to {@link #removeDetachedView(View, boolean)}. Detachment should only be     * temporary; reattachment or removal should happen within the same drawing cycle as     * detachment. When a view is detached, its parent is null and cannot be retrieved by a     * call to {@link #getChildAt(int)}.     *     * @param index the index of the child to detach     *     * @see #detachViewFromParent(View)     * @see #detachAllViewsFromParent()     * @see #detachViewsFromParent(int, int)     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)     * @see #removeDetachedView(View, boolean)     */    protected void detachViewFromParent(int index) {        removeFromArray(index);    }    /**     * Detaches a range of views from their parents. Detaching a view should be followed     * either by a call to     * {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}     * or a call to {@link #removeDetachedView(View, boolean)}. Detachment should only be     * temporary; reattachment or removal should happen within the same drawing cycle as     * detachment. When a view is detached, its parent is null and cannot be retrieved by a     * call to {@link #getChildAt(int)}.     *     * @param start the first index of the childrend range to detach     * @param count the number of children to detach     *     * @see #detachViewFromParent(View)     * @see #detachViewFromParent(int)     * @see #detachAllViewsFromParent()     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)     * @see #removeDetachedView(View, boolean)     */    protected void detachViewsFromParent(int start, int count) {        removeFromArray(start, count);    }    /**     * Detaches all views from the parent. Detaching a view should be followed     * either by a call to     * {@link #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)}     * or a call to {@link #removeDetachedView(View, boolean)}. Detachment should only be     * temporary; reattachment or removal should happen within the same drawing cycle as     * detachment. When a view is detached, its parent is null and cannot be retrieved by a     * call to {@link #getChildAt(int)}.     *     * @see #detachViewFromParent(View)     * @see #detachViewFromParent(int)     * @see #detachViewsFromParent(int, int)     * @see #attachViewToParent(View, int, android.view.ViewGroup.LayoutParams)     * @see #removeDetachedView(View, boolean)     */    protected void detachAllViewsFromParent() {        final int count = mChildrenCount;        if (count <= 0) {            return;        }        final View[] children = mChildren;        mChildrenCount = 0;        for (int i = count - 1; i >= 0; i--) {            children[i].mParent = null;            children[i] = null;        }    }    /**     * Don't call or override this method. It is used for the implementation of     * the view hierarchy.     */    public final void invalidateChild(View child, final Rect dirty) {        ViewParent parent = this;        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            // If the child is drawing an animation, we want to copy this flag onto            // ourselves and the parent to make sure the invalidate request goes            // through            final boolean drawAnimation = (child.mPrivateFlags & PFLAG_DRAW_ANIMATION)                    == PFLAG_DRAW_ANIMATION;            // Check whether the child that requests the invalidate is fully opaque            // Views being animated or transformed are not considered opaque because we may            // be invalidating their old position and need the parent to paint behind them.            Matrix childMatrix = child.getMatrix();            final boolean isOpaque = child.isOpaque() && !drawAnimation &&                    child.getAnimation() == null && childMatrix.isIdentity();            // Mark the child as dirty, using the appropriate flag            // Make sure we do not set both flags at the same time            int opaqueFlag = isOpaque ? PFLAG_DIRTY_OPAQUE : PFLAG_DIRTY;            if (child.mLayerType != LAYER_TYPE_NONE) {                mPrivateFlags |= PFLAG_INVALIDATED;                mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;                child.mLocalDirtyRect.union(dirty);            }            final int[] location = attachInfo.mInvalidateChildLocation;            location[CHILD_LEFT_INDEX] = child.mLeft;            location[CHILD_TOP_INDEX] = child.mTop;            if (!childMatrix.isIdentity() ||                    (mGroupFlags & ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {                RectF boundingRect = attachInfo.mTmpTransformRect;                boundingRect.set(dirty);                Matrix transformMatrix;                if ((mGroupFlags & ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {                    Transformation t = attachInfo.mTmpTransformation;                    boolean transformed = getChildStaticTransformation(child, t);                    if (transformed) {                        transformMatrix = attachInfo.mTmpMatrix;                        transformMatrix.set(t.getMatrix());                        if (!childMatrix.isIdentity()) {                            transformMatrix.preConcat(childMatrix);                        }                    } else {                        transformMatrix = childMatrix;                    }                } else {                    transformMatrix = childMatrix;                }                transformMatrix.mapRect(boundingRect);                dirty.set((int) (boundingRect.left - 0.5f),                        (int) (boundingRect.top - 0.5f),                        (int) (boundingRect.right + 0.5f),                        (int) (boundingRect.bottom + 0.5f));            }            do {                View view = null;                if (parent instanceof View) {                    view = (View) parent;                }                if (drawAnimation) {                    if (view != null) {                        view.mPrivateFlags |= PFLAG_DRAW_ANIMATION;                    } else if (parent instanceof ViewRootImpl) {                        ((ViewRootImpl) parent).mIsAnimating = true;                    }                }                // If the parent is dirty opaque or not dirty, mark it dirty with the opaque                // flag coming from the child that initiated the invalidate                if (view != null) {                    if ((view.mViewFlags & FADING_EDGE_MASK) != 0 &&                            view.getSolidColor() == 0) {                        opaqueFlag = PFLAG_DIRTY;                    }                    if ((view.mPrivateFlags & PFLAG_DIRTY_MASK) != PFLAG_DIRTY) {                        view.mPrivateFlags = (view.mPrivateFlags & ~PFLAG_DIRTY_MASK) | opaqueFlag;                    }                }                parent = parent.invalidateChildInParent(location, dirty);                if (view != null) {                    // Account for transform on current parent                    Matrix m = view.getMatrix();                    if (!m.isIdentity()) {                        RectF boundingRect = attachInfo.mTmpTransformRect;                        boundingRect.set(dirty);                        m.mapRect(boundingRect);                        dirty.set((int) (boundingRect.left - 0.5f),                                (int) (boundingRect.top - 0.5f),                                (int) (boundingRect.right + 0.5f),                                (int) (boundingRect.bottom + 0.5f));                    }                }            } while (parent != null);        }    }    /**     * Don't call or override this method. It is used for the implementation of     * the view hierarchy.     *     * This implementation returns null if this ViewGroup does not have a parent,     * if this ViewGroup is already fully invalidated or if the dirty rectangle     * does not intersect with this ViewGroup's bounds.     */    public ViewParent invalidateChildInParent(final int[] location, final Rect dirty) {        if ((mPrivateFlags & PFLAG_DRAWN) == PFLAG_DRAWN ||                (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID) {            if ((mGroupFlags & (FLAG_OPTIMIZE_INVALIDATE | FLAG_ANIMATION_DONE)) !=                        FLAG_OPTIMIZE_INVALIDATE) {                dirty.offset(location[CHILD_LEFT_INDEX] - mScrollX,                        location[CHILD_TOP_INDEX] - mScrollY);                if ((mGroupFlags & FLAG_CLIP_CHILDREN) == 0) {                    dirty.union(0, 0, mRight - mLeft, mBottom - mTop);                }                final int left = mLeft;                final int top = mTop;                if ((mGroupFlags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN) {                    if (!dirty.intersect(0, 0, mRight - left, mBottom - top)) {                        dirty.setEmpty();                    }                }                mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;                location[CHILD_LEFT_INDEX] = left;                location[CHILD_TOP_INDEX] = top;                if (mLayerType != LAYER_TYPE_NONE) {                    mPrivateFlags |= PFLAG_INVALIDATED;                    mLocalDirtyRect.union(dirty);                }                return mParent;            } else {                mPrivateFlags &= ~PFLAG_DRAWN & ~PFLAG_DRAWING_CACHE_VALID;                location[CHILD_LEFT_INDEX] = mLeft;                location[CHILD_TOP_INDEX] = mTop;                if ((mGroupFlags & FLAG_CLIP_CHILDREN) == FLAG_CLIP_CHILDREN) {                    dirty.set(0, 0, mRight - mLeft, mBottom - mTop);                } else {                    // in case the dirty rect extends outside the bounds of this container                    dirty.union(0, 0, mRight - mLeft, mBottom - mTop);                }                if (mLayerType != LAYER_TYPE_NONE) {                    mPrivateFlags |= PFLAG_INVALIDATED;                    mLocalDirtyRect.union(dirty);                }                return mParent;            }        }        return null;    }    /**     * Quick invalidation method called by View.invalidateViewProperty. This doesn't set the     * DRAWN flags and doesn't handle the Animation logic that the default invalidation methods     * do; all we want to do here is schedule a traversal with the appropriate dirty rect.     *     * @hide     */    public void invalidateChildFast(View child, final Rect dirty) {        ViewParent parent = this;        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            if (child.mLayerType != LAYER_TYPE_NONE) {                child.mLocalDirtyRect.union(dirty);            }            int left = child.mLeft;            int top = child.mTop;            if (!child.getMatrix().isIdentity()) {                child.transformRect(dirty);            }            do {                if (parent instanceof ViewGroup) {                    ViewGroup parentVG = (ViewGroup) parent;                    if (parentVG.mLayerType != LAYER_TYPE_NONE) {                        // Layered parents should be recreated, not just re-issued                        parentVG.invalidate();                        parent = null;                    } else {                        parent = parentVG.invalidateChildInParentFast(left, top, dirty);                        left = parentVG.mLeft;                        top = parentVG.mTop;                    }                } else {                    // Reached the top; this calls into the usual invalidate method in                    // ViewRootImpl, which schedules a traversal                    final int[] location = attachInfo.mInvalidateChildLocation;                    location[0] = left;                    location[1] = top;                    parent = parent.invalidateChildInParent(location, dirty);                }            } while (parent != null);        }    }    /**     * Quick invalidation method that simply transforms the dirty rect into the parent's     * coordinate system, pruning the invalidation if the parent has already been invalidated.     *     * @hide     */    protected ViewParent invalidateChildInParentFast(int left, int top, final Rect dirty) {        if ((mPrivateFlags & PFLAG_DRAWN) == PFLAG_DRAWN ||                (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID) {            dirty.offset(left - mScrollX, top - mScrollY);            if ((mGroupFlags & FLAG_CLIP_CHILDREN) == 0) {                dirty.union(0, 0, mRight - mLeft, mBottom - mTop);            }            if ((mGroupFlags & FLAG_CLIP_CHILDREN) == 0 ||                    dirty.intersect(0, 0, mRight - mLeft, mBottom - mTop)) {                if (mLayerType != LAYER_TYPE_NONE) {                    mLocalDirtyRect.union(dirty);                }                if (!getMatrix().isIdentity()) {                    transformRect(dirty);                }                return mParent;            }        }        return null;    }    /**     * Offset a rectangle that is in a descendant's coordinate     * space into our coordinate space.     * @param descendant A descendant of this view     * @param rect A rectangle defined in descendant's coordinate space.     */    public final void offsetDescendantRectToMyCoords(View descendant, Rect rect) {        offsetRectBetweenParentAndChild(descendant, rect, true, false);    }    /**     * Offset a rectangle that is in our coordinate space into an ancestor's     * coordinate space.     * @param descendant A descendant of this view     * @param rect A rectangle defined in descendant's coordinate space.     */    public final void offsetRectIntoDescendantCoords(View descendant, Rect rect) {        offsetRectBetweenParentAndChild(descendant, rect, false, false);    }    /**     * Helper method that offsets a rect either from parent to descendant or     * descendant to parent.     */    void offsetRectBetweenParentAndChild(View descendant, Rect rect,            boolean offsetFromChildToParent, boolean clipToBounds) {        // already in the same coord system :)        if (descendant == this) {            return;        }        ViewParent theParent = descendant.mParent;        // search and offset up to the parent        while ((theParent != null)                && (theParent instanceof View)                && (theParent != this)) {            if (offsetFromChildToParent) {                rect.offset(descendant.mLeft - descendant.mScrollX,                        descendant.mTop - descendant.mScrollY);                if (clipToBounds) {                    View p = (View) theParent;                    rect.intersect(0, 0, p.mRight - p.mLeft, p.mBottom - p.mTop);                }            } else {                if (clipToBounds) {                    View p = (View) theParent;                    rect.intersect(0, 0, p.mRight - p.mLeft, p.mBottom - p.mTop);                }                rect.offset(descendant.mScrollX - descendant.mLeft,                        descendant.mScrollY - descendant.mTop);            }            descendant = (View) theParent;            theParent = descendant.mParent;        }        // now that we are up to this view, need to offset one more time        // to get into our coordinate space        if (theParent == this) {            if (offsetFromChildToParent) {                rect.offset(descendant.mLeft - descendant.mScrollX,                        descendant.mTop - descendant.mScrollY);            } else {                rect.offset(descendant.mScrollX - descendant.mLeft,                        descendant.mScrollY - descendant.mTop);            }        } else {            /* SPRD: in the state of monkey test, due to the fast operation, parent has been             * destroyed before drawing the child ,so this case occur @{ */            if (android.os.Debug.isMonkey()) {                Log.e(TAG, "parameter must be a descendant of this view, theParent: "                        + theParent + ",this: " + this);                rect.set(-1, -1, -1, -1);            /* @} */            } else {                throw new IllegalArgumentException("parameter must be a descendant of this view");            }        }    }    /**     * Offset the vertical location of all children of this view by the specified number of pixels.     *     * @param offset the number of pixels to offset     *     * @hide     */    public void offsetChildrenTopAndBottom(int offset) {        final int count = mChildrenCount;        final View[] children = mChildren;        boolean invalidate = false;        for (int i = 0; i < count; i++) {            final View v = children[i];            v.mTop += offset;            v.mBottom += offset;            if (v.mDisplayList != null) {                invalidate = true;                v.mDisplayList.offsetTopAndBottom(offset);            }        }        if (invalidate) {            invalidateViewProperty(false, false);        }    }    /**     * {@inheritDoc}     */    public boolean getChildVisibleRect(View child, Rect r, android.graphics.Point offset) {        // It doesn't make a whole lot of sense to call this on a view that isn't attached,        // but for some simple tests it can be useful. If we don't have attach info this        // will allocate memory.        final RectF rect = mAttachInfo != null ? mAttachInfo.mTmpTransformRect : new RectF();        rect.set(r);        if (!child.hasIdentityMatrix()) {           child.getMatrix().mapRect(rect);        }        int dx = child.mLeft - mScrollX;        int dy = child.mTop - mScrollY;        rect.offset(dx, dy);        if (offset != null) {            if (!child.hasIdentityMatrix()) {                float[] position = mAttachInfo != null ? mAttachInfo.mTmpTransformLocation                        : new float[2];                position[0] = offset.x;                position[1] = offset.y;                child.getMatrix().mapPoints(position);                offset.x = (int) (position[0] + 0.5f);                offset.y = (int) (position[1] + 0.5f);            }            offset.x += dx;            offset.y += dy;        }        if (rect.intersect(0, 0, mRight - mLeft, mBottom - mTop)) {            if (mParent == null) return true;            r.set((int) (rect.left + 0.5f), (int) (rect.top + 0.5f),                    (int) (rect.right + 0.5f), (int) (rect.bottom + 0.5f));            return mParent.getChildVisibleRect(this, r, offset);        }        return false;    }    /**     * {@inheritDoc}     */    @Override    public final void layout(int l, int t, int r, int b) {        if (!mSuppressLayout && (mTransition == null || !mTransition.isChangingLayout())) {            if (mTransition != null) {                mTransition.layoutChange(this);            }            super.layout(l, t, r, b);        } else {            // record the fact that we noop'd it; request layout when transition finishes            mLayoutCalledWhileSuppressed = true;        }    }    /**     * {@inheritDoc}     */    @Override//onLayout是一个抽像函数,要求实现ViewGroup的函数必须实现这个函数,这也就是ViewGroup是一个抽像函数的原因。因为各种组件实现的布局方式不一样    protected abstract void onLayout(boolean changed,            int l, int t, int r, int b);    /**     * Indicates whether the view group has the ability to animate its children     * after the first layout.     *     * @return true if the children can be animated, false otherwise     */    protected boolean canAnimate() {        return mLayoutAnimationController != null;    }    /**     * Runs the layout animation. Calling this method triggers a relayout of     * this view group.     */    public void startLayoutAnimation() {        if (mLayoutAnimationController != null) {            mGroupFlags |= FLAG_RUN_ANIMATION;            requestLayout();        }    }    /**     * Schedules the layout animation to be played after the next layout pass     * of this view group. This can be used to restart the layout animation     * when the content of the view group changes or when the activity is     * paused and resumed.     */    public void scheduleLayoutAnimation() {        mGroupFlags |= FLAG_RUN_ANIMATION;    }    /**     * Sets the layout animation controller used to animate the group's     * children after the first layout.     *     * @param controller the animation controller     */    public void setLayoutAnimation(LayoutAnimationController controller) {        mLayoutAnimationController = controller;        if (mLayoutAnimationController != null) {            mGroupFlags |= FLAG_RUN_ANIMATION;        }    }    /**     * Returns the layout animation controller used to animate the group's     * children.     *     * @return the current animation controller     */    public LayoutAnimationController getLayoutAnimation() {        return mLayoutAnimationController;    }    /**     * Indicates whether the children's drawing cache is used during a layout     * animation. By default, the drawing cache is enabled but this will prevent     * nested layout animations from working. To nest animations, you must disable     * the cache.     *     * @return true if the animation cache is enabled, false otherwise     *     * @see #setAnimationCacheEnabled(boolean)     * @see View#setDrawingCacheEnabled(boolean)     */    @ViewDebug.ExportedProperty    public boolean isAnimationCacheEnabled() {        return (mGroupFlags & FLAG_ANIMATION_CACHE) == FLAG_ANIMATION_CACHE;    }    /**     * Enables or disables the children's drawing cache during a layout animation.     * By default, the drawing cache is enabled but this will prevent nested     * layout animations from working. To nest animations, you must disable the     * cache.     *     * @param enabled true to enable the animation cache, false otherwise     *     * @see #isAnimationCacheEnabled()     * @see View#setDrawingCacheEnabled(boolean)     */    public void setAnimationCacheEnabled(boolean enabled) {        setBooleanFlag(FLAG_ANIMATION_CACHE, enabled);    }    /**     * Indicates whether this ViewGroup will always try to draw its children using their     * drawing cache. By default this property is enabled.     *     * @return true if the animation cache is enabled, false otherwise     *     * @see #setAlwaysDrawnWithCacheEnabled(boolean)     * @see #setChildrenDrawnWithCacheEnabled(boolean)     * @see View#setDrawingCacheEnabled(boolean)     */    @ViewDebug.ExportedProperty(category = "drawing")    public boolean isAlwaysDrawnWithCacheEnabled() {        return (mGroupFlags & FLAG_ALWAYS_DRAWN_WITH_CACHE) == FLAG_ALWAYS_DRAWN_WITH_CACHE;    }    /**     * Indicates whether this ViewGroup will always try to draw its children using their     * drawing cache. This property can be set to true when the cache rendering is     * slightly different from the children's normal rendering. Renderings can be different,     * for instance, when the cache's quality is set to low.     *     * When this property is disabled, the ViewGroup will use the drawing cache of its     * children only when asked to. It's usually the task of subclasses to tell ViewGroup     * when to start using the drawing cache and when to stop using it.     *     * @param always true to always draw with the drawing cache, false otherwise     *     * @see #isAlwaysDrawnWithCacheEnabled()     * @see #setChildrenDrawnWithCacheEnabled(boolean)     * @see View#setDrawingCacheEnabled(boolean)     * @see View#setDrawingCacheQuality(int)     */    public void setAlwaysDrawnWithCacheEnabled(boolean always) {        setBooleanFlag(FLAG_ALWAYS_DRAWN_WITH_CACHE, always);    }    /**     * Indicates whether the ViewGroup is currently drawing its children using     * their drawing cache.     *     * @return true if children should be drawn with their cache, false otherwise     *     * @see #setAlwaysDrawnWithCacheEnabled(boolean)     * @see #setChildrenDrawnWithCacheEnabled(boolean)     */    @ViewDebug.ExportedProperty(category = "drawing")    protected boolean isChildrenDrawnWithCacheEnabled() {        return (mGroupFlags & FLAG_CHILDREN_DRAWN_WITH_CACHE) == FLAG_CHILDREN_DRAWN_WITH_CACHE;    }    /**     * Tells the ViewGroup to draw its children using their drawing cache. This property     * is ignored when {@link #isAlwaysDrawnWithCacheEnabled()} is true. A child's drawing cache     * will be used only if it has been enabled.     *     * Subclasses should call this method to start and stop using the drawing cache when     * they perform performance sensitive operations, like scrolling or animating.     *     * @param enabled true if children should be drawn with their cache, false otherwise     *     * @see #setAlwaysDrawnWithCacheEnabled(boolean)     * @see #isChildrenDrawnWithCacheEnabled()     */    protected void setChildrenDrawnWithCacheEnabled(boolean enabled) {        setBooleanFlag(FLAG_CHILDREN_DRAWN_WITH_CACHE, enabled);    }    /**     * Indicates whether the ViewGroup is drawing its children in the order defined by     * {@link #getChildDrawingOrder(int, int)}.     *     * @return true if children drawing order is defined by {@link #getChildDrawingOrder(int, int)},     *         false otherwise     *     * @see #setChildrenDrawingOrderEnabled(boolean)     * @see #getChildDrawingOrder(int, int)     */    @ViewDebug.ExportedProperty(category = "drawing")    protected boolean isChildrenDrawingOrderEnabled() {        return (mGroupFlags & FLAG_USE_CHILD_DRAWING_ORDER) == FLAG_USE_CHILD_DRAWING_ORDER;    }    /**     * Tells the ViewGroup whether to draw its children in the order defined by the method     * {@link #getChildDrawingOrder(int, int)}.     *     * @param enabled true if the order of the children when drawing is determined by     *        {@link #getChildDrawingOrder(int, int)}, false otherwise     *     * @see #isChildrenDrawingOrderEnabled()     * @see #getChildDrawingOrder(int, int)     */    protected void setChildrenDrawingOrderEnabled(boolean enabled) {        setBooleanFlag(FLAG_USE_CHILD_DRAWING_ORDER, enabled);    }    private boolean hasBooleanFlag(int flag) {        return (mGroupFlags & flag) == flag;    }    private void setBooleanFlag(int flag, boolean value) {        if (value) {            mGroupFlags |= flag;        } else {            mGroupFlags &= ~flag;        }    }    /**     * Returns an integer indicating what types of drawing caches are kept in memory.     *     * @see #setPersistentDrawingCache(int)     * @see #setAnimationCacheEnabled(boolean)     *     * @return one or a combination of {@link #PERSISTENT_NO_CACHE},     *         {@link #PERSISTENT_ANIMATION_CACHE}, {@link #PERSISTENT_SCROLLING_CACHE}     *         and {@link #PERSISTENT_ALL_CACHES}     */    @ViewDebug.ExportedProperty(category = "drawing", mapping = {        @ViewDebug.IntToString(from = PERSISTENT_NO_CACHE,        to = "NONE"),        @ViewDebug.IntToString(from = PERSISTENT_ANIMATION_CACHE, to = "ANIMATION"),        @ViewDebug.IntToString(from = PERSISTENT_SCROLLING_CACHE, to = "SCROLLING"),        @ViewDebug.IntToString(from = PERSISTENT_ALL_CACHES,      to = "ALL")    })    public int getPersistentDrawingCache() {        return mPersistentDrawingCache;    }    /**     * Indicates what types of drawing caches should be kept in memory after     * they have been created.     *     * @see #getPersistentDrawingCache()     * @see #setAnimationCacheEnabled(boolean)     *     * @param drawingCacheToKeep one or a combination of {@link #PERSISTENT_NO_CACHE},     *        {@link #PERSISTENT_ANIMATION_CACHE}, {@link #PERSISTENT_SCROLLING_CACHE}     *        and {@link #PERSISTENT_ALL_CACHES}     */    public void setPersistentDrawingCache(int drawingCacheToKeep) {        mPersistentDrawingCache = drawingCacheToKeep & PERSISTENT_ALL_CACHES;    }    private void setLayoutMode(int layoutMode, boolean explicitly) {        mLayoutMode = layoutMode;        setBooleanFlag(FLAG_LAYOUT_MODE_WAS_EXPLICITLY_SET, explicitly);    }    /**     * Recursively traverse the view hierarchy, resetting the layoutMode of any     * descendants that had inherited a different layoutMode from a previous parent.     * Recursion terminates when a descendant's mode is:     * <ul>     *     <li>Undefined</li>     *     <li>The same as the root node's</li>     *     <li>A mode that had been explicitly set</li>     * <ul/>     * The first two clauses are optimizations.     * @param layoutModeOfRoot     */    @Override    void invalidateInheritedLayoutMode(int layoutModeOfRoot) {        if (mLayoutMode == LAYOUT_MODE_UNDEFINED ||            mLayoutMode == layoutModeOfRoot ||            hasBooleanFlag(FLAG_LAYOUT_MODE_WAS_EXPLICITLY_SET)) {            return;        }        setLayoutMode(LAYOUT_MODE_UNDEFINED, false);        // apply recursively        for (int i = 0, N = getChildCount(); i < N; i++) {            getChildAt(i).invalidateInheritedLayoutMode(layoutModeOfRoot);        }    }    /**     * Returns the basis of alignment during layout operations on this ViewGroup:     * either {@link #LAYOUT_MODE_CLIP_BOUNDS} or {@link #LAYOUT_MODE_OPTICAL_BOUNDS}.     * <p>     * If no layoutMode was explicitly set, either programmatically or in an XML resource,     * the method returns the layoutMode of the view's parent ViewGroup if such a parent exists,     * otherwise the method returns a default value of {@link #LAYOUT_MODE_CLIP_BOUNDS}.     *     * @return the layout mode to use during layout operations     *     * @see #setLayoutMode(int)     */    public int getLayoutMode() {        if (mLayoutMode == LAYOUT_MODE_UNDEFINED) {            int inheritedLayoutMode = (mParent instanceof ViewGroup) ?                    ((ViewGroup) mParent).getLayoutMode() : LAYOUT_MODE_DEFAULT;            setLayoutMode(inheritedLayoutMode, false);        }        return mLayoutMode;    }    /**     * Sets the basis of alignment during the layout of this ViewGroup.     * Valid values are either {@link #LAYOUT_MODE_CLIP_BOUNDS} or     * {@link #LAYOUT_MODE_OPTICAL_BOUNDS}.     *     * @param layoutMode the layout mode to use during layout operations     *     * @see #getLayoutMode()     * @attr ref android.R.styleable#ViewGroup_layoutMode     */    public void setLayoutMode(int layoutMode) {        if (mLayoutMode != layoutMode) {            invalidateInheritedLayoutMode(layoutMode);            setLayoutMode(layoutMode, layoutMode != LAYOUT_MODE_UNDEFINED);            requestLayout();        }    }    /**     * Returns a new set of layout parameters based on the supplied attributes set.     *     * @param attrs the attributes to build the layout parameters from     *     * @return an instance of {@link android.view.ViewGroup.LayoutParams} or one     *         of its descendants     */    public LayoutParams generateLayoutParams(AttributeSet attrs) {        return new LayoutParams(getContext(), attrs);    }    /**     * Returns a safe set of layout parameters based on the supplied layout params.     * When a ViewGroup is passed a View whose layout params do not pass the test of     * {@link #checkLayoutParams(android.view.ViewGroup.LayoutParams)}, this method     * is invoked. This method should return a new set of layout params suitable for     * this ViewGroup, possibly by copying the appropriate attributes from the     * specified set of layout params.     *     * @param p The layout parameters to convert into a suitable set of layout parameters     *          for this ViewGroup.     *     * @return an instance of {@link android.view.ViewGroup.LayoutParams} or one     *         of its descendants     */    protected LayoutParams generateLayoutParams(ViewGroup.LayoutParams p) {        return p;    }    /**     * Returns a set of default layout parameters. These parameters are requested     * when the View passed to {@link #addView(View)} has no layout parameters     * already set. If null is returned, an exception is thrown from addView.     *     * @return a set of default layout parameters or null     */    protected LayoutParams generateDefaultLayoutParams() {        return new LayoutParams(LayoutParams.WRAP_CONTENT, LayoutParams.WRAP_CONTENT);    }    /**     * {@inheritDoc}     */    @Override    protected void debug(int depth) {        super.debug(depth);        String output;        if (mFocused != null) {            output = debugIndent(depth);            output += "mFocused";            Log.d(VIEW_LOG_TAG, output);        }        if (mChildrenCount != 0) {            output = debugIndent(depth);            output += "{";            Log.d(VIEW_LOG_TAG, output);        }        int count = mChildrenCount;        for (int i = 0; i < count; i++) {            View child = mChildren[i];            child.debug(depth + 1);        }        if (mChildrenCount != 0) {            output = debugIndent(depth);            output += "}";            Log.d(VIEW_LOG_TAG, output);        }    }    /**     * Returns the position in the group of the specified child view.     *     * @param child the view for which to get the position     * @return a positive integer representing the position of the view in the     *         group, or -1 if the view does not exist in the group     */    public int indexOfChild(View child) {        final int count = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < count; i++) {            if (children[i] == child) {                return i;            }        }        return -1;    }    /**     * Returns the number of children in the group.     *     * @return a positive integer representing the number of children in     *         the group     */    public int getChildCount() {        return mChildrenCount;    }    /**     * Returns the view at the specified position in the group.     *     * @param index the position at which to get the view from     * @return the view at the specified position or null if the position     *         does not exist within the group     */ //查询     public View getChildAt(int index) {        if (index < 0 || index >= mChildrenCount) {            return null;        }        return mChildren[index];    }    /**     * Ask all of the children of this view to measure themselves, taking into     * account both the MeasureSpec requirements for this view and its padding.     * We skip children that are in the GONE state The heavy lifting is done in     * getChildMeasureSpec.     *     * @param widthMeasureSpec The width requirements for this view     * @param heightMeasureSpec The height requirements for this view     */ //measureChildren(int widthMeasureSpec, int heightMeasureSpec) 根据指定的高和宽来测量所有子View中显示参数 非GONE的组件    protected void measureChildren(int widthMeasureSpec, int heightMeasureSpec) {        final int size = mChildrenCount;        final View[] children = mChildren;        for (int i = 0; i < size; ++i) {            final View child = children[i];            if ((child.mViewFlags & VISIBILITY_MASK) != GONE) {                measureChild(child, widthMeasureSpec, heightMeasureSpec);            }        }    }    /**     * Ask one of the children of this view to measure itself, taking into     * account both the MeasureSpec requirements for this view and its padding.     * The heavy lifting is done in getChildMeasureSpec.     *     * @param child The child to measure     * @param parentWidthMeasureSpec The width requirements for this view     * @param parentHeightMeasureSpec The height requirements for this view     */ //measureChild(View child, int parentWidthMeasureSpec,int parentHeightMeasureSpec)为子组件添加padding    protected void measureChild(View child, int parentWidthMeasureSpec,            int parentHeightMeasureSpec) {        final LayoutParams lp = child.getLayoutParams();        final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,                mPaddingLeft + mPaddingRight, lp.width);        final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec,                mPaddingTop + mPaddingBottom, lp.height);        child.measure(childWidthMeasureSpec, childHeightMeasureSpec);    }    /**     * Ask one of the children of this view to measure itself, taking into     * account both the MeasureSpec requirements for this view and its padding     * and margins. The child must have MarginLayoutParams The heavy lifting is     * done in getChildMeasureSpec.     *     * @param child The child to measure     * @param parentWidthMeasureSpec The width requirements for this view     * @param widthUsed Extra space that has been used up by the parent     *        horizontally (possibly by other children of the parent)     * @param parentHeightMeasureSpec The height requirements for this view     * @param heightUsed Extra space that has been used up by the parent     *        vertically (possibly by other children of the parent)     */ //measureChildWithMargins(View child,            int parentWidthMeasureSpec, int widthUsed,            int parentHeightMeasureSpec, int heightUsed) 测量指定的子组件,为子组件添加padding和margin    protected void measureChildWithMargins(View child,            int parentWidthMeasureSpec, int widthUsed,            int parentHeightMeasureSpec, int heightUsed) {        final MarginLayoutParams lp = (MarginLayoutParams) child.getLayoutParams();        final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,                mPaddingLeft + mPaddingRight + lp.leftMargin + lp.rightMargin                        + widthUsed, lp.width);        final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec,                mPaddingTop + mPaddingBottom + lp.topMargin + lp.bottomMargin                        + heightUsed, lp.height);        child.measure(childWidthMeasureSpec, childHeightMeasureSpec);    }    /**     * Does the hard part of measureChildren: figuring out the MeasureSpec to     * pass to a particular child. This method figures out the right MeasureSpec     * for one dimension (height or width) of one child view.     *     * The goal is to combine information from our MeasureSpec with the     * LayoutParams of the child to get the best possible results. For example,     * if the this view knows its size (because its MeasureSpec has a mode of     * EXACTLY), and the child has indicated in its LayoutParams that it wants     * to be the same size as the parent, the parent should ask the child to     * layout given an exact size.     *     * @param spec The requirements for this view     * @param padding The padding of this view for the current dimension and     *        margins, if applicable     * @param childDimension How big the child wants to be in the current     *        dimension     * @return a MeasureSpec integer for the child     */    public static int getChildMeasureSpec(int spec, int padding, int childDimension) {        int specMode = MeasureSpec.getMode(spec);        int specSize = MeasureSpec.getSize(spec);        int size = Math.max(0, specSize - padding);        int resultSize = 0;        int resultMode = 0;        switch (specMode) {        // Parent has imposed an exact size on us        case MeasureSpec.EXACTLY:            if (childDimension >= 0) {                resultSize = childDimension;                resultMode = MeasureSpec.EXACTLY;            } else if (childDimension == LayoutParams.MATCH_PARENT) {                // Child wants to be our size. So be it.                resultSize = size;                resultMode = MeasureSpec.EXACTLY;            } else if (childDimension == LayoutParams.WRAP_CONTENT) {                // Child wants to determine its own size. It can't be                // bigger than us.                resultSize = size;                resultMode = MeasureSpec.AT_MOST;            }            break;        // Parent has imposed a maximum size on us        case MeasureSpec.AT_MOST:            if (childDimension >= 0) {                // Child wants a specific size... so be it                resultSize = childDimension;                resultMode = MeasureSpec.EXACTLY;            } else if (childDimension == LayoutParams.MATCH_PARENT) {                // Child wants to be our size, but our size is not fixed.                // Constrain child to not be bigger than us.                resultSize = size;                resultMode = MeasureSpec.AT_MOST;            } else if (childDimension == LayoutParams.WRAP_CONTENT) {                // Child wants to determine its own size. It can't be                // bigger than us.                resultSize = size;                resultMode = MeasureSpec.AT_MOST;            }            break;        // Parent asked to see how big we want to be        case MeasureSpec.UNSPECIFIED:            if (childDimension >= 0) {                // Child wants a specific size... let him have it                resultSize = childDimension;                resultMode = MeasureSpec.EXACTLY;            } else if (childDimension == LayoutParams.MATCH_PARENT) {                // Child wants to be our size... find out how big it should                // be                resultSize = 0;                resultMode = MeasureSpec.UNSPECIFIED;            } else if (childDimension == LayoutParams.WRAP_CONTENT) {                // Child wants to determine its own size.... find out how                // big it should be                resultSize = 0;                resultMode = MeasureSpec.UNSPECIFIED;            }            break;        }        return MeasureSpec.makeMeasureSpec(resultSize, resultMode);    }    /**     * Removes any pending animations for views that have been removed. Call     * this if you don't want animations for exiting views to stack up.     */    public void clearDisappearingChildren() {        if (mDisappearingChildren != null) {            mDisappearingChildren.clear();            invalidate();        }    }    /**     * Add a view which is removed from mChildren but still needs animation     *     * @param v View to add     */    private void addDisappearingView(View v) {        ArrayList<View> disappearingChildren = mDisappearingChildren;        if (disappearingChildren == null) {            disappearingChildren = mDisappearingChildren = new ArrayList<View>();        }        disappearingChildren.add(v);    }    /**     * Cleanup a view when its animation is done. This may mean removing it from     * the list of disappearing views.     *     * @param view The view whose animation has finished     * @param animation The animation, cannot be null     */    void finishAnimatingView(final View view, Animation animation) {        final ArrayList<View> disappearingChildren = mDisappearingChildren;        if (disappearingChildren != null) {            if (disappearingChildren.contains(view)) {                disappearingChildren.remove(view);                if (view.mAttachInfo != null) {                    view.dispatchDetachedFromWindow();                }                view.clearAnimation();                mGroupFlags |= FLAG_INVALIDATE_REQUIRED;            }        }        if (animation != null && !animation.getFillAfter()) {            view.clearAnimation();        }        if ((view.mPrivateFlags & PFLAG_ANIMATION_STARTED) == PFLAG_ANIMATION_STARTED) {            view.onAnimationEnd();            // Should be performed by onAnimationEnd() but this avoid an infinite loop,            // so we'd rather be safe than sorry            view.mPrivateFlags &= ~PFLAG_ANIMATION_STARTED;            // Draw one more frame after the animation is done            mGroupFlags |= FLAG_INVALIDATE_REQUIRED;        }    }    /**     * Utility function called by View during invalidation to determine whether a view that     * is invisible or gone should still be invalidated because it is being transitioned (and     * therefore still needs to be drawn).     */    boolean isViewTransitioning(View view) {        return (mTransitioningViews != null && mTransitioningViews.contains(view));    }    /**     * This method tells the ViewGroup that the given View object, which should have this     * ViewGroup as its parent,     * should be kept around  (re-displayed when the ViewGroup draws its children) even if it     * is removed from its parent. This allows animations, such as those used by     * {@link android.app.Fragment} and {@link android.animation.LayoutTransition} to animate     * the removal of views. A call to this method should always be accompanied by a later call     * to {@link #endViewTransition(View)}, such as after an animation on the View has finished,     * so that the View finally gets removed.     *     * @param view The View object to be kept visible even if it gets removed from its parent.     */    public void startViewTransition(View view) {        if (view.mParent == this) {            if (mTransitioningViews == null) {                mTransitioningViews = new ArrayList<View>();            }            mTransitioningViews.add(view);        }    }    /**     * This method should always be called following an earlier call to     * {@link #startViewTransition(View)}. The given View is finally removed from its parent     * and will no longer be displayed. Note that this method does not perform the functionality     * of removing a view from its parent; it just discontinues the display of a View that     * has previously been removed.     *     * @return view The View object that has been removed but is being kept around in the visible     * hierarchy by an earlier call to {@link #startViewTransition(View)}.     */    public void endViewTransition(View view) {        if (mTransitioningViews != null) {            mTransitioningViews.remove(view);            final ArrayList<View> disappearingChildren = mDisappearingChildren;            if (disappearingChildren != null && disappearingChildren.contains(view)) {                disappearingChildren.remove(view);                if (mVisibilityChangingChildren != null &&                        mVisibilityChangingChildren.contains(view)) {                    mVisibilityChangingChildren.remove(view);                } else {                    if (view.mAttachInfo != null) {                        view.dispatchDetachedFromWindow();                    }                    if (view.mParent != null) {                        view.mParent = null;                    }                }                invalidate();            }        }    }    private LayoutTransition.TransitionListener mLayoutTransitionListener =            new LayoutTransition.TransitionListener() {        @Override        public void startTransition(LayoutTransition transition, ViewGroup container,                View view, int transitionType) {            // We only care about disappearing items, since we need special logic to keep            // those items visible after they've been 'removed'            if (transitionType == LayoutTransition.DISAPPEARING) {                startViewTransition(view);            }        }        @Override        public void endTransition(LayoutTransition transition, ViewGroup container,                View view, int transitionType) {            if (mLayoutCalledWhileSuppressed && !transition.isChangingLayout()) {                requestLayout();                mLayoutCalledWhileSuppressed = false;            }            if (transitionType == LayoutTransition.DISAPPEARING && mTransitioningViews != null) {                endViewTransition(view);            }        }    };    /**     * Tells this ViewGroup to suppress all layout() calls until layout     * suppression is disabled with a later call to suppressLayout(false).     * When layout suppression is disabled, a requestLayout() call is sent     * if layout() was attempted while layout was being suppressed.     *     * @hide     */    public void suppressLayout(boolean suppress) {        mSuppressLayout = suppress;        if (!suppress) {            if (mLayoutCalledWhileSuppressed) {                requestLayout();                mLayoutCalledWhileSuppressed = false;            }        }    }    /**     * Returns whether layout calls on this container are currently being     * suppressed, due to an earlier call to {@link #suppressLayout(boolean)}.     *     * @return true if layout calls are currently suppressed, false otherwise.     *     * @hide     */    public boolean isLayoutSuppressed() {        return mSuppressLayout;    }    /**     * {@inheritDoc}     */    @Override    public boolean gatherTransparentRegion(Region region) {        // If no transparent regions requested, we are always opaque.        final boolean meOpaque = (mPrivateFlags & View.PFLAG_REQUEST_TRANSPARENT_REGIONS) == 0;        if (meOpaque && region == null) {            // The caller doesn't care about the region, so stop now.            return true;        }        super.gatherTransparentRegion(region);        final View[] children = mChildren;        final int count = mChildrenCount;        boolean noneOfTheChildrenAreTransparent = true;        for (int i = 0; i < count; i++) {            final View child = children[i];            if ((child.mViewFlags & VISIBILITY_MASK) == VISIBLE || child.getAnimation() != null) {                if (!child.gatherTransparentRegion(region)) {                    noneOfTheChildrenAreTransparent = false;                }            }        }        return meOpaque || noneOfTheChildrenAreTransparent;    }    /**     * {@inheritDoc}     */    public void requestTransparentRegion(View child) {        if (child != null) {            child.mPrivateFlags |= View.PFLAG_REQUEST_TRANSPARENT_REGIONS;            if (mParent != null) {                mParent.requestTransparentRegion(this);            }        }    }    @Override    protected boolean fitSystemWindows(Rect insets) {        boolean done = super.fitSystemWindows(insets);        if (!done) {            final int count = mChildrenCount;            final View[] children = mChildren;            for (int i = 0; i < count; i++) {                done = children[i].fitSystemWindows(insets);                if (done) {                    break;                }            }        }        return done;    }    /**     * Returns the animation listener to which layout animation events are     * sent.     *     * @return an {@link android.view.animation.Animation.AnimationListener}     */    public Animation.AnimationListener getLayoutAnimationListener() {        return mAnimationListener;    }    @Override    protected void drawableStateChanged() {        super.drawableStateChanged();        if ((mGroupFlags & FLAG_NOTIFY_CHILDREN_ON_DRAWABLE_STATE_CHANGE) != 0) {            if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0) {                throw new IllegalStateException("addStateFromChildren cannot be enabled if a"                        + " child has duplicateParentState set to true");            }            final View[] children = mChildren;            final int count = mChildrenCount;            for (int i = 0; i < count; i++) {                final View child = children[i];                if ((child.mViewFlags & DUPLICATE_PARENT_STATE) != 0) {                    child.refreshDrawableState();                }            }        }    }    @Override    public void jumpDrawablesToCurrentState() {        super.jumpDrawablesToCurrentState();        final View[] children = mChildren;        final int count = mChildrenCount;        for (int i = 0; i < count; i++) {            children[i].jumpDrawablesToCurrentState();        }    }    @Override    protected int[] onCreateDrawableState(int extraSpace) {        if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) == 0) {            return super.onCreateDrawableState(extraSpace);        }        int need = 0;        int n = getChildCount();        for (int i = 0; i < n; i++) {            int[] childState = getChildAt(i).getDrawableState();            if (childState != null) {                need += childState.length;            }        }        int[] state = super.onCreateDrawableState(extraSpace + need);        for (int i = 0; i < n; i++) {            int[] childState = getChildAt(i).getDrawableState();            if (childState != null) {                state = mergeDrawableStates(state, childState);            }        }        return state;    }    /**     * Sets whether this ViewGroup's drawable states also include     * its children's drawable states.  This is used, for example, to     * make a group appear to be focused when its child EditText or button     * is focused.     */    public void setAddStatesFromChildren(boolean addsStates) {        if (addsStates) {            mGroupFlags |= FLAG_ADD_STATES_FROM_CHILDREN;        } else {            mGroupFlags &= ~FLAG_ADD_STATES_FROM_CHILDREN;        }        refreshDrawableState();    }    /**     * Returns whether this ViewGroup's drawable states also include     * its children's drawable states.  This is used, for example, to     * make a group appear to be focused when its child EditText or button     * is focused.     */    public boolean addStatesFromChildren() {        return (mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0;    }    /**     * If {@link #addStatesFromChildren} is true, refreshes this group's     * drawable state (to include the states from its children).     */    public void childDrawableStateChanged(View child) {        if ((mGroupFlags & FLAG_ADD_STATES_FROM_CHILDREN) != 0) {            refreshDrawableState();        }    }    /**     * Specifies the animation listener to which layout animation events must     * be sent. Only     * {@link android.view.animation.Animation.AnimationListener#onAnimationStart(Animation)}     * and     * {@link android.view.animation.Animation.AnimationListener#onAnimationEnd(Animation)}     * are invoked.     *     * @param animationListener the layout animation listener     */    public void setLayoutAnimationListener(Animation.AnimationListener animationListener) {        mAnimationListener = animationListener;    }    /**     * This method is called by LayoutTransition when there are 'changing' animations that need     * to start after the layout/setup phase. The request is forwarded to the ViewAncestor, who     * starts all pending transitions prior to the drawing phase in the current traversal.     *     * @param transition The LayoutTransition to be started on the next traversal.     *     * @hide     */    public void requestTransitionStart(LayoutTransition transition) {        ViewRootImpl viewAncestor = getViewRootImpl();        if (viewAncestor != null) {            viewAncestor.requestTransitionStart(transition);        }    }    /**     * @hide     */    @Override    public boolean resolveRtlPropertiesIfNeeded() {        final boolean result = super.resolveRtlPropertiesIfNeeded();        // We dont need to resolve the children RTL properties if nothing has changed for the parent        if (result) {            int count = getChildCount();            for (int i = 0; i < count; i++) {                final View child = getChildAt(i);                if (child.isLayoutDirectionInherited()) {                    child.resolveRtlPropertiesIfNeeded();                }            }        }        return result;    }    /**     * @hide     */    @Override    public boolean resolveLayoutDirection() {        final boolean result = super.resolveLayoutDirection();        if (result) {            int count = getChildCount();            for (int i = 0; i < count; i++) {                final View child = getChildAt(i);                if (child.isLayoutDirectionInherited()) {                    child.resolveLayoutDirection();                }            }        }        return result;    }    /**     * @hide     */    @Override    public boolean resolveTextDirection() {        final boolean result = super.resolveTextDirection();        if (result) {            int count = getChildCount();            for (int i = 0; i < count; i++) {                final View child = getChildAt(i);                if (child.isTextDirectionInherited()) {                    child.resolveTextDirection();                }            }        }        return result;    }    /**     * @hide     */    @Override    public boolean resolveTextAlignment() {        final boolean result = super.resolveTextAlignment();        if (result) {            int count = getChildCount();            for (int i = 0; i < count; i++) {                final View child = getChildAt(i);                if (child.isTextAlignmentInherited()) {                    child.resolveTextAlignment();                }            }        }        return result;    }    /**     * @hide     */    @Override    public void resolvePadding() {        super.resolvePadding();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isLayoutDirectionInherited()) {                child.resolvePadding();            }        }    }    /**     * @hide     */    @Override    protected void resolveDrawables() {        super.resolveDrawables();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isLayoutDirectionInherited()) {                child.resolveDrawables();            }        }    }    /**     * @hide     */    @Override    public void resolveLayoutParams() {        super.resolveLayoutParams();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            child.resolveLayoutParams();        }    }    /**     * @hide     */    @Override    public void resetResolvedLayoutDirection() {        super.resetResolvedLayoutDirection();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isLayoutDirectionInherited()) {                child.resetResolvedLayoutDirection();            }        }    }    /**     * @hide     */    @Override    public void resetResolvedTextDirection() {        super.resetResolvedTextDirection();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isTextDirectionInherited()) {                child.resetResolvedTextDirection();            }        }    }    /**     * @hide     */    @Override    public void resetResolvedTextAlignment() {        super.resetResolvedTextAlignment();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isTextAlignmentInherited()) {                child.resetResolvedTextAlignment();            }        }    }    /**     * @hide     */    @Override    public void resetResolvedPadding() {        super.resetResolvedPadding();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isLayoutDirectionInherited()) {                child.resetResolvedPadding();            }        }    }    /**     * @hide     */    @Override    protected void resetResolvedDrawables() {        super.resetResolvedDrawables();        int count = getChildCount();        for (int i = 0; i < count; i++) {            final View child = getChildAt(i);            if (child.isLayoutDirectionInherited()) {                child.resetResolvedDrawables();            }        }    }    /**     * Return true if the pressed state should be delayed for children or descendants of this     * ViewGroup. Generally, this should be done for containers that can scroll, such as a List.     * This prevents the pressed state from appearing when the user is actually trying to scroll     * the content.     *     * The default implementation returns true for compatibility reasons. Subclasses that do     * not scroll should generally override this method and return false.     */    public boolean shouldDelayChildPressedState() {        return true;    }    /** @hide */    protected void onSetLayoutParams(View child, LayoutParams layoutParams) {    }    /**     * LayoutParams are used by views to tell their parents how they want to be     * laid out. See     * {@link android.R.styleable#ViewGroup_Layout ViewGroup Layout Attributes}     * for a list of all child view attributes that this class supports.     *     * <p>     * The base LayoutParams class just describes how big the view wants to be     * for both width and height. For each dimension, it can specify one of:     * <ul>     * <li>FILL_PARENT (renamed MATCH_PARENT in API Level 8 and higher), which     * means that the view wants to be as big as its parent (minus padding)     * <li> WRAP_CONTENT, which means that the view wants to be just big enough     * to enclose its content (plus padding)     * <li> an exact number     * </ul>     * There are subclasses of LayoutParams for different subclasses of     * ViewGroup. For example, AbsoluteLayout has its own subclass of     * LayoutParams which adds an X and Y value.</p>     *     * <div class="special reference">     * <h3>Developer Guides</h3>     * <p>For more information about creating user interface layouts, read the     * <a href="{@docRoot}guide/topics/ui/declaring-layout.html">XML Layouts</a> developer     * guide.</p></div>     *     * @attr ref android.R.styleable#ViewGroup_Layout_layout_height     * @attr ref android.R.styleable#ViewGroup_Layout_layout_width     */    public static class LayoutParams {        /**         * Special value for the height or width requested by a View.         * FILL_PARENT means that the view wants to be as big as its parent,         * minus the parent's padding, if any. This value is deprecated         * starting in API Level 8 and replaced by {@link #MATCH_PARENT}.         */        @SuppressWarnings({"UnusedDeclaration"})        @Deprecated        public static final int FILL_PARENT = -1;        /**         * Special value for the height or width requested by a View.         * MATCH_PARENT means that the view wants to be as big as its parent,         * minus the parent's padding, if any. Introduced in API Level 8.         */        public static final int MATCH_PARENT = -1;        /**         * Special value for the height or width requested by a View.         * WRAP_CONTENT means that the view wants to be just large enough to fit         * its own internal content, taking its own padding into account.         */        public static final int WRAP_CONTENT = -2;        /**         * Information about how wide the view wants to be. Can be one of the         * constants FILL_PARENT (replaced by MATCH_PARENT ,         * in API Level 8) or WRAP_CONTENT. or an exact size.         */        @ViewDebug.ExportedProperty(category = "layout", mapping = {            @ViewDebug.IntToString(from = MATCH_PARENT, to = "MATCH_PARENT"),            @ViewDebug.IntToString(from = WRAP_CONTENT, to = "WRAP_CONTENT")        })        public int width;        /**         * Information about how tall the view wants to be. Can be one of the         * constants FILL_PARENT (replaced by MATCH_PARENT ,         * in API Level 8) or WRAP_CONTENT. or an exact size.         */        @ViewDebug.ExportedProperty(category = "layout", mapping = {            @ViewDebug.IntToString(from = MATCH_PARENT, to = "MATCH_PARENT"),            @ViewDebug.IntToString(from = WRAP_CONTENT, to = "WRAP_CONTENT")        })        public int height;        /**         * Used to animate layouts.         */        public LayoutAnimationController.AnimationParameters layoutAnimationParameters;        /**         * Creates a new set of layout parameters. The values are extracted from         * the supplied attributes set and context. The XML attributes mapped         * to this set of layout parameters are:         *         * <ul>         *   <li><code>layout_width</code>: the width, either an exact value,         *   {@link #WRAP_CONTENT}, or {@link #FILL_PARENT} (replaced by         *   {@link #MATCH_PARENT} in API Level 8)</li>         *   <li><code>layout_height</code>: the height, either an exact value,         *   {@link #WRAP_CONTENT}, or {@link #FILL_PARENT} (replaced by         *   {@link #MATCH_PARENT} in API Level 8)</li>         * </ul>         *         * @param c the application environment         * @param attrs the set of attributes from which to extract the layout         *              parameters' values         */        public LayoutParams(Context c, AttributeSet attrs) {            TypedArray a = c.obtainStyledAttributes(attrs, R.styleable.ViewGroup_Layout);            setBaseAttributes(a,                    R.styleable.ViewGroup_Layout_layout_width,                    R.styleable.ViewGroup_Layout_layout_height);            a.recycle();        }        /**         * Creates a new set of layout parameters with the specified width         * and height.         *         * @param width the width, either {@link #WRAP_CONTENT},         *        {@link #FILL_PARENT} (replaced by {@link #MATCH_PARENT} in         *        API Level 8), or a fixed size in pixels         * @param height the height, either {@link #WRAP_CONTENT},         *        {@link #FILL_PARENT} (replaced by {@link #MATCH_PARENT} in         *        API Level 8), or a fixed size in pixels         */        public LayoutParams(int width, int height) {            this.width = width;            this.height = height;        }        /**         * Copy constructor. Clones the width and height values of the source.         *         * @param source The layout params to copy from.         */        public LayoutParams(LayoutParams source) {            this.width = source.width;            this.height = source.height;        }        /**         * Used internally by MarginLayoutParams.         * @hide         */        LayoutParams() {        }        /**         * Extracts the layout parameters from the supplied attributes.         *         * @param a the style attributes to extract the parameters from         * @param widthAttr the identifier of the width attribute         * @param heightAttr the identifier of the height attribute         */        protected void setBaseAttributes(TypedArray a, int widthAttr, int heightAttr) {            width = a.getLayoutDimension(widthAttr, "layout_width");            height = a.getLayoutDimension(heightAttr, "layout_height");        }        /**         * Resolve layout parameters depending on the layout direction. Subclasses that care about         * layoutDirection changes should override this method. The default implementation does         * nothing.         *         * @param layoutDirection the direction of the layout         *         * {@link View#LAYOUT_DIRECTION_LTR}         * {@link View#LAYOUT_DIRECTION_RTL}         */        public void resolveLayoutDirection(int layoutDirection) {        }        /**         * Returns a String representation of this set of layout parameters.         *         * @param output the String to prepend to the internal representation         * @return a String with the following format: output +         *         "ViewGroup.LayoutParams={ width=WIDTH, height=HEIGHT }"         *         * @hide         */        public String debug(String output) {            return output + "ViewGroup.LayoutParams={ width="                    + sizeToString(width) + ", height=" + sizeToString(height) + " }";        }        /**         * Use {@code canvas} to draw suitable debugging annotations for these LayoutParameters.         *         * @param view the view that contains these layout parameters         * @param canvas the canvas on which to draw         *         * @hide         */        public void onDebugDraw(View view, Canvas canvas, Paint paint) {        }        /**         * Converts the specified size to a readable String.         *         * @param size the size to convert         * @return a String instance representing the supplied size         *         * @hide         */        protected static String sizeToString(int size) {            if (size == WRAP_CONTENT) {                return "wrap-content";            }            if (size == MATCH_PARENT) {                return "match-parent";            }            return String.valueOf(size);        }    }    /**     * Per-child layout information for layouts that support margins.     * See     * {@link android.R.styleable#ViewGroup_MarginLayout ViewGroup Margin Layout Attributes}     * for a list of all child view attributes that this class supports.     */    public static class MarginLayoutParams extends ViewGroup.LayoutParams {        /**         * The left margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        public int leftMargin;        /**         * The top margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        public int topMargin;        /**         * The right margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        public int rightMargin;        /**         * The bottom margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        public int bottomMargin;        /**         * The start margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        private int startMargin = DEFAULT_MARGIN_RELATIVE;        /**         * The end margin in pixels of the child.         * Call {@link ViewGroup#setLayoutParams(LayoutParams)} after reassigning a new value         * to this field.         */        @ViewDebug.ExportedProperty(category = "layout")        private int endMargin = DEFAULT_MARGIN_RELATIVE;        /**         * The default start and end margin.         * @hide         */        public static final int DEFAULT_MARGIN_RELATIVE = Integer.MIN_VALUE;        /**         * Bit  0: layout direction         * Bit  1: layout direction         * Bit  2: left margin undefined         * Bit  3: right margin undefined         * Bit  4: is RTL compatibility mode         * Bit  5: need resolution         *         * Bit 6 to 7 not used         *         * @hide         */        @ViewDebug.ExportedProperty(category = "layout", flagMapping = {                @ViewDebug.FlagToString(mask = LAYOUT_DIRECTION_MASK,                        equals = LAYOUT_DIRECTION_MASK, name = "LAYOUT_DIRECTION"),                @ViewDebug.FlagToString(mask = LEFT_MARGIN_UNDEFINED_MASK,                        equals = LEFT_MARGIN_UNDEFINED_MASK, name = "LEFT_MARGIN_UNDEFINED_MASK"),                @ViewDebug.FlagToString(mask = RIGHT_MARGIN_UNDEFINED_MASK,                        equals = RIGHT_MARGIN_UNDEFINED_MASK, name = "RIGHT_MARGIN_UNDEFINED_MASK"),                @ViewDebug.FlagToString(mask = RTL_COMPATIBILITY_MODE_MASK,                        equals = RTL_COMPATIBILITY_MODE_MASK, name = "RTL_COMPATIBILITY_MODE_MASK"),                @ViewDebug.FlagToString(mask = NEED_RESOLUTION_MASK,                        equals = NEED_RESOLUTION_MASK, name = "NEED_RESOLUTION_MASK")        })        byte mMarginFlags;        private static final int LAYOUT_DIRECTION_MASK = 0x00000003;        private static final int LEFT_MARGIN_UNDEFINED_MASK = 0x00000004;        private static final int RIGHT_MARGIN_UNDEFINED_MASK = 0x00000008;        private static final int RTL_COMPATIBILITY_MODE_MASK = 0x00000010;        private static final int NEED_RESOLUTION_MASK = 0x00000020;        private static final int DEFAULT_MARGIN_RESOLVED = 0;        private static final int UNDEFINED_MARGIN = DEFAULT_MARGIN_RELATIVE;        /**         * Creates a new set of layout parameters. The values are extracted from         * the supplied attributes set and context.         *         * @param c the application environment         * @param attrs the set of attributes from which to extract the layout         *              parameters' values         */        public MarginLayoutParams(Context c, AttributeSet attrs) {            super();            TypedArray a = c.obtainStyledAttributes(attrs, R.styleable.ViewGroup_MarginLayout);            setBaseAttributes(a,                    R.styleable.ViewGroup_MarginLayout_layout_width,                    R.styleable.ViewGroup_MarginLayout_layout_height);            int margin = a.getDimensionPixelSize(                    com.android.internal.R.styleable.ViewGroup_MarginLayout_layout_margin, -1);            if (margin >= 0) {                leftMargin = margin;                topMargin = margin;                rightMargin= margin;                bottomMargin = margin;            } else {                leftMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginLeft,                        UNDEFINED_MARGIN);                if (leftMargin == UNDEFINED_MARGIN) {                    mMarginFlags |= LEFT_MARGIN_UNDEFINED_MASK;                    leftMargin = DEFAULT_MARGIN_RESOLVED;                }                rightMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginRight,                        UNDEFINED_MARGIN);                if (rightMargin == UNDEFINED_MARGIN) {                    mMarginFlags |= RIGHT_MARGIN_UNDEFINED_MASK;                    rightMargin = DEFAULT_MARGIN_RESOLVED;                }                topMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginTop,                        DEFAULT_MARGIN_RESOLVED);                bottomMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginBottom,                        DEFAULT_MARGIN_RESOLVED);                startMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginStart,                        DEFAULT_MARGIN_RELATIVE);                endMargin = a.getDimensionPixelSize(                        R.styleable.ViewGroup_MarginLayout_layout_marginEnd,                        DEFAULT_MARGIN_RELATIVE);                if (isMarginRelative()) {                   mMarginFlags |= NEED_RESOLUTION_MASK;                }            }            final boolean hasRtlSupport = c.getApplicationInfo().hasRtlSupport();            final int targetSdkVersion = c.getApplicationInfo().targetSdkVersion;            if (targetSdkVersion < JELLY_BEAN_MR1 || !hasRtlSupport) {                mMarginFlags |= RTL_COMPATIBILITY_MODE_MASK;            }            // Layout direction is LTR by default            mMarginFlags |= LAYOUT_DIRECTION_LTR;            a.recycle();        }        /**         * {@inheritDoc}         */        public MarginLayoutParams(int width, int height) {            super(width, height);            mMarginFlags |= LEFT_MARGIN_UNDEFINED_MASK;            mMarginFlags |= RIGHT_MARGIN_UNDEFINED_MASK;            mMarginFlags &= ~NEED_RESOLUTION_MASK;            mMarginFlags &= ~RTL_COMPATIBILITY_MODE_MASK;        }        /**         * Copy constructor. Clones the width, height and margin values of the source.         *         * @param source The layout params to copy from.         */        public MarginLayoutParams(MarginLayoutParams source) {            this.width = source.width;            this.height = source.height;            this.leftMargin = source.leftMargin;            this.topMargin = source.topMargin;            this.rightMargin = source.rightMargin;            this.bottomMargin = source.bottomMargin;            this.startMargin = source.startMargin;            this.endMargin = source.endMargin;            this.mMarginFlags = source.mMarginFlags;        }        /**         * {@inheritDoc}         */        public MarginLayoutParams(LayoutParams source) {            super(source);            mMarginFlags |= LEFT_MARGIN_UNDEFINED_MASK;            mMarginFlags |= RIGHT_MARGIN_UNDEFINED_MASK;            mMarginFlags &= ~NEED_RESOLUTION_MASK;            mMarginFlags &= ~RTL_COMPATIBILITY_MODE_MASK;        }        /**         * Sets the margins, in pixels. A call to {@link android.view.View#requestLayout()} needs         * to be done so that the new margins are taken into account. Left and right margins may be         * overriden by {@link android.view.View#requestLayout()} depending on layout direction.         *         * @param left the left margin size         * @param top the top margin size         * @param right the right margin size         * @param bottom the bottom margin size         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginLeft         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginTop         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginRight         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginBottom         */        public void setMargins(int left, int top, int right, int bottom) {            leftMargin = left;            topMargin = top;            rightMargin = right;            bottomMargin = bottom;            mMarginFlags &= ~LEFT_MARGIN_UNDEFINED_MASK;            mMarginFlags &= ~RIGHT_MARGIN_UNDEFINED_MASK;            if (isMarginRelative()) {                mMarginFlags |= NEED_RESOLUTION_MASK;            } else {                mMarginFlags &= ~NEED_RESOLUTION_MASK;            }        }        /**         * Sets the relative margins, in pixels. A call to {@link android.view.View#requestLayout()}         * needs to be done so that the new relative margins are taken into account. Left and right         * margins may be overriden by {@link android.view.View#requestLayout()} depending on layout         * direction.         *         * @param start the start margin size         * @param top the top margin size         * @param end the right margin size         * @param bottom the bottom margin size         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginTop         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginBottom         *         * @hide         */        public void setMarginsRelative(int start, int top, int end, int bottom) {            startMargin = start;            topMargin = top;            endMargin = end;            bottomMargin = bottom;            mMarginFlags |= NEED_RESOLUTION_MASK;        }        /**         * Sets the relative start margin.         *         * @param start the start margin size         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart         */        public void setMarginStart(int start) {            startMargin = start;            mMarginFlags |= NEED_RESOLUTION_MASK;        }        /**         * Returns the start margin in pixels.         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart         *         * @return the start margin in pixels.         */        public int getMarginStart() {            if (startMargin != DEFAULT_MARGIN_RELATIVE) return startMargin;            if ((mMarginFlags & NEED_RESOLUTION_MASK) == NEED_RESOLUTION_MASK) {                doResolveMargins();            }            switch(mMarginFlags & LAYOUT_DIRECTION_MASK) {                case View.LAYOUT_DIRECTION_RTL:                    return rightMargin;                case View.LAYOUT_DIRECTION_LTR:                default:                    return leftMargin;            }        }        /**         * Sets the relative end margin.         *         * @param end the end margin size         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd         */        public void setMarginEnd(int end) {            endMargin = end;            mMarginFlags |= NEED_RESOLUTION_MASK;        }        /**         * Returns the end margin in pixels.         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd         *         * @return the end margin in pixels.         */        public int getMarginEnd() {            if (endMargin != DEFAULT_MARGIN_RELATIVE) return endMargin;            if ((mMarginFlags & NEED_RESOLUTION_MASK) == NEED_RESOLUTION_MASK) {                doResolveMargins();            }            switch(mMarginFlags & LAYOUT_DIRECTION_MASK) {                case View.LAYOUT_DIRECTION_RTL:                    return leftMargin;                case View.LAYOUT_DIRECTION_LTR:                default:                    return rightMargin;            }        }        /**         * Check if margins are relative.         *         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginStart         * @attr ref android.R.styleable#ViewGroup_MarginLayout_layout_marginEnd         *         * @return true if either marginStart or marginEnd has been set.         */        public boolean isMarginRelative() {            return (startMargin != DEFAULT_MARGIN_RELATIVE || endMargin != DEFAULT_MARGIN_RELATIVE);        }        /**         * Set the layout direction         * @param layoutDirection the layout direction.         *        Should be either {@link View#LAYOUT_DIRECTION_LTR}         *                     or {@link View#LAYOUT_DIRECTION_RTL}.         */        public void setLayoutDirection(int layoutDirection) {            if (layoutDirection != View.LAYOUT_DIRECTION_LTR &&                    layoutDirection != View.LAYOUT_DIRECTION_RTL) return;            if (layoutDirection != (mMarginFlags & LAYOUT_DIRECTION_MASK)) {                mMarginFlags &= ~LAYOUT_DIRECTION_MASK;                mMarginFlags |= (layoutDirection & LAYOUT_DIRECTION_MASK);                if (isMarginRelative()) {                    mMarginFlags |= NEED_RESOLUTION_MASK;                } else {                    mMarginFlags &= ~NEED_RESOLUTION_MASK;                }            }        }        /**         * Retuns the layout direction. Can be either {@link View#LAYOUT_DIRECTION_LTR} or         * {@link View#LAYOUT_DIRECTION_RTL}.         *         * @return the layout direction.         */        public int getLayoutDirection() {            return (mMarginFlags & LAYOUT_DIRECTION_MASK);        }        /**         * This will be called by {@link android.view.View#requestLayout()}. Left and Right margins         * may be overridden depending on layout direction.         */        @Override        public void resolveLayoutDirection(int layoutDirection) {            setLayoutDirection(layoutDirection);            // No relative margin or pre JB-MR1 case or no need to resolve, just dont do anything            // Will use the left and right margins if no relative margin is defined.            if (!isMarginRelative() ||                    (mMarginFlags & NEED_RESOLUTION_MASK) != NEED_RESOLUTION_MASK) return;            // Proceed with resolution            doResolveMargins();        }        private void doResolveMargins() {            if ((mMarginFlags & RTL_COMPATIBILITY_MODE_MASK) == RTL_COMPATIBILITY_MODE_MASK) {                // if left or right margins are not defined and if we have some start or end margin                // defined then use those start and end margins.                if ((mMarginFlags & LEFT_MARGIN_UNDEFINED_MASK) == LEFT_MARGIN_UNDEFINED_MASK                        && startMargin > DEFAULT_MARGIN_RELATIVE) {                    leftMargin = startMargin;                }                if ((mMarginFlags & RIGHT_MARGIN_UNDEFINED_MASK) == RIGHT_MARGIN_UNDEFINED_MASK                        && endMargin > DEFAULT_MARGIN_RELATIVE) {                    rightMargin = endMargin;                }            } else {                // We have some relative margins (either the start one or the end one or both). So use                // them and override what has been defined for left and right margins. If either start                // or end margin is not defined, just set it to default "0".                switch(mMarginFlags & LAYOUT_DIRECTION_MASK) {                    case View.LAYOUT_DIRECTION_RTL:                        leftMargin = (endMargin > DEFAULT_MARGIN_RELATIVE) ?                                endMargin : DEFAULT_MARGIN_RESOLVED;                        rightMargin = (startMargin > DEFAULT_MARGIN_RELATIVE) ?                                startMargin : DEFAULT_MARGIN_RESOLVED;                        break;                    case View.LAYOUT_DIRECTION_LTR:                    default:                        leftMargin = (startMargin > DEFAULT_MARGIN_RELATIVE) ?                                startMargin : DEFAULT_MARGIN_RESOLVED;                        rightMargin = (endMargin > DEFAULT_MARGIN_RELATIVE) ?                                endMargin : DEFAULT_MARGIN_RESOLVED;                        break;                }            }            mMarginFlags &= ~NEED_RESOLUTION_MASK;        }        /**         * @hide         */        public boolean isLayoutRtl() {            return ((mMarginFlags & LAYOUT_DIRECTION_MASK) == View.LAYOUT_DIRECTION_RTL);        }        /**         * @hide         */        @Override        public void onDebugDraw(View view, Canvas canvas, Paint paint) {            Insets oi = isLayoutModeOptical(view.mParent) ? view.getOpticalInsets() : Insets.NONE;            fillDifference(canvas,                    view.getLeft()   + oi.left,                    view.getTop()    + oi.top,                    view.getRight()  - oi.right,                    view.getBottom() - oi.bottom,                    leftMargin,                    topMargin,                    rightMargin,                    bottomMargin,                    paint);        }    }    /* Describes a touched view and the ids of the pointers that it has captured.     *     * This code assumes that pointer ids are always in the range 0..31 such that     * it can use a bitfield to track which pointer ids are present.     * As it happens, the lower layers of the input dispatch pipeline also use the     * same trick so the assumption should be safe here...     */    private static final class TouchTarget {        private static final int MAX_RECYCLED = 32;        private static final Object sRecycleLock = new Object[0];        private static TouchTarget sRecycleBin;        private static int sRecycledCount;        public static final int ALL_POINTER_IDS = -1; // all ones        // The touched child view.        public View child;        // The combined bit mask of pointer ids for all pointers captured by the target.        public int pointerIdBits;        // The next target in the target list.        public TouchTarget next;        private TouchTarget() {        }        public static TouchTarget obtain(View child, int pointerIdBits) {            final TouchTarget target;            synchronized (sRecycleLock) {                if (sRecycleBin == null) {                    target = new TouchTarget();                } else {                    target = sRecycleBin;                    sRecycleBin = target.next;                     sRecycledCount--;                    target.next = null;                }            }            target.child = child;            target.pointerIdBits = pointerIdBits;            return target;        }        public void recycle() {            synchronized (sRecycleLock) {                if (sRecycledCount < MAX_RECYCLED) {                    next = sRecycleBin;                    sRecycleBin = this;                    sRecycledCount += 1;                } else {                    next = null;                }                child = null;            }        }    }    /* Describes a hovered view. */    private static final class HoverTarget {        private static final int MAX_RECYCLED = 32;        private static final Object sRecycleLock = new Object[0];        private static HoverTarget sRecycleBin;        private static int sRecycledCount;        // The hovered child view.        public View child;        // The next target in the target list.        public HoverTarget next;        private HoverTarget() {        }        public static HoverTarget obtain(View child) {            final HoverTarget target;            synchronized (sRecycleLock) {                if (sRecycleBin == null) {                    target = new HoverTarget();                } else {                    target = sRecycleBin;                    sRecycleBin = target.next;                     sRecycledCount--;                    target.next = null;                }            }            target.child = child;            return target;        }        public void recycle() {            synchronized (sRecycleLock) {                if (sRecycledCount < MAX_RECYCLED) {                    next = sRecycleBin;                    sRecycleBin = this;                    sRecycledCount += 1;                } else {                    next = null;                }                child = null;            }        }    }    /**     * Pooled class that orderes the children of a ViewGroup from start     * to end based on how they are laid out and the layout direction.     */    static class ChildListForAccessibility {        private static final int MAX_POOL_SIZE = 32;        private static final SynchronizedPool<ChildListForAccessibility> sPool =                new SynchronizedPool<ChildListForAccessibility>(MAX_POOL_SIZE);        private final ArrayList<View> mChildren = new ArrayList<View>();        private final ArrayList<ViewLocationHolder> mHolders = new ArrayList<ViewLocationHolder>();        public static ChildListForAccessibility obtain(ViewGroup parent, boolean sort) {            ChildListForAccessibility list = sPool.acquire();            if (list == null) {                list = new ChildListForAccessibility();            }            list.init(parent, sort);            return list;        }        public void recycle() {            clear();            sPool.release(this);        }        public int getChildCount() {            return mChildren.size();        }        public View getChildAt(int index) {            return mChildren.get(index);        }        public int getChildIndex(View child) {            return mChildren.indexOf(child);        }        private void init(ViewGroup parent, boolean sort) {            ArrayList<View> children = mChildren;            final int childCount = parent.getChildCount();            for (int i = 0; i < childCount; i++) {                View child = parent.getChildAt(i);                children.add(child);            }            if (sort) {                ArrayList<ViewLocationHolder> holders = mHolders;                for (int i = 0; i < childCount; i++) {                    View child = children.get(i);                    ViewLocationHolder holder = ViewLocationHolder.obtain(parent, child);                    holders.add(holder);                }                Collections.sort(holders);                for (int i = 0; i < childCount; i++) {                    ViewLocationHolder holder = holders.get(i);                    children.set(i, holder.mView);                    holder.recycle();                }                holders.clear();            }        }        private void clear() {            mChildren.clear();        }    }    /**     * Pooled class that holds a View and its location with respect to     * a specified root. This enables sorting of views based on their     * coordinates without recomputing the position relative to the root     * on every comparison.     */    static class ViewLocationHolder implements Comparable<ViewLocationHolder> {        private static final int MAX_POOL_SIZE = 32;        private static final SynchronizedPool<ViewLocationHolder> sPool =                new SynchronizedPool<ViewLocationHolder>(MAX_POOL_SIZE);        private final Rect mLocation = new Rect();        public View mView;        private int mLayoutDirection;        public static ViewLocationHolder obtain(ViewGroup root, View view) {            ViewLocationHolder holder = sPool.acquire();            if (holder == null) {                holder = new ViewLocationHolder();            }            holder.init(root, view);            return holder;        }        public void recycle() {            clear();            sPool.release(this);        }        @Override        public int compareTo(ViewLocationHolder another) {            // This instance is greater than an invalid argument.            if (another == null) {                return 1;            }            if (getClass() != another.getClass()) {                return 1;            }            // First is above second.            if (mLocation.bottom - another.mLocation.top <= 0) {                return -1;            }            // First is below second.            if (mLocation.top - another.mLocation.bottom >= 0) {                return 1;            }            // LTR            if (mLayoutDirection == LAYOUT_DIRECTION_LTR) {                final int leftDifference = mLocation.left - another.mLocation.left;                // First more to the left than second.                if (leftDifference != 0) {                    return leftDifference;                }            } else { // RTL                final int rightDifference = mLocation.right - another.mLocation.right;                // First more to the right than second.                if (rightDifference != 0) {                    return -rightDifference;                }            }            // Break tie by top.            final int topDiference = mLocation.top - another.mLocation.top;            if (topDiference != 0) {                return topDiference;            }            // Break tie by height.            final int heightDiference = mLocation.height() - another.mLocation.height();            if (heightDiference != 0) {                return -heightDiference;            }            // Break tie by width.            final int widthDiference = mLocation.width() - another.mLocation.width();            if (widthDiference != 0) {                return -widthDiference;            }            // Just break the tie somehow. The accessibliity ids are unique            // and stable, hence this is deterministic tie breaking.            return mView.getAccessibilityViewId() - another.mView.getAccessibilityViewId();        }        private void init(ViewGroup root, View view) {            Rect viewLocation = mLocation;            view.getDrawingRect(viewLocation);            root.offsetDescendantRectToMyCoords(view, viewLocation);            mView = view;            mLayoutDirection = root.getLayoutDirection();        }        private void clear() {            mView = null;            mLocation.set(0, 0, 0, 0);        }    }    private static Paint getDebugPaint() {        if (sDebugPaint == null) {            sDebugPaint = new Paint();            sDebugPaint.setAntiAlias(false);        }        return sDebugPaint;    }    private static void drawRect(Canvas canvas, Paint paint, int x1, int y1, int x2, int y2) {        if (sDebugLines== null) {            // TODO: This won't work with multiple UI threads in a single process            sDebugLines = new float[16];        }        sDebugLines[0] = x1;        sDebugLines[1] = y1;        sDebugLines[2] = x2;        sDebugLines[3] = y1;        sDebugLines[4] = x2;        sDebugLines[5] = y1;        sDebugLines[6] = x2;        sDebugLines[7] = y2;        sDebugLines[8] = x2;        sDebugLines[9] = y2;        sDebugLines[10] = x1;        sDebugLines[11] = y2;        sDebugLines[12] = x1;        sDebugLines[13] = y2;        sDebugLines[14] = x1;        sDebugLines[15] = y1;        canvas.drawLines(sDebugLines, paint);    }}
语言表达能力一般,请见谅。

View.java:

/* * Copyright (C) 2006 The Android Open Source Project * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * *      http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */package android.view;import android.content.ClipData;import android.content.Context;import android.content.res.Configuration;import android.content.res.Resources;import android.content.res.TypedArray;import android.graphics.Bitmap;import android.graphics.Camera;import android.graphics.Canvas;import android.graphics.Insets;import android.graphics.Interpolator;import android.graphics.LinearGradient;import android.graphics.Matrix;import android.graphics.Paint;import android.graphics.PixelFormat;import android.graphics.Point;import android.graphics.PorterDuff;import android.graphics.PorterDuffXfermode;import android.graphics.Rect;import android.graphics.RectF;import android.graphics.Region;import android.graphics.Shader;import android.graphics.drawable.ColorDrawable;import android.graphics.drawable.Drawable;import android.hardware.display.DisplayManagerGlobal;import android.os.Bundle;import android.os.Handler;import android.os.IBinder;import android.os.Parcel;import android.os.Parcelable;import android.os.RemoteException;import android.os.SystemClock;import android.os.SystemProperties;import android.text.TextUtils;import android.util.AttributeSet;import android.util.FloatProperty;import android.util.LayoutDirection;import android.util.Log;import android.util.LongSparseLongArray;import android.util.Pools.SynchronizedPool;import android.util.Property;import android.util.SparseArray;import android.util.SuperNotCalledException;import android.util.TypedValue;import android.view.ContextMenu.ContextMenuInfo;import android.view.AccessibilityIterators.TextSegmentIterator;import android.view.AccessibilityIterators.CharacterTextSegmentIterator;import android.view.AccessibilityIterators.WordTextSegmentIterator;import android.view.AccessibilityIterators.ParagraphTextSegmentIterator;import android.view.accessibility.AccessibilityEvent;import android.view.accessibility.AccessibilityEventSource;import android.view.accessibility.AccessibilityManager;import android.view.accessibility.AccessibilityNodeInfo;import android.view.accessibility.AccessibilityNodeProvider;import android.view.animation.Animation;import android.view.animation.AnimationUtils;import android.view.animation.Transformation;import android.view.inputmethod.EditorInfo;import android.view.inputmethod.InputConnection;import android.view.inputmethod.InputMethodManager;import android.widget.ScrollBarDrawable;import static android.os.Build.VERSION_CODES.*;import static java.lang.Math.max;import com.android.internal.R;import com.android.internal.util.Predicate;import com.android.internal.view.menu.MenuBuilder;import com.google.android.collect.Lists;import com.google.android.collect.Maps;import java.lang.ref.WeakReference;import java.lang.reflect.Field;import java.lang.reflect.InvocationTargetException;import java.lang.reflect.Method;import java.lang.reflect.Modifier;import java.util.ArrayList;import java.util.Arrays;import java.util.Collections;import java.util.HashMap;import java.util.Locale;import java.util.concurrent.CopyOnWriteArrayList;import java.util.concurrent.atomic.AtomicInteger;/** * <p> * This class represents the basic building block for user interface components. A View * occupies a rectangular area on the screen and is responsible for drawing and * event handling. View is the base class for <em>widgets</em>, which are * used to create interactive UI components (buttons, text fields, etc.). The * {@link android.view.ViewGroup} subclass is the base class for <em>layouts</em>, which * are invisible containers that hold other Views (or other ViewGroups) and define * their layout properties. * </p> * * <div class="special reference"> * <h3>Developer Guides</h3> * <p>For information about using this class to develop your application's user interface, * read the <a href="{@docRoot}guide/topics/ui/index.html">User Interface</a> developer guide. * </div> * * <a name="Using"></a> * <h3>Using Views</h3> * <p> * All of the views in a window are arranged in a single tree. You can add views * either from code or by specifying a tree of views in one or more XML layout * files. There are many specialized subclasses of views that act as controls or * are capable of displaying text, images, or other content. * </p> * <p> * Once you have created a tree of views, there are typically a few types of * common operations you may wish to perform: * <ul> * <li><strong>Set properties:</strong> for example setting the text of a * {@link android.widget.TextView}. The available properties and the methods * that set them will vary among the different subclasses of views. Note that * properties that are known at build time can be set in the XML layout * files.</li> * <li><strong>Set focus:</strong> The framework will handled moving focus in * response to user input. To force focus to a specific view, call * {@link #requestFocus}.</li> * <li><strong>Set up listeners:</strong> Views allow clients to set listeners * that will be notified when something interesting happens to the view. For * example, all views will let you set a listener to be notified when the view * gains or loses focus. You can register such a listener using * {@link #setOnFocusChangeListener(android.view.View.OnFocusChangeListener)}. * Other view subclasses offer more specialized listeners. For example, a Button * exposes a listener to notify clients when the button is clicked.</li> * <li><strong>Set visibility:</strong> You can hide or show views using * {@link #setVisibility(int)}.</li> * </ul> * </p> * <p><em> * Note: The Android framework is responsible for measuring, laying out and * drawing views. You should not call methods that perform these actions on * views yourself unless you are actually implementing a * {@link android.view.ViewGroup}. * </em></p> * * <a name="Lifecycle"></a> * <h3>Implementing a Custom View</h3> * * <p> * To implement a custom view, you will usually begin by providing overrides for * some of the standard methods that the framework calls on all views. You do * not need to override all of these methods. In fact, you can start by just * overriding {@link #onDraw(android.graphics.Canvas)}. * <table border="2" width="85%" align="center" cellpadding="5"> *     <thead> *         <tr><th>Category</th> <th>Methods</th> <th>Description</th></tr> *     </thead> * *     <tbody> *     <tr> *         <td rowspan="2">Creation</td> *         <td>Constructors</td> *         <td>There is a form of the constructor that are called when the view *         is created from code and a form that is called when the view is *         inflated from a layout file. The second form should parse and apply *         any attributes defined in the layout file. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onFinishInflate()}</code></td> *         <td>Called after a view and all of its children has been inflated *         from XML.</td> *     </tr> * *     <tr> *         <td rowspan="3">Layout</td> *         <td><code>{@link #onMeasure(int, int)}</code></td> *         <td>Called to determine the size requirements for this view and all *         of its children. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onLayout(boolean, int, int, int, int)}</code></td> *         <td>Called when this view should assign a size and position to all *         of its children. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onSizeChanged(int, int, int, int)}</code></td> *         <td>Called when the size of this view has changed. *         </td> *     </tr> * *     <tr> *         <td>Drawing</td> *         <td><code>{@link #onDraw(android.graphics.Canvas)}</code></td> *         <td>Called when the view should render its content. *         </td> *     </tr> * *     <tr> *         <td rowspan="4">Event processing</td> *         <td><code>{@link #onKeyDown(int, KeyEvent)}</code></td> *         <td>Called when a new hardware key event occurs. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onKeyUp(int, KeyEvent)}</code></td> *         <td>Called when a hardware key up event occurs. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onTrackballEvent(MotionEvent)}</code></td> *         <td>Called when a trackball motion event occurs. *         </td> *     </tr> *     <tr> *         <td><code>{@link #onTouchEvent(MotionEvent)}</code></td> *         <td>Called when a touch screen motion event occurs. *         </td> *     </tr> * *     <tr> *         <td rowspan="2">Focus</td> *         <td><code>{@link #onFocusChanged(boolean, int, android.graphics.Rect)}</code></td> *         <td>Called when the view gains or loses focus. *         </td> *     </tr> * *     <tr> *         <td><code>{@link #onWindowFocusChanged(boolean)}</code></td> *         <td>Called when the window containing the view gains or loses focus. *         </td> *     </tr> * *     <tr> *         <td rowspan="3">Attaching</td> *         <td><code>{@link #onAttachedToWindow()}</code></td> *         <td>Called when the view is attached to a window. *         </td> *     </tr> * *     <tr> *         <td><code>{@link #onDetachedFromWindow}</code></td> *         <td>Called when the view is detached from its window. *         </td> *     </tr> * *     <tr> *         <td><code>{@link #onWindowVisibilityChanged(int)}</code></td> *         <td>Called when the visibility of the window containing the view *         has changed. *         </td> *     </tr> *     </tbody> * * </table> * </p> * * <a name="IDs"></a> * <h3>IDs</h3> * Views may have an integer id associated with them. These ids are typically * assigned in the layout XML files, and are used to find specific views within * the view tree. A common pattern is to: * <ul> * <li>Define a Button in the layout file and assign it a unique ID. * <pre> * <Button *     android:id="@+id/my_button" *     android:layout_width="wrap_content" *     android:layout_height="wrap_content" *     android:text="@string/my_button_text"/> * </pre></li> * <li>From the onCreate method of an Activity, find the Button * <pre class="prettyprint"> *      Button myButton = (Button) findViewById(R.id.my_button); * </pre></li> * </ul> * <p> * View IDs need not be unique throughout the tree, but it is good practice to * ensure that they are at least unique within the part of the tree you are * searching. * </p> * * <a name="Position"></a> * <h3>Position</h3> * <p> * The geometry of a view is that of a rectangle. A view has a location, * expressed as a pair of <em>left</em> and <em>top</em> coordinates, and * two dimensions, expressed as a width and a height. The unit for location * and dimensions is the pixel. * </p> * * <p> * It is possible to retrieve the location of a view by invoking the methods * {@link #getLeft()} and {@link #getTop()}. The former returns the left, or X, * coordinate of the rectangle representing the view. The latter returns the * top, or Y, coordinate of the rectangle representing the view. These methods * both return the location of the view relative to its parent. For instance, * when getLeft() returns 20, that means the view is located 20 pixels to the * right of the left edge of its direct parent. * </p> * * <p> * In addition, several convenience methods are offered to avoid unnecessary * computations, namely {@link #getRight()} and {@link #getBottom()}. * These methods return the coordinates of the right and bottom edges of the * rectangle representing the view. For instance, calling {@link #getRight()} * is similar to the following computation: <code>getLeft() + getWidth()</code> * (see <a href="#SizePaddingMargins">Size</a> for more information about the width.) * </p> * * <a name="SizePaddingMargins"></a> * <h3>Size, padding and margins</h3> * <p> * The size of a view is expressed with a width and a height. A view actually * possess two pairs of width and height values. * </p> * * <p> * The first pair is known as <em>measured width</em> and * <em>measured height</em>. These dimensions define how big a view wants to be * within its parent (see <a href="#Layout">Layout</a> for more details.) The * measured dimensions can be obtained by calling {@link #getMeasuredWidth()} * and {@link #getMeasuredHeight()}. * </p> * * <p> * The second pair is simply known as <em>width</em> and <em>height</em>, or * sometimes <em>drawing width</em> and <em>drawing height</em>. These * dimensions define the actual size of the view on screen, at drawing time and * after layout. These values may, but do not have to, be different from the * measured width and height. The width and height can be obtained by calling * {@link #getWidth()} and {@link #getHeight()}. * </p> * * <p> * To measure its dimensions, a view takes into account its padding. The padding * is expressed in pixels for the left, top, right and bottom parts of the view. * Padding can be used to offset the content of the view by a specific amount of * pixels. For instance, a left padding of 2 will push the view's content by * 2 pixels to the right of the left edge. Padding can be set using the * {@link #setPadding(int, int, int, int)} or {@link #setPaddingRelative(int, int, int, int)} * method and queried by calling {@link #getPaddingLeft()}, {@link #getPaddingTop()}, * {@link #getPaddingRight()}, {@link #getPaddingBottom()}, {@link #getPaddingStart()}, * {@link #getPaddingEnd()}. * </p> * * <p> * Even though a view can define a padding, it does not provide any support for * margins. However, view groups provide such a support. Refer to * {@link android.view.ViewGroup} and * {@link android.view.ViewGroup.MarginLayoutParams} for further information. * </p> * * <a name="Layout"></a> * <h3>Layout</h3> * <p> * Layout is a two pass process: a measure pass and a layout pass. The measuring * pass is implemented in {@link #measure(int, int)} and is a top-down traversal * of the view tree. Each view pushes dimension specifications down the tree * during the recursion. At the end of the measure pass, every view has stored * its measurements. The second pass happens in * {@link #layout(int,int,int,int)} and is also top-down. During * this pass each parent is responsible for positioning all of its children * using the sizes computed in the measure pass. * </p> * * <p> * When a view's measure() method returns, its {@link #getMeasuredWidth()} and * {@link #getMeasuredHeight()} values must be set, along with those for all of * that view's descendants. A view's measured width and measured height values * must respect the constraints imposed by the view's parents. This guarantees * that at the end of the measure pass, all parents accept all of their * children's measurements. A parent view may call measure() more than once on * its children. For example, the parent may measure each child once with * unspecified dimensions to find out how big they want to be, then call * measure() on them again with actual numbers if the sum of all the children's * unconstrained sizes is too big or too small. * </p> * * <p> * The measure pass uses two classes to communicate dimensions. The * {@link MeasureSpec} class is used by views to tell their parents how they * want to be measured and positioned. The base LayoutParams class just * describes how big the view wants to be for both width and height. For each * dimension, it can specify one of: * <ul> * <li> an exact number * <li>MATCH_PARENT, which means the view wants to be as big as its parent * (minus padding) * <li> WRAP_CONTENT, which means that the view wants to be just big enough to * enclose its content (plus padding). * </ul> * There are subclasses of LayoutParams for different subclasses of ViewGroup. * For example, AbsoluteLayout has its own subclass of LayoutParams which adds * an X and Y value. * </p> * * <p> * MeasureSpecs are used to push requirements down the tree from parent to * child. A MeasureSpec can be in one of three modes: * <ul> * <li>UNSPECIFIED: This is used by a parent to determine the desired dimension * of a child view. For example, a LinearLayout may call measure() on its child * with the height set to UNSPECIFIED and a width of EXACTLY 240 to find out how * tall the child view wants to be given a width of 240 pixels. * <li>EXACTLY: This is used by the parent to impose an exact size on the * child. The child must use this size, and guarantee that all of its * descendants will fit within this size. * <li>AT_MOST: This is used by the parent to impose a maximum size on the * child. The child must gurantee that it and all of its descendants will fit * within this size. * </ul> * </p> * * <p> * To intiate a layout, call {@link #requestLayout}. This method is typically * called by a view on itself when it believes that is can no longer fit within * its current bounds. * </p> * * <a name="Drawing"></a> * <h3>Drawing</h3> * <p> * Drawing is handled by walking the tree and rendering each view that * intersects the invalid region. Because the tree is traversed in-order, * this means that parents will draw before (i.e., behind) their children, with * siblings drawn in the order they appear in the tree. * If you set a background drawable for a View, then the View will draw it for you * before calling back to its <code>onDraw()</code> method. * </p> * * <p> * Note that the framework will not draw views that are not in the invalid region. * </p> * * <p> * To force a view to draw, call {@link #invalidate()}. * </p> * * <a name="EventHandlingThreading"></a> * <h3>Event Handling and Threading</h3> * <p> * The basic cycle of a view is as follows: * <ol> * <li>An event comes in and is dispatched to the appropriate view. The view * handles the event and notifies any listeners.</li> * <li>If in the course of processing the event, the view's bounds may need * to be changed, the view will call {@link #requestLayout()}.</li> * <li>Similarly, if in the course of processing the event the view's appearance * may need to be changed, the view will call {@link #invalidate()}.</li> * <li>If either {@link #requestLayout()} or {@link #invalidate()} were called, * the framework will take care of measuring, laying out, and drawing the tree * as appropriate.</li> * </ol> * </p> * * <p><em>Note: The entire view tree is single threaded. You must always be on * the UI thread when calling any method on any view.</em> * If you are doing work on other threads and want to update the state of a view * from that thread, you should use a {@link Handler}. * </p> * * <a name="FocusHandling"></a> * <h3>Focus Handling</h3> * <p> * The framework will handle routine focus movement in response to user input. * This includes changing the focus as views are removed or hidden, or as new * views become available. Views indicate their willingness to take focus * through the {@link #isFocusable} method. To change whether a view can take * focus, call {@link #setFocusable(boolean)}.  When in touch mode (see notes below) * views indicate whether they still would like focus via {@link #isFocusableInTouchMode} * and can change this via {@link #setFocusableInTouchMode(boolean)}. * </p> * <p> * Focus movement is based on an algorithm which finds the nearest neighbor in a * given direction. In rare cases, the default algorithm may not match the * intended behavior of the developer. In these situations, you can provide * explicit overrides by using these XML attributes in the layout file: * <pre> * nextFocusDown * nextFocusLeft * nextFocusRight * nextFocusUp * </pre> * </p> * * * <p> * To get a particular view to take focus, call {@link #requestFocus()}. * </p> * * <a name="TouchMode"></a> * <h3>Touch Mode</h3> * <p> * When a user is navigating a user interface via directional keys such as a D-pad, it is * necessary to give focus to actionable items such as buttons so the user can see * what will take input.  If the device has touch capabilities, however, and the user * begins interacting with the interface by touching it, it is no longer necessary to * always highlight, or give focus to, a particular view.  This motivates a mode * for interaction named 'touch mode'. * </p> * <p> * For a touch capable device, once the user touches the screen, the device * will enter touch mode.  From this point onward, only views for which * {@link #isFocusableInTouchMode} is true will be focusable, such as text editing widgets. * Other views that are touchable, like buttons, will not take focus when touched; they will * only fire the on click listeners. * </p> * <p> * Any time a user hits a directional key, such as a D-pad direction, the view device will * exit touch mode, and find a view to take focus, so that the user may resume interacting * with the user interface without touching the screen again. * </p> * <p> * The touch mode state is maintained across {@link android.app.Activity}s.  Call * {@link #isInTouchMode} to see whether the device is currently in touch mode. * </p> * * <a name="Scrolling"></a> * <h3>Scrolling</h3> * <p> * The framework provides basic support for views that wish to internally * scroll their content. This includes keeping track of the X and Y scroll * offset as well as mechanisms for drawing scrollbars. See * {@link #scrollBy(int, int)}, {@link #scrollTo(int, int)}, and * {@link #awakenScrollBars()} for more details. * </p> * * <a name="Tags"></a> * <h3>Tags</h3> * <p> * Unlike IDs, tags are not used to identify views. Tags are essentially an * extra piece of information that can be associated with a view. They are most * often used as a convenience to store data related to views in the views * themselves rather than by putting them in a separate structure. * </p> * * <a name="Properties"></a> * <h3>Properties</h3> * <p> * The View class exposes an {@link #ALPHA} property, as well as several transform-related * properties, such as {@link #TRANSLATION_X} and {@link #TRANSLATION_Y}. These properties are * available both in the {@link Property} form as well as in similarly-named setter/getter * methods (such as {@link #setAlpha(float)} for {@link #ALPHA}). These properties can * be used to set persistent state associated with these rendering-related properties on the view. * The properties and methods can also be used in conjunction with * {@link android.animation.Animator Animator}-based animations, described more in the * <a href="#Animation">Animation</a> section. * </p> * * <a name="Animation"></a> * <h3>Animation</h3> * <p> * Starting with Android 3.0, the preferred way of animating views is to use the * {@link android.animation} package APIs. These {@link android.animation.Animator Animator}-based * classes change actual properties of the View object, such as {@link #setAlpha(float) alpha} and * {@link #setTranslationX(float) translationX}. This behavior is contrasted to that of the pre-3.0 * {@link android.view.animation.Animation Animation}-based classes, which instead animate only * how the view is drawn on the display. In particular, the {@link ViewPropertyAnimator} class * makes animating these View properties particularly easy and efficient. * </p> * <p> * Alternatively, you can use the pre-3.0 animation classes to animate how Views are rendered. * You can attach an {@link Animation} object to a view using * {@link #setAnimation(Animation)} or * {@link #startAnimation(Animation)}. The animation can alter the scale, * rotation, translation and alpha of a view over time. If the animation is * attached to a view that has children, the animation will affect the entire * subtree rooted by that node. When an animation is started, the framework will * take care of redrawing the appropriate views until the animation completes. * </p> * * <a name="Security"></a> * <h3>Security</h3> * <p> * Sometimes it is essential that an application be able to verify that an action * is being performed with the full knowledge and consent of the user, such as * granting a permission request, making a purchase or clicking on an advertisement. * Unfortunately, a malicious application could try to spoof the user into * performing these actions, unaware, by concealing the intended purpose of the view. * As a remedy, the framework offers a touch filtering mechanism that can be used to * improve the security of views that provide access to sensitive functionality. * </p><p> * To enable touch filtering, call {@link #setFilterTouchesWhenObscured(boolean)} or set the * android:filterTouchesWhenObscured layout attribute to true.  When enabled, the framework * will discard touches that are received whenever the view's window is obscured by * another visible window.  As a result, the view will not receive touches whenever a * toast, dialog or other window appears above the view's window. * </p><p> * For more fine-grained control over security, consider overriding the * {@link #onFilterTouchEventForSecurity(MotionEvent)} method to implement your own * security policy. See also {@link MotionEvent#FLAG_WINDOW_IS_OBSCURED}. * </p> * * @attr ref android.R.styleable#View_alpha * @attr ref android.R.styleable#View_background * @attr ref android.R.styleable#View_clickable * @attr ref android.R.styleable#View_contentDescription * @attr ref android.R.styleable#View_drawingCacheQuality * @attr ref android.R.styleable#View_duplicateParentState * @attr ref android.R.styleable#View_id * @attr ref android.R.styleable#View_requiresFadingEdge * @attr ref android.R.styleable#View_fadeScrollbars * @attr ref android.R.styleable#View_fadingEdgeLength * @attr ref android.R.styleable#View_filterTouchesWhenObscured * @attr ref android.R.styleable#View_fitsSystemWindows * @attr ref android.R.styleable#View_isScrollContainer * @attr ref android.R.styleable#View_focusable * @attr ref android.R.styleable#View_focusableInTouchMode * @attr ref android.R.styleable#View_hapticFeedbackEnabled * @attr ref android.R.styleable#View_keepScreenOn * @attr ref android.R.styleable#View_layerType * @attr ref android.R.styleable#View_layoutDirection * @attr ref android.R.styleable#View_longClickable * @attr ref android.R.styleable#View_minHeight * @attr ref android.R.styleable#View_minWidth * @attr ref android.R.styleable#View_nextFocusDown * @attr ref android.R.styleable#View_nextFocusLeft * @attr ref android.R.styleable#View_nextFocusRight * @attr ref android.R.styleable#View_nextFocusUp * @attr ref android.R.styleable#View_onClick * @attr ref android.R.styleable#View_padding * @attr ref android.R.styleable#View_paddingBottom * @attr ref android.R.styleable#View_paddingLeft * @attr ref android.R.styleable#View_paddingRight * @attr ref android.R.styleable#View_paddingTop * @attr ref android.R.styleable#View_paddingStart * @attr ref android.R.styleable#View_paddingEnd * @attr ref android.R.styleable#View_saveEnabled * @attr ref android.R.styleable#View_rotation * @attr ref android.R.styleable#View_rotationX * @attr ref android.R.styleable#View_rotationY * @attr ref android.R.styleable#View_scaleX * @attr ref android.R.styleable#View_scaleY * @attr ref android.R.styleable#View_scrollX * @attr ref android.R.styleable#View_scrollY * @attr ref android.R.styleable#View_scrollbarSize * @attr ref android.R.styleable#View_scrollbarStyle * @attr ref android.R.styleable#View_scrollbars * @attr ref android.R.styleable#View_scrollbarDefaultDelayBeforeFade * @attr ref android.R.styleable#View_scrollbarFadeDuration * @attr ref android.R.styleable#View_scrollbarTrackHorizontal * @attr ref android.R.styleable#View_scrollbarThumbHorizontal * @attr ref android.R.styleable#View_scrollbarThumbVertical * @attr ref android.R.styleable#View_scrollbarTrackVertical * @attr ref android.R.styleable#View_scrollbarAlwaysDrawHorizontalTrack * @attr ref android.R.styleable#View_scrollbarAlwaysDrawVerticalTrack * @attr ref android.R.styleable#View_soundEffectsEnabled * @attr ref android.R.styleable#View_tag * @attr ref android.R.styleable#View_textAlignment * @attr ref android.R.styleable#View_textDirection * @attr ref android.R.styleable#View_transformPivotX * @attr ref android.R.styleable#View_transformPivotY * @attr ref android.R.styleable#View_translationX * @attr ref android.R.styleable#View_translationY * @attr ref android.R.styleable#View_visibility * * @see android.view.ViewGroup */public class View implements Drawable.Callback, KeyEvent.Callback,        AccessibilityEventSource {    private static final boolean DBG = false;    /**     * The logging tag used by this class with android.util.Log.     */    protected static final String VIEW_LOG_TAG = "View";    /**     * When set to true, apps will draw debugging information about their layouts.     *     * @hide     */    public static final String DEBUG_LAYOUT_PROPERTY = "debug.layout";    /**     * Used to mark a View that has no ID.     */    public static final int NO_ID = -1;    /**     * Signals that compatibility booleans have been initialized according to     * target SDK versions.     */    private static boolean sCompatibilityDone = false;    /**     * Use the old (broken) way of building MeasureSpecs.     */    private static boolean sUseBrokenMakeMeasureSpec = false;    /**     * Ignore any optimizations using the measure cache.     */    private static boolean sIgnoreMeasureCache = false;    /**     * This view does not want keystrokes. Use with TAKES_FOCUS_MASK when     * calling setFlags.     */    private static final int NOT_FOCUSABLE = 0x00000000;    /**     * This view wants keystrokes. Use with TAKES_FOCUS_MASK when calling     * setFlags.     */    private static final int FOCUSABLE = 0x00000001;    /**     * Mask for use with setFlags indicating bits used for focus.     */    private static final int FOCUSABLE_MASK = 0x00000001;    /**     * This view will adjust its padding to fit sytem windows (e.g. status bar)     */    private static final int FITS_SYSTEM_WINDOWS = 0x00000002;    /**     * This view is visible.     * Use with {@link #setVisibility} and <a href="#attr_android:visibility">{@code     * android:visibility}.     */    public static final int VISIBLE = 0x00000000;    /**     * This view is invisible, but it still takes up space for layout purposes.     * Use with {@link #setVisibility} and <a href="#attr_android:visibility">{@code     * android:visibility}.     */    public static final int INVISIBLE = 0x00000004;    /**     * This view is invisible, and it doesn't take any space for layout     * purposes. Use with {@link #setVisibility} and <a href="#attr_android:visibility">{@code     * android:visibility}.     */    public static final int GONE = 0x00000008;    /**     * Mask for use with setFlags indicating bits used for visibility.     * {@hide}     */    static final int VISIBILITY_MASK = 0x0000000C;    private static final int[] VISIBILITY_FLAGS = {VISIBLE, INVISIBLE, GONE};    /**     * This view is enabled. Interpretation varies by subclass.     * Use with ENABLED_MASK when calling setFlags.     * {@hide}     */    static final int ENABLED = 0x00000000;    /**     * This view is disabled. Interpretation varies by subclass.     * Use with ENABLED_MASK when calling setFlags.     * {@hide}     */    static final int DISABLED = 0x00000020;   /**    * Mask for use with setFlags indicating bits used for indicating whether    * this view is enabled    * {@hide}    */    static final int ENABLED_MASK = 0x00000020;    /**     * This view won't draw. {@link #onDraw(android.graphics.Canvas)} won't be     * called and further optimizations will be performed. It is okay to have     * this flag set and a background. Use with DRAW_MASK when calling setFlags.     * {@hide}     */    static final int WILL_NOT_DRAW = 0x00000080;    /**     * Mask for use with setFlags indicating bits used for indicating whether     * this view is will draw     * {@hide}     */    static final int DRAW_MASK = 0x00000080;    /**     * <p>This view doesn't show scrollbars.</p>     * {@hide}     */    static final int SCROLLBARS_NONE = 0x00000000;    /**     * <p>This view shows horizontal scrollbars.</p>     * {@hide}     */    static final int SCROLLBARS_HORIZONTAL = 0x00000100;    /**     * <p>This view shows vertical scrollbars.</p>     * {@hide}     */    static final int SCROLLBARS_VERTICAL = 0x00000200;    /**     * <p>Mask for use with setFlags indicating bits used for indicating which     * scrollbars are enabled.</p>     * {@hide}     */    static final int SCROLLBARS_MASK = 0x00000300;    /**     * Indicates that the view should filter touches when its window is obscured.     * Refer to the class comments for more information about this security feature.     * {@hide}     */    static final int FILTER_TOUCHES_WHEN_OBSCURED = 0x00000400;    /**     * Set for framework elements that use FITS_SYSTEM_WINDOWS, to indicate     * that they are optional and should be skipped if the window has     * requested system UI flags that ignore those insets for layout.     */    static final int OPTIONAL_FITS_SYSTEM_WINDOWS = 0x00000800;    /**     * <p>This view doesn't show fading edges.</p>     * {@hide}     */    static final int FADING_EDGE_NONE = 0x00000000;    /**     * <p>This view shows horizontal fading edges.</p>     * {@hide}     */    static final int FADING_EDGE_HORIZONTAL = 0x00001000;    /**     * <p>This view shows vertical fading edges.</p>     * {@hide}     */    static final int FADING_EDGE_VERTICAL = 0x00002000;    /**     * <p>Mask for use with setFlags indicating bits used for indicating which     * fading edges are enabled.</p>     * {@hide}     */    static final int FADING_EDGE_MASK = 0x00003000;    /**     * <p>Indicates this view can be clicked. When clickable, a View reacts     * to clicks by notifying the OnClickListener.<p>     * {@hide}     */    static final int CLICKABLE = 0x00004000;    /**     * <p>Indicates this view is caching its drawing into a bitmap.</p>     * {@hide}     */    static final int DRAWING_CACHE_ENABLED = 0x00008000;    /**     * <p>Indicates that no icicle should be saved for this view.<p>     * {@hide}     */    static final int SAVE_DISABLED = 0x000010000;    /**     * <p>Mask for use with setFlags indicating bits used for the saveEnabled     * property.</p>     * {@hide}     */    static final int SAVE_DISABLED_MASK = 0x000010000;    /**     * <p>Indicates that no drawing cache should ever be created for this view.<p>     * {@hide}     */    static final int WILL_NOT_CACHE_DRAWING = 0x000020000;    /**     * <p>Indicates this view can take / keep focus when int touch mode.</p>     * {@hide}     */    static final int FOCUSABLE_IN_TOUCH_MODE = 0x00040000;    /**     * <p>Enables low quality mode for the drawing cache.</p>     */    public static final int DRAWING_CACHE_QUALITY_LOW = 0x00080000;    /**     * <p>Enables high quality mode for the drawing cache.</p>     */    public static final int DRAWING_CACHE_QUALITY_HIGH = 0x00100000;    /**     * <p>Enables automatic quality mode for the drawing cache.</p>     */    public static final int DRAWING_CACHE_QUALITY_AUTO = 0x00000000;    private static final int[] DRAWING_CACHE_QUALITY_FLAGS = {            DRAWING_CACHE_QUALITY_AUTO, DRAWING_CACHE_QUALITY_LOW, DRAWING_CACHE_QUALITY_HIGH    };    /**     * <p>Mask for use with setFlags indicating bits used for the cache     * quality property.</p>     * {@hide}     */    static final int DRAWING_CACHE_QUALITY_MASK = 0x00180000;    /**     * <p>     * Indicates this view can be long clicked. When long clickable, a View     * reacts to long clicks by notifying the OnLongClickListener or showing a     * context menu.     * </p>     * {@hide}     */    static final int LONG_CLICKABLE = 0x00200000;    /**     * <p>Indicates that this view gets its drawable states from its direct parent     * and ignores its original internal states.</p>     *     * @hide     */    static final int DUPLICATE_PARENT_STATE = 0x00400000;    /**     * The scrollbar style to display the scrollbars inside the content area,     * without increasing the padding. The scrollbars will be overlaid with     * translucency on the view's content.     */    public static final int SCROLLBARS_INSIDE_OVERLAY = 0;    /**     * The scrollbar style to display the scrollbars inside the padded area,     * increasing the padding of the view. The scrollbars will not overlap the     * content area of the view.     */    public static final int SCROLLBARS_INSIDE_INSET = 0x01000000;    /**     * The scrollbar style to display the scrollbars at the edge of the view,     * without increasing the padding. The scrollbars will be overlaid with     * translucency.     */    public static final int SCROLLBARS_OUTSIDE_OVERLAY = 0x02000000;    /**     * The scrollbar style to display the scrollbars at the edge of the view,     * increasing the padding of the view. The scrollbars will only overlap the     * background, if any.     */    public static final int SCROLLBARS_OUTSIDE_INSET = 0x03000000;    /**     * Mask to check if the scrollbar style is overlay or inset.     * {@hide}     */    static final int SCROLLBARS_INSET_MASK = 0x01000000;    /**     * Mask to check if the scrollbar style is inside or outside.     * {@hide}     */    static final int SCROLLBARS_OUTSIDE_MASK = 0x02000000;    /**     * Mask for scrollbar style.     * {@hide}     */    static final int SCROLLBARS_STYLE_MASK = 0x03000000;    /**     * View flag indicating that the screen should remain on while the     * window containing this view is visible to the user.  This effectively     * takes care of automatically setting the WindowManager's     * {@link WindowManager.LayoutParams#FLAG_KEEP_SCREEN_ON}.     */    public static final int KEEP_SCREEN_ON = 0x04000000;    /**     * View flag indicating whether this view should have sound effects enabled     * for events such as clicking and touching.     */    public static final int SOUND_EFFECTS_ENABLED = 0x08000000;    /**     * View flag indicating whether this view should have haptic feedback     * enabled for events such as long presses.     */    public static final int HAPTIC_FEEDBACK_ENABLED = 0x10000000;    /**     * <p>Indicates that the view hierarchy should stop saving state when     * it reaches this view.  If state saving is initiated immediately at     * the view, it will be allowed.     * {@hide}     */    static final int PARENT_SAVE_DISABLED = 0x20000000;    /**     * <p>Mask for use with setFlags indicating bits used for PARENT_SAVE_DISABLED.</p>     * {@hide}     */    static final int PARENT_SAVE_DISABLED_MASK = 0x20000000;    /**     * View flag indicating whether {@link #addFocusables(ArrayList, int, int)}     * should add all focusable Views regardless if they are focusable in touch mode.     */    public static final int FOCUSABLES_ALL = 0x00000000;    /**     * View flag indicating whether {@link #addFocusables(ArrayList, int, int)}     * should add only Views focusable in touch mode.     */    public static final int FOCUSABLES_TOUCH_MODE = 0x00000001;    /**     * Use with {@link #focusSearch(int)}. Move focus to the previous selectable     * item.     */    public static final int FOCUS_BACKWARD = 0x00000001;    /**     * Use with {@link #focusSearch(int)}. Move focus to the next selectable     * item.     */    public static final int FOCUS_FORWARD = 0x00000002;    /**     * Use with {@link #focusSearch(int)}. Move focus to the left.     */    public static final int FOCUS_LEFT = 0x00000011;    /**     * Use with {@link #focusSearch(int)}. Move focus up.     */    public static final int FOCUS_UP = 0x00000021;    /**     * Use with {@link #focusSearch(int)}. Move focus to the right.     */    public static final int FOCUS_RIGHT = 0x00000042;    /**     * Use with {@link #focusSearch(int)}. Move focus down.     */    public static final int FOCUS_DOWN = 0x00000082;    /**     * Bits of {@link #getMeasuredWidthAndState()} and     * {@link #getMeasuredWidthAndState()} that provide the actual measured size.     */    public static final int MEASURED_SIZE_MASK = 0x00ffffff;    /**     * Bits of {@link #getMeasuredWidthAndState()} and     * {@link #getMeasuredWidthAndState()} that provide the additional state bits.     */    public static final int MEASURED_STATE_MASK = 0xff000000;    /**     * Bit shift of {@link #MEASURED_STATE_MASK} to get to the height bits     * for functions that combine both width and height into a single int,     * such as {@link #getMeasuredState()} and the childState argument of     * {@link #resolveSizeAndState(int, int, int)}.     */    public static final int MEASURED_HEIGHT_STATE_SHIFT = 16;    /**     * Bit of {@link #getMeasuredWidthAndState()} and     * {@link #getMeasuredWidthAndState()} that indicates the measured size     * is smaller that the space the view would like to have.     */    public static final int MEASURED_STATE_TOO_SMALL = 0x01000000;    /**     * Base View state sets     */    // Singles    /**     * Indicates the view has no states set. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] EMPTY_STATE_SET;    /**     * Indicates the view is enabled. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] ENABLED_STATE_SET;    /**     * Indicates the view is focused. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] FOCUSED_STATE_SET;    /**     * Indicates the view is selected. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] SELECTED_STATE_SET;    /**     * Indicates the view is pressed. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] PRESSED_STATE_SET;    /**     * Indicates the view's window has focus. States are used with     * {@link android.graphics.drawable.Drawable} to change the drawing of the     * view depending on its state.     *     * @see android.graphics.drawable.Drawable     * @see #getDrawableState()     */    protected static final int[] WINDOW_FOCUSED_STATE_SET;    // Doubles    /**     * Indicates the view is enabled and has the focus.     *     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     */    protected static final int[] ENABLED_FOCUSED_STATE_SET;    /**     * Indicates the view is enabled and selected.     *     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     */    protected static final int[] ENABLED_SELECTED_STATE_SET;    /**     * Indicates the view is enabled and that its window has focus.     *     * @see #ENABLED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] ENABLED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is focused and selected.     *     * @see #FOCUSED_STATE_SET     * @see #SELECTED_STATE_SET     */    protected static final int[] FOCUSED_SELECTED_STATE_SET;    /**     * Indicates the view has the focus and that its window has the focus.     *     * @see #FOCUSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] FOCUSED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is selected and that its window has the focus.     *     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] SELECTED_WINDOW_FOCUSED_STATE_SET;    // Triples    /**     * Indicates the view is enabled, focused and selected.     *     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #SELECTED_STATE_SET     */    protected static final int[] ENABLED_FOCUSED_SELECTED_STATE_SET;    /**     * Indicates the view is enabled, focused and its window has the focus.     *     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] ENABLED_FOCUSED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is enabled, selected and its window has the focus.     *     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] ENABLED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is focused, selected and its window has the focus.     *     * @see #FOCUSED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is enabled, focused, selected and its window     * has the focus.     *     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] ENABLED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed and its window has the focus.     *     * @see #PRESSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed and selected.     *     * @see #PRESSED_STATE_SET     * @see #SELECTED_STATE_SET     */    protected static final int[] PRESSED_SELECTED_STATE_SET;    /**     * Indicates the view is pressed, selected and its window has the focus.     *     * @see #PRESSED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed and focused.     *     * @see #PRESSED_STATE_SET     * @see #FOCUSED_STATE_SET     */    protected static final int[] PRESSED_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, focused and its window has the focus.     *     * @see #PRESSED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_FOCUSED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, focused and selected.     *     * @see #PRESSED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #FOCUSED_STATE_SET     */    protected static final int[] PRESSED_FOCUSED_SELECTED_STATE_SET;    /**     * Indicates the view is pressed, focused, selected and its window has the focus.     *     * @see #PRESSED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed and enabled.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_STATE_SET;    /**     * Indicates the view is pressed, enabled and its window has the focus.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, enabled and selected.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_SELECTED_STATE_SET;    /**     * Indicates the view is pressed, enabled, selected and its window has the     * focus.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, enabled and focused.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, enabled, focused and its window has the     * focus.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_FOCUSED_WINDOW_FOCUSED_STATE_SET;    /**     * Indicates the view is pressed, enabled, focused and selected.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_FOCUSED_SELECTED_STATE_SET;    /**     * Indicates the view is pressed, enabled, focused, selected and its window     * has the focus.     *     * @see #PRESSED_STATE_SET     * @see #ENABLED_STATE_SET     * @see #SELECTED_STATE_SET     * @see #FOCUSED_STATE_SET     * @see #WINDOW_FOCUSED_STATE_SET     */    protected static final int[] PRESSED_ENABLED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET;    /**     * The order here is very important to {@link #getDrawableState()}     */    private static final int[][] VIEW_STATE_SETS;    static final int VIEW_STATE_WINDOW_FOCUSED = 1;    static final int VIEW_STATE_SELECTED = 1 << 1;    static final int VIEW_STATE_FOCUSED = 1 << 2;    static final int VIEW_STATE_ENABLED = 1 << 3;    static final int VIEW_STATE_PRESSED = 1 << 4;    static final int VIEW_STATE_ACTIVATED = 1 << 5;    static final int VIEW_STATE_ACCELERATED = 1 << 6;    static final int VIEW_STATE_HOVERED = 1 << 7;    static final int VIEW_STATE_DRAG_CAN_ACCEPT = 1 << 8;    static final int VIEW_STATE_DRAG_HOVERED = 1 << 9;    static final int[] VIEW_STATE_IDS = new int[] {        R.attr.state_window_focused,    VIEW_STATE_WINDOW_FOCUSED,        R.attr.state_selected,          VIEW_STATE_SELECTED,        R.attr.state_focused,           VIEW_STATE_FOCUSED,        R.attr.state_enabled,           VIEW_STATE_ENABLED,        R.attr.state_pressed,           VIEW_STATE_PRESSED,        R.attr.state_activated,         VIEW_STATE_ACTIVATED,        R.attr.state_accelerated,       VIEW_STATE_ACCELERATED,        R.attr.state_hovered,           VIEW_STATE_HOVERED,        R.attr.state_drag_can_accept,   VIEW_STATE_DRAG_CAN_ACCEPT,        R.attr.state_drag_hovered,      VIEW_STATE_DRAG_HOVERED    };    static {        if ((VIEW_STATE_IDS.length/2) != R.styleable.ViewDrawableStates.length) {            throw new IllegalStateException(                    "VIEW_STATE_IDs array length does not match ViewDrawableStates style array");        }        int[] orderedIds = new int[VIEW_STATE_IDS.length];        for (int i = 0; i < R.styleable.ViewDrawableStates.length; i++) {            int viewState = R.styleable.ViewDrawableStates[i];            for (int j = 0; j<VIEW_STATE_IDS.length; j += 2) {                if (VIEW_STATE_IDS[j] == viewState) {                    orderedIds[i * 2] = viewState;                    orderedIds[i * 2 + 1] = VIEW_STATE_IDS[j + 1];                }            }        }        final int NUM_BITS = VIEW_STATE_IDS.length / 2;        VIEW_STATE_SETS = new int[1 << NUM_BITS][];        for (int i = 0; i < VIEW_STATE_SETS.length; i++) {            int numBits = Integer.bitCount(i);            int[] set = new int[numBits];            int pos = 0;            for (int j = 0; j < orderedIds.length; j += 2) {                if ((i & orderedIds[j+1]) != 0) {                    set[pos++] = orderedIds[j];                }            }            VIEW_STATE_SETS[i] = set;        }        EMPTY_STATE_SET = VIEW_STATE_SETS[0];        WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[VIEW_STATE_WINDOW_FOCUSED];        SELECTED_STATE_SET = VIEW_STATE_SETS[VIEW_STATE_SELECTED];        SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED];        FOCUSED_STATE_SET = VIEW_STATE_SETS[VIEW_STATE_FOCUSED];        FOCUSED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_FOCUSED];        FOCUSED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_FOCUSED];        FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_FOCUSED];        ENABLED_STATE_SET = VIEW_STATE_SETS[VIEW_STATE_ENABLED];        ENABLED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_ENABLED];        ENABLED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_ENABLED];        ENABLED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_ENABLED];        ENABLED_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_FOCUSED | VIEW_STATE_ENABLED];        ENABLED_FOCUSED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_FOCUSED                | VIEW_STATE_ENABLED];        ENABLED_FOCUSED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_FOCUSED                | VIEW_STATE_ENABLED];        ENABLED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_FOCUSED| VIEW_STATE_ENABLED];        PRESSED_STATE_SET = VIEW_STATE_SETS[VIEW_STATE_PRESSED];        PRESSED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_PRESSED];        PRESSED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_PRESSED];        PRESSED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_PRESSED];        PRESSED_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_FOCUSED | VIEW_STATE_PRESSED];        PRESSED_FOCUSED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_FOCUSED                | VIEW_STATE_PRESSED];        PRESSED_FOCUSED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_FOCUSED                | VIEW_STATE_PRESSED];        PRESSED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_FOCUSED | VIEW_STATE_PRESSED];        PRESSED_ENABLED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_ENABLED | VIEW_STATE_PRESSED];        PRESSED_ENABLED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_ENABLED                | VIEW_STATE_PRESSED];        PRESSED_ENABLED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_ENABLED                | VIEW_STATE_PRESSED];        PRESSED_ENABLED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_ENABLED | VIEW_STATE_PRESSED];        PRESSED_ENABLED_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_FOCUSED | VIEW_STATE_ENABLED                | VIEW_STATE_PRESSED];        PRESSED_ENABLED_FOCUSED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_FOCUSED                | VIEW_STATE_ENABLED | VIEW_STATE_PRESSED];        PRESSED_ENABLED_FOCUSED_SELECTED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_SELECTED | VIEW_STATE_FOCUSED                | VIEW_STATE_ENABLED | VIEW_STATE_PRESSED];        PRESSED_ENABLED_FOCUSED_SELECTED_WINDOW_FOCUSED_STATE_SET = VIEW_STATE_SETS[                VIEW_STATE_WINDOW_FOCUSED | VIEW_STATE_SELECTED                | VIEW_STATE_FOCUSED| VIEW_STATE_ENABLED                | VIEW_STATE_PRESSED];    }    /**     * Accessibility event types that are dispatched for text population.     */    private static final int POPULATING_ACCESSIBILITY_EVENT_TYPES =            AccessibilityEvent.TYPE_VIEW_CLICKED            | AccessibilityEvent.TYPE_VIEW_LONG_CLICKED            | AccessibilityEvent.TYPE_VIEW_SELECTED            | AccessibilityEvent.TYPE_VIEW_FOCUSED            | AccessibilityEvent.TYPE_WINDOW_STATE_CHANGED            | AccessibilityEvent.TYPE_VIEW_HOVER_ENTER            | AccessibilityEvent.TYPE_VIEW_HOVER_EXIT            | AccessibilityEvent.TYPE_VIEW_TEXT_CHANGED            | AccessibilityEvent.TYPE_VIEW_TEXT_SELECTION_CHANGED            | AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUSED            | AccessibilityEvent.TYPE_VIEW_TEXT_TRAVERSED_AT_MOVEMENT_GRANULARITY;    /**     * Temporary Rect currently for use in setBackground().  This will probably     * be extended in the future to hold our own class with more than just     * a Rect. :)     */    static final ThreadLocal<Rect> sThreadLocal = new ThreadLocal<Rect>();    /**     * Map used to store views' tags.     */    private SparseArray<Object> mKeyedTags;    /**     * The next available accessibility id.     */    private static int sNextAccessibilityViewId;    /**     * The animation currently associated with this view.     * @hide     */    protected Animation mCurrentAnimation = null;    /**     * Width as measured during measure pass.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "measurement")    int mMeasuredWidth;    /**     * Height as measured during measure pass.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "measurement")    int mMeasuredHeight;    /**     * Flag to indicate that this view was marked INVALIDATED, or had its display list     * invalidated, prior to the current drawing iteration. If true, the view must re-draw     * its display list. This flag, used only when hw accelerated, allows us to clear the     * flag while retaining this information until it's needed (at getDisplayList() time and     * in drawChild(), when we decide to draw a view's children's display lists into our own).     *     * {@hide}     */    boolean mRecreateDisplayList = false;    /**     * The view's identifier.     * {@hide}     *     * @see #setId(int)     * @see #getId()     */    @ViewDebug.ExportedProperty(resolveId = true)    int mID = NO_ID;    /**     * The stable ID of this view for accessibility purposes.     */    int mAccessibilityViewId = NO_ID;    private int mAccessibilityCursorPosition = ACCESSIBILITY_CURSOR_POSITION_UNDEFINED;    SendViewStateChangedAccessibilityEvent mSendViewStateChangedAccessibilityEvent;    /**     * The view's tag.     * {@hide}     *     * @see #setTag(Object)     * @see #getTag()     */    protected Object mTag;    // for mPrivateFlags:    /** {@hide} */    static final int PFLAG_WANTS_FOCUS                 = 0x00000001;    /** {@hide} */    static final int PFLAG_FOCUSED                     = 0x00000002;    /** {@hide} */    static final int PFLAG_SELECTED                    = 0x00000004;    /** {@hide} */    static final int PFLAG_IS_ROOT_NAMESPACE           = 0x00000008;    /** {@hide} */    static final int PFLAG_HAS_BOUNDS                  = 0x00000010;    /** {@hide} */    static final int PFLAG_DRAWN                       = 0x00000020;    /**     * When this flag is set, this view is running an animation on behalf of its     * children and should therefore not cancel invalidate requests, even if they     * lie outside of this view's bounds.     *     * {@hide}     */    static final int PFLAG_DRAW_ANIMATION              = 0x00000040;    /** {@hide} */    static final int PFLAG_SKIP_DRAW                   = 0x00000080;    /** {@hide} */    static final int PFLAG_ONLY_DRAWS_BACKGROUND       = 0x00000100;    /** {@hide} */    static final int PFLAG_REQUEST_TRANSPARENT_REGIONS = 0x00000200;    /** {@hide} */    static final int PFLAG_DRAWABLE_STATE_DIRTY        = 0x00000400;    /** {@hide} */    static final int PFLAG_MEASURED_DIMENSION_SET      = 0x00000800;    /** {@hide} */    static final int PFLAG_FORCE_LAYOUT                = 0x00001000;    /** {@hide} */    static final int PFLAG_LAYOUT_REQUIRED             = 0x00002000;    private static final int PFLAG_PRESSED             = 0x00004000;    /** {@hide} */    static final int PFLAG_DRAWING_CACHE_VALID         = 0x00008000;    /**     * Flag used to indicate that this view should be drawn once more (and only once     * more) after its animation has completed.     * {@hide}     */    static final int PFLAG_ANIMATION_STARTED           = 0x00010000;    private static final int PFLAG_SAVE_STATE_CALLED   = 0x00020000;    /**     * Indicates that the View returned true when onSetAlpha() was called and that     * the alpha must be restored.     * {@hide}     */    static final int PFLAG_ALPHA_SET                   = 0x00040000;    /**     * Set by {@link #setScrollContainer(boolean)}.     */    static final int PFLAG_SCROLL_CONTAINER            = 0x00080000;    /**     * Set by {@link #setScrollContainer(boolean)}.     */    static final int PFLAG_SCROLL_CONTAINER_ADDED      = 0x00100000;    /**     * View flag indicating whether this view was invalidated (fully or partially.)     *     * @hide     */    static final int PFLAG_DIRTY                       = 0x00200000;    /**     * View flag indicating whether this view was invalidated by an opaque     * invalidate request.     *     * @hide     */    static final int PFLAG_DIRTY_OPAQUE                = 0x00400000;    /**     * Mask for {@link #PFLAG_DIRTY} and {@link #PFLAG_DIRTY_OPAQUE}.     *     * @hide     */    static final int PFLAG_DIRTY_MASK                  = 0x00600000;    /**     * Indicates whether the background is opaque.     *     * @hide     */    static final int PFLAG_OPAQUE_BACKGROUND           = 0x00800000;    /**     * Indicates whether the scrollbars are opaque.     *     * @hide     */    static final int PFLAG_OPAQUE_SCROLLBARS           = 0x01000000;    /**     * Indicates whether the view is opaque.     *     * @hide     */    static final int PFLAG_OPAQUE_MASK                 = 0x01800000;    /**     * Indicates a prepressed state;     * the short time between ACTION_DOWN and recognizing     * a 'real' press. Prepressed is used to recognize quick taps     * even when they are shorter than ViewConfiguration.getTapTimeout().     *     * @hide     */    private static final int PFLAG_PREPRESSED          = 0x02000000;    /**     * Indicates whether the view is temporarily detached.     *     * @hide     */    static final int PFLAG_CANCEL_NEXT_UP_EVENT        = 0x04000000;    /**     * Indicates that we should awaken scroll bars once attached     *     * @hide     */    private static final int PFLAG_AWAKEN_SCROLL_BARS_ON_ATTACH = 0x08000000;    /**     * Indicates that the view has received HOVER_ENTER.  Cleared on HOVER_EXIT.     * @hide     */    private static final int PFLAG_HOVERED             = 0x10000000;    /**     * Indicates that pivotX or pivotY were explicitly set and we should not assume the center     * for transform operations     *     * @hide     */    private static final int PFLAG_PIVOT_EXPLICITLY_SET = 0x20000000;    /** {@hide} */    static final int PFLAG_ACTIVATED                   = 0x40000000;    /**     * Indicates that this view was specifically invalidated, not just dirtied because some     * child view was invalidated. The flag is used to determine when we need to recreate     * a view's display list (as opposed to just returning a reference to its existing     * display list).     *     * @hide     */    static final int PFLAG_INVALIDATED                 = 0x80000000;    /**     * Masks for mPrivateFlags2, as generated by dumpFlags():     *     * |-------|-------|-------|-------|     *                                 1 PFLAG2_DRAG_CAN_ACCEPT     *                                1  PFLAG2_DRAG_HOVERED     *                              11   PFLAG2_LAYOUT_DIRECTION_MASK     *                             1     PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL     *                            1      PFLAG2_LAYOUT_DIRECTION_RESOLVED     *                            11     PFLAG2_LAYOUT_DIRECTION_RESOLVED_MASK     *                           1       PFLAG2_TEXT_DIRECTION_FLAGS[1]     *                          1        PFLAG2_TEXT_DIRECTION_FLAGS[2]     *                          11       PFLAG2_TEXT_DIRECTION_FLAGS[3]     *                         1         PFLAG2_TEXT_DIRECTION_FLAGS[4]     *                         1 1       PFLAG2_TEXT_DIRECTION_FLAGS[5]     *                         111       PFLAG2_TEXT_DIRECTION_MASK     *                        1          PFLAG2_TEXT_DIRECTION_RESOLVED     *                       1           PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT     *                     111           PFLAG2_TEXT_DIRECTION_RESOLVED_MASK     *                    1              PFLAG2_TEXT_ALIGNMENT_FLAGS[1]     *                   1               PFLAG2_TEXT_ALIGNMENT_FLAGS[2]     *                   11              PFLAG2_TEXT_ALIGNMENT_FLAGS[3]     *                  1                PFLAG2_TEXT_ALIGNMENT_FLAGS[4]     *                  1 1              PFLAG2_TEXT_ALIGNMENT_FLAGS[5]     *                  11               PFLAG2_TEXT_ALIGNMENT_FLAGS[6]     *                  111              PFLAG2_TEXT_ALIGNMENT_MASK     *                 1                 PFLAG2_TEXT_ALIGNMENT_RESOLVED     *                1                  PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT     *              111                  PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK     *           111                     PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK     *         11                        PFLAG2_ACCESSIBILITY_LIVE_REGION_MASK     *       1                           PFLAG2_ACCESSIBILITY_FOCUSED     *      1                            PFLAG2_SUBTREE_ACCESSIBILITY_STATE_CHANGED     *     1                             PFLAG2_VIEW_QUICK_REJECTED     *    1                              PFLAG2_PADDING_RESOLVED     *   1                               PFLAG2_DRAWABLE_RESOLVED     *  1                                PFLAG2_HAS_TRANSIENT_STATE     * |-------|-------|-------|-------|     */    /**     * Indicates that this view has reported that it can accept the current drag's content.     * Cleared when the drag operation concludes.     * @hide     */    static final int PFLAG2_DRAG_CAN_ACCEPT            = 0x00000001;    /**     * Indicates that this view is currently directly under the drag location in a     * drag-and-drop operation involving content that it can accept.  Cleared when     * the drag exits the view, or when the drag operation concludes.     * @hide     */    static final int PFLAG2_DRAG_HOVERED               = 0x00000002;    /**     * Horizontal layout direction of this view is from Left to Right.     * Use with {@link #setLayoutDirection}.     */    public static final int LAYOUT_DIRECTION_LTR = LayoutDirection.LTR;    /**     * Horizontal layout direction of this view is from Right to Left.     * Use with {@link #setLayoutDirection}.     */    public static final int LAYOUT_DIRECTION_RTL = LayoutDirection.RTL;    /**     * Horizontal layout direction of this view is inherited from its parent.     * Use with {@link #setLayoutDirection}.     */    public static final int LAYOUT_DIRECTION_INHERIT = LayoutDirection.INHERIT;    /**     * Horizontal layout direction of this view is from deduced from the default language     * script for the locale. Use with {@link #setLayoutDirection}.     */    public static final int LAYOUT_DIRECTION_LOCALE = LayoutDirection.LOCALE;    /**     * Bit shift to get the horizontal layout direction. (bits after DRAG_HOVERED)     * @hide     */    static final int PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT = 2;    /**     * Mask for use with private flags indicating bits used for horizontal layout direction.     * @hide     */    static final int PFLAG2_LAYOUT_DIRECTION_MASK = 0x00000003 << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT;    /**     * Indicates whether the view horizontal layout direction has been resolved and drawn to the     * right-to-left direction.     * @hide     */    static final int PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL = 4 << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT;    /**     * Indicates whether the view horizontal layout direction has been resolved.     * @hide     */    static final int PFLAG2_LAYOUT_DIRECTION_RESOLVED = 8 << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT;    /**     * Mask for use with private flags indicating bits used for resolved horizontal layout direction.     * @hide     */    static final int PFLAG2_LAYOUT_DIRECTION_RESOLVED_MASK = 0x0000000C            << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT;    /*     * Array of horizontal layout direction flags for mapping attribute "layoutDirection" to correct     * flag value.     * @hide     */    private static final int[] LAYOUT_DIRECTION_FLAGS = {            LAYOUT_DIRECTION_LTR,            LAYOUT_DIRECTION_RTL,            LAYOUT_DIRECTION_INHERIT,            LAYOUT_DIRECTION_LOCALE    };    /**     * Default horizontal layout direction.     */    private static final int LAYOUT_DIRECTION_DEFAULT = LAYOUT_DIRECTION_INHERIT;    /**     * Default horizontal layout direction.     * @hide     */    static final int LAYOUT_DIRECTION_RESOLVED_DEFAULT = LAYOUT_DIRECTION_LTR;    /**     * Text direction is inherited thru {@link ViewGroup}     */    public static final int TEXT_DIRECTION_INHERIT = 0;    /**     * Text direction is using "first strong algorithm". The first strong directional character     * determines the paragraph direction. If there is no strong directional character, the     * paragraph direction is the view's resolved layout direction.     */    public static final int TEXT_DIRECTION_FIRST_STRONG = 1;    /**     * Text direction is using "any-RTL" algorithm. The paragraph direction is RTL if it contains     * any strong RTL character, otherwise it is LTR if it contains any strong LTR characters.     * If there are neither, the paragraph direction is the view's resolved layout direction.     */    public static final int TEXT_DIRECTION_ANY_RTL = 2;    /**     * Text direction is forced to LTR.     */    public static final int TEXT_DIRECTION_LTR = 3;    /**     * Text direction is forced to RTL.     */    public static final int TEXT_DIRECTION_RTL = 4;    /**     * Text direction is coming from the system Locale.     */    public static final int TEXT_DIRECTION_LOCALE = 5;    /**     * Default text direction is inherited     */    private static final int TEXT_DIRECTION_DEFAULT = TEXT_DIRECTION_INHERIT;    /**     * Default resolved text direction     * @hide     */    static final int TEXT_DIRECTION_RESOLVED_DEFAULT = TEXT_DIRECTION_FIRST_STRONG;    /**     * Bit shift to get the horizontal layout direction. (bits after LAYOUT_DIRECTION_RESOLVED)     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_MASK_SHIFT = 6;    /**     * Mask for use with private flags indicating bits used for text direction.     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_MASK = 0x00000007            << PFLAG2_TEXT_DIRECTION_MASK_SHIFT;    /**     * Array of text direction flags for mapping attribute "textDirection" to correct     * flag value.     * @hide     */    private static final int[] PFLAG2_TEXT_DIRECTION_FLAGS = {            TEXT_DIRECTION_INHERIT << PFLAG2_TEXT_DIRECTION_MASK_SHIFT,            TEXT_DIRECTION_FIRST_STRONG << PFLAG2_TEXT_DIRECTION_MASK_SHIFT,            TEXT_DIRECTION_ANY_RTL << PFLAG2_TEXT_DIRECTION_MASK_SHIFT,            TEXT_DIRECTION_LTR << PFLAG2_TEXT_DIRECTION_MASK_SHIFT,            TEXT_DIRECTION_RTL << PFLAG2_TEXT_DIRECTION_MASK_SHIFT,            TEXT_DIRECTION_LOCALE << PFLAG2_TEXT_DIRECTION_MASK_SHIFT    };    /**     * Indicates whether the view text direction has been resolved.     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_RESOLVED = 0x00000008            << PFLAG2_TEXT_DIRECTION_MASK_SHIFT;    /**     * Bit shift to get the horizontal layout direction. (bits after DRAG_HOVERED)     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT = 10;    /**     * Mask for use with private flags indicating bits used for resolved text direction.     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_RESOLVED_MASK = 0x00000007            << PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT;    /**     * Indicates whether the view text direction has been resolved to the "first strong" heuristic.     * @hide     */    static final int PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT =            TEXT_DIRECTION_RESOLVED_DEFAULT << PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT;    /*     * Default text alignment. The text alignment of this View is inherited from its parent.     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_INHERIT = 0;    /**     * Default for the root view. The gravity determines the text alignment, ALIGN_NORMAL,     * ALIGN_CENTER, or ALIGN_OPPOSITE, which are relative to each paragraph’s text direction.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_GRAVITY = 1;    /**     * Align to the start of the paragraph, e.g. ALIGN_NORMAL.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_TEXT_START = 2;    /**     * Align to the end of the paragraph, e.g. ALIGN_OPPOSITE.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_TEXT_END = 3;    /**     * Center the paragraph, e.g. ALIGN_CENTER.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_CENTER = 4;    /**     * Align to the start of the view, which is ALIGN_LEFT if the view’s resolved     * layoutDirection is LTR, and ALIGN_RIGHT otherwise.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_VIEW_START = 5;    /**     * Align to the end of the view, which is ALIGN_RIGHT if the view’s resolved     * layoutDirection is LTR, and ALIGN_LEFT otherwise.     *     * Use with {@link #setTextAlignment(int)}     */    public static final int TEXT_ALIGNMENT_VIEW_END = 6;    /**     * Default text alignment is inherited     */    private static final int TEXT_ALIGNMENT_DEFAULT = TEXT_ALIGNMENT_GRAVITY;    /**     * Default resolved text alignment     * @hide     */    static final int TEXT_ALIGNMENT_RESOLVED_DEFAULT = TEXT_ALIGNMENT_GRAVITY;    /**      * Bit shift to get the horizontal layout direction. (bits after DRAG_HOVERED)      * @hide      */    static final int PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT = 13;    /**      * Mask for use with private flags indicating bits used for text alignment.      * @hide      */    static final int PFLAG2_TEXT_ALIGNMENT_MASK = 0x00000007 << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT;    /**     * Array of text direction flags for mapping attribute "textAlignment" to correct     * flag value.     * @hide     */    private static final int[] PFLAG2_TEXT_ALIGNMENT_FLAGS = {            TEXT_ALIGNMENT_INHERIT << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_GRAVITY << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_TEXT_START << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_TEXT_END << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_CENTER << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_VIEW_START << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT,            TEXT_ALIGNMENT_VIEW_END << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT    };    /**     * Indicates whether the view text alignment has been resolved.     * @hide     */    static final int PFLAG2_TEXT_ALIGNMENT_RESOLVED = 0x00000008 << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT;    /**     * Bit shift to get the resolved text alignment.     * @hide     */    static final int PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT = 17;    /**     * Mask for use with private flags indicating bits used for text alignment.     * @hide     */    static final int PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK = 0x00000007            << PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT;    /**     * Indicates whether if the view text alignment has been resolved to gravity     */    private static final int PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT =            TEXT_ALIGNMENT_RESOLVED_DEFAULT << PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT;    // Accessiblity constants for mPrivateFlags2    /**     * Shift for the bits in {@link #mPrivateFlags2} related to the     * "importantForAccessibility" attribute.     */    static final int PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT = 20;    /**     * Automatically determine whether a view is important for accessibility.     */    public static final int IMPORTANT_FOR_ACCESSIBILITY_AUTO = 0x00000000;    /**     * The view is important for accessibility.     */    public static final int IMPORTANT_FOR_ACCESSIBILITY_YES = 0x00000001;    /**     * The view is not important for accessibility.     */    public static final int IMPORTANT_FOR_ACCESSIBILITY_NO = 0x00000002;    /**     * The view is not important for accessibility, nor are any of its     * descendant views.     */    public static final int IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS = 0x00000004;    /**     * The default whether the view is important for accessibility.     */    static final int IMPORTANT_FOR_ACCESSIBILITY_DEFAULT = IMPORTANT_FOR_ACCESSIBILITY_AUTO;    /**     * Mask for obtainig the bits which specify how to determine     * whether a view is important for accessibility.     */    static final int PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK = (IMPORTANT_FOR_ACCESSIBILITY_AUTO        | IMPORTANT_FOR_ACCESSIBILITY_YES | IMPORTANT_FOR_ACCESSIBILITY_NO        | IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS)        << PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT;    /**     * Shift for the bits in {@link #mPrivateFlags2} related to the     * "accessibilityLiveRegion" attribute.     */    static final int PFLAG2_ACCESSIBILITY_LIVE_REGION_SHIFT = 23;    /**     * Live region mode specifying that accessibility services should not     * automatically announce changes to this view. This is the default live     * region mode for most views.     * <p>     * Use with {@link #setAccessibilityLiveRegion(int)}.     */    public static final int ACCESSIBILITY_LIVE_REGION_NONE = 0x00000000;    /**     * Live region mode specifying that accessibility services should announce     * changes to this view.     * <p>     * Use with {@link #setAccessibilityLiveRegion(int)}.     */    public static final int ACCESSIBILITY_LIVE_REGION_POLITE = 0x00000001;    /**     * Live region mode specifying that accessibility services should interrupt     * ongoing speech to immediately announce changes to this view.     * <p>     * Use with {@link #setAccessibilityLiveRegion(int)}.     */    public static final int ACCESSIBILITY_LIVE_REGION_ASSERTIVE = 0x00000002;    /**     * The default whether the view is important for accessibility.     */    static final int ACCESSIBILITY_LIVE_REGION_DEFAULT = ACCESSIBILITY_LIVE_REGION_NONE;    /**     * Mask for obtaining the bits which specify a view's accessibility live     * region mode.     */    static final int PFLAG2_ACCESSIBILITY_LIVE_REGION_MASK = (ACCESSIBILITY_LIVE_REGION_NONE            | ACCESSIBILITY_LIVE_REGION_POLITE | ACCESSIBILITY_LIVE_REGION_ASSERTIVE)            << PFLAG2_ACCESSIBILITY_LIVE_REGION_SHIFT;    /**     * Flag indicating whether a view has accessibility focus.     */    static final int PFLAG2_ACCESSIBILITY_FOCUSED = 0x04000000;    /**     * Flag whether the accessibility state of the subtree rooted at this view changed.     */    static final int PFLAG2_SUBTREE_ACCESSIBILITY_STATE_CHANGED = 0x08000000;    /**     * Flag indicating whether a view failed the quickReject() check in draw(). This condition     * is used to check whether later changes to the view's transform should invalidate the     * view to force the quickReject test to run again.     */    static final int PFLAG2_VIEW_QUICK_REJECTED = 0x10000000;    /**     * Flag indicating that start/end padding has been resolved into left/right padding     * for use in measurement, layout, drawing, etc. This is set by {@link #resolvePadding()}     * and checked by {@link #measure(int, int)} to determine if padding needs to be resolved     * during measurement. In some special cases this is required such as when an adapter-based     * view measures prospective children without attaching them to a window.     */    static final int PFLAG2_PADDING_RESOLVED = 0x20000000;    /**     * Flag indicating that the start/end drawables has been resolved into left/right ones.     */    static final int PFLAG2_DRAWABLE_RESOLVED = 0x40000000;    /**     * Indicates that the view is tracking some sort of transient state     * that the app should not need to be aware of, but that the framework     * should take special care to preserve.     */    static final int PFLAG2_HAS_TRANSIENT_STATE = 0x80000000;    /**     * Group of bits indicating that RTL properties resolution is done.     */    static final int ALL_RTL_PROPERTIES_RESOLVED = PFLAG2_LAYOUT_DIRECTION_RESOLVED |            PFLAG2_TEXT_DIRECTION_RESOLVED |            PFLAG2_TEXT_ALIGNMENT_RESOLVED |            PFLAG2_PADDING_RESOLVED |            PFLAG2_DRAWABLE_RESOLVED;    // There are a couple of flags left in mPrivateFlags2    /* End of masks for mPrivateFlags2 */    /* Masks for mPrivateFlags3 */    /**     * Flag indicating that view has a transform animation set on it. This is used to track whether     * an animation is cleared between successive frames, in order to tell the associated     * DisplayList to clear its animation matrix.     */    static final int PFLAG3_VIEW_IS_ANIMATING_TRANSFORM = 0x1;    /**     * Flag indicating that view has an alpha animation set on it. This is used to track whether an     * animation is cleared between successive frames, in order to tell the associated     * DisplayList to restore its alpha value.     */    static final int PFLAG3_VIEW_IS_ANIMATING_ALPHA = 0x2;    /**     * Flag indicating that the view has been through at least one layout since it     * was last attached to a window.     */    static final int PFLAG3_IS_LAID_OUT = 0x4;    /**     * Flag indicating that a call to measure() was skipped and should be done     * instead when layout() is invoked.     */    static final int PFLAG3_MEASURE_NEEDED_BEFORE_LAYOUT = 0x8;    /**     * Flag indicating that an overridden method correctly  called down to     * the superclass implementation as required by the API spec.     */    static final int PFLAG3_CALLED_SUPER = 0x10;    /* End of masks for mPrivateFlags3 */    static final int DRAG_MASK = PFLAG2_DRAG_CAN_ACCEPT | PFLAG2_DRAG_HOVERED;    /**     * Always allow a user to over-scroll this view, provided it is a     * view that can scroll.     *     * @see #getOverScrollMode()     * @see #setOverScrollMode(int)     */    public static final int OVER_SCROLL_ALWAYS = 0;    /**     * Allow a user to over-scroll this view only if the content is large     * enough to meaningfully scroll, provided it is a view that can scroll.     *     * @see #getOverScrollMode()     * @see #setOverScrollMode(int)     */    public static final int OVER_SCROLL_IF_CONTENT_SCROLLS = 1;    /**     * Never allow a user to over-scroll this view.     *     * @see #getOverScrollMode()     * @see #setOverScrollMode(int)     */    public static final int OVER_SCROLL_NEVER = 2;    /**     * Special constant for {@link #setSystemUiVisibility(int)}: View has     * requested the system UI (status bar) to be visible (the default).     *     * @see #setSystemUiVisibility(int)     */    public static final int SYSTEM_UI_FLAG_VISIBLE = 0;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View has requested the     * system UI to enter an unobtrusive "low profile" mode.     *     * <p>This is for use in games, book readers, video players, or any other     * "immersive" application where the usual system chrome is deemed too distracting.     *     * <p>In low profile mode, the status bar and/or navigation icons may dim.     *     * @see #setSystemUiVisibility(int)     */    public static final int SYSTEM_UI_FLAG_LOW_PROFILE = 0x00000001;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View has requested that the     * system navigation be temporarily hidden.     *     * <p>This is an even less obtrusive state than that called for by     * {@link #SYSTEM_UI_FLAG_LOW_PROFILE}; on devices that draw essential navigation controls     * (Home, Back, and the like) on screen, <code>SYSTEM_UI_FLAG_HIDE_NAVIGATION</code> will cause     * those to disappear. This is useful (in conjunction with the     * {@link android.view.WindowManager.LayoutParams#FLAG_FULLSCREEN FLAG_FULLSCREEN} and     * {@link android.view.WindowManager.LayoutParams#FLAG_LAYOUT_IN_SCREEN FLAG_LAYOUT_IN_SCREEN}     * window flags) for displaying content using every last pixel on the display.     *     * <p>There is a limitation: because navigation controls are so important, the least user     * interaction will cause them to reappear immediately.  When this happens, both     * this flag and {@link #SYSTEM_UI_FLAG_FULLSCREEN} will be cleared automatically,     * so that both elements reappear at the same time.     *     * @see #setSystemUiVisibility(int)     */    public static final int SYSTEM_UI_FLAG_HIDE_NAVIGATION = 0x00000002;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View has requested to go     * into the normal fullscreen mode so that its content can take over the screen     * while still allowing the user to interact with the application.     *     * <p>This has the same visual effect as     * {@link android.view.WindowManager.LayoutParams#FLAG_FULLSCREEN     * WindowManager.LayoutParams.FLAG_FULLSCREEN},     * meaning that non-critical screen decorations (such as the status bar) will be     * hidden while the user is in the View's window, focusing the experience on     * that content.  Unlike the window flag, if you are using ActionBar in     * overlay mode with {@link Window#FEATURE_ACTION_BAR_OVERLAY     * Window.FEATURE_ACTION_BAR_OVERLAY}, then enabling this flag will also     * hide the action bar.     *     * <p>This approach to going fullscreen is best used over the window flag when     * it is a transient state -- that is, the application does this at certain     * points in its user interaction where it wants to allow the user to focus     * on content, but not as a continuous state.  For situations where the application     * would like to simply stay full screen the entire time (such as a game that     * wants to take over the screen), the     * {@link android.view.WindowManager.LayoutParams#FLAG_FULLSCREEN window flag}     * is usually a better approach.  The state set here will be removed by the system     * in various situations (such as the user moving to another application) like     * the other system UI states.     *     * <p>When using this flag, the application should provide some easy facility     * for the user to go out of it.  A common example would be in an e-book     * reader, where tapping on the screen brings back whatever screen and UI     * decorations that had been hidden while the user was immersed in reading     * the book.     *     * @see #setSystemUiVisibility(int)     */    public static final int SYSTEM_UI_FLAG_FULLSCREEN = 0x00000004;    /**     * Flag for {@link #setSystemUiVisibility(int)}: When using other layout     * flags, we would like a stable view of the content insets given to     * {@link #fitSystemWindows(Rect)}.  This means that the insets seen there     * will always represent the worst case that the application can expect     * as a continuous state.  In the stock Android UI this is the space for     * the system bar, nav bar, and status bar, but not more transient elements     * such as an input method.     *     * The stable layout your UI sees is based on the system UI modes you can     * switch to.  That is, if you specify {@link #SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN}     * then you will get a stable layout for changes of the     * {@link #SYSTEM_UI_FLAG_FULLSCREEN} mode; if you specify     * {@link #SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN} and     * {@link #SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION}, then you can transition     * to {@link #SYSTEM_UI_FLAG_FULLSCREEN} and {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}     * with a stable layout.  (Note that you should avoid using     * {@link #SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION} by itself.)     *     * If you have set the window flag {@link WindowManager.LayoutParams#FLAG_FULLSCREEN}     * to hide the status bar (instead of using {@link #SYSTEM_UI_FLAG_FULLSCREEN}),     * then a hidden status bar will be considered a "stable" state for purposes     * here.  This allows your UI to continually hide the status bar, while still     * using the system UI flags to hide the action bar while still retaining     * a stable layout.  Note that changing the window fullscreen flag will never     * provide a stable layout for a clean transition.     *     * <p>If you are using ActionBar in     * overlay mode with {@link Window#FEATURE_ACTION_BAR_OVERLAY     * Window.FEATURE_ACTION_BAR_OVERLAY}, this flag will also impact the     * insets it adds to those given to the application.     */    public static final int SYSTEM_UI_FLAG_LAYOUT_STABLE = 0x00000100;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View would like its window     * to be layed out as if it has requested     * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, even if it currently hasn't.  This     * allows it to avoid artifacts when switching in and out of that mode, at     * the expense that some of its user interface may be covered by screen     * decorations when they are shown.  You can perform layout of your inner     * UI elements to account for the navigation system UI through the     * {@link #fitSystemWindows(Rect)} method.     */    public static final int SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION = 0x00000200;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View would like its window     * to be layed out as if it has requested     * {@link #SYSTEM_UI_FLAG_FULLSCREEN}, even if it currently hasn't.  This     * allows it to avoid artifacts when switching in and out of that mode, at     * the expense that some of its user interface may be covered by screen     * decorations when they are shown.  You can perform layout of your inner     * UI elements to account for non-fullscreen system UI through the     * {@link #fitSystemWindows(Rect)} method.     */    public static final int SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN = 0x00000400;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View would like to remain interactive when     * hiding the navigation bar with {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}.  If this flag is     * not set, {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION} will be force cleared by the system on any     * user interaction.     * <p>Since this flag is a modifier for {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, it only     * has an effect when used in combination with that flag.</p>     */    public static final int SYSTEM_UI_FLAG_IMMERSIVE = 0x00000800;    /**     * Flag for {@link #setSystemUiVisibility(int)}: View would like to remain interactive when     * hiding the status bar with {@link #SYSTEM_UI_FLAG_FULLSCREEN} and/or hiding the navigation     * bar with {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}.  Use this flag to create an immersive     * experience while also hiding the system bars.  If this flag is not set,     * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION} will be force cleared by the system on any user     * interaction, and {@link #SYSTEM_UI_FLAG_FULLSCREEN} will be force-cleared by the system     * if the user swipes from the top of the screen.     * <p>When system bars are hidden in immersive mode, they can be revealed temporarily with     * system gestures, such as swiping from the top of the screen.  These transient system bars     * will overlay app’s content, may have some degree of transparency, and will automatically     * hide after a short timeout.     * </p><p>Since this flag is a modifier for {@link #SYSTEM_UI_FLAG_FULLSCREEN} and     * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, it only has an effect when used in combination     * with one or both of those flags.</p>     */    public static final int SYSTEM_UI_FLAG_IMMERSIVE_STICKY = 0x00001000;    /**     * SPRD: Flag for {@link #setSystemUiVisibility(int)}: View can use this     * flag to hide the Surface of the window it attached to. This is usally     * used when a VideoPlayer is playing and want to hide its main window's     * Surface for performance.     */    public static final int SYSTEM_UI_FLAG_HIDE_SURFACE = 0x00002000;    /**     * @deprecated Use {@link #SYSTEM_UI_FLAG_LOW_PROFILE} instead.     */    public static final int STATUS_BAR_HIDDEN = SYSTEM_UI_FLAG_LOW_PROFILE;    /**     * @deprecated Use {@link #SYSTEM_UI_FLAG_VISIBLE} instead.     */    public static final int STATUS_BAR_VISIBLE = SYSTEM_UI_FLAG_VISIBLE;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to make the status bar not expandable.  Unless you also     * set {@link #STATUS_BAR_DISABLE_NOTIFICATION_ICONS}, new notifications will continue to show.     */    public static final int STATUS_BAR_DISABLE_EXPAND = 0x00010000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide notification icons and scrolling ticker text.     */    public static final int STATUS_BAR_DISABLE_NOTIFICATION_ICONS = 0x00020000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to disable incoming notification alerts.  This will not block     * icons, but it will block sound, vibrating and other visual or aural notifications.     */    public static final int STATUS_BAR_DISABLE_NOTIFICATION_ALERTS = 0x00040000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide only the scrolling ticker.  Note that     * {@link #STATUS_BAR_DISABLE_NOTIFICATION_ICONS} implies     * {@link #STATUS_BAR_DISABLE_NOTIFICATION_TICKER}.     */    public static final int STATUS_BAR_DISABLE_NOTIFICATION_TICKER = 0x00080000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide the center system info area.     */    public static final int STATUS_BAR_DISABLE_SYSTEM_INFO = 0x00100000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide only the home button.  Don't use this     * unless you're a special part of the system UI (i.e., setup wizard, keyguard).     */    public static final int STATUS_BAR_DISABLE_HOME = 0x00200000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide only the back button. Don't use this     * unless you're a special part of the system UI (i.e., setup wizard, keyguard).     */    public static final int STATUS_BAR_DISABLE_BACK = 0x00400000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide only the clock.  You might use this if your activity has     * its own clock making the status bar's clock redundant.     */    public static final int STATUS_BAR_DISABLE_CLOCK = 0x00800000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to hide only the recent apps button. Don't use this     * unless you're a special part of the system UI (i.e., setup wizard, keyguard).     */    public static final int STATUS_BAR_DISABLE_RECENT = 0x01000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to disable the global search gesture. Don't use this     * unless you're a special part of the system UI (i.e., setup wizard, keyguard).     */    public static final int STATUS_BAR_DISABLE_SEARCH = 0x02000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the status bar is displayed in transient mode.     */    public static final int STATUS_BAR_TRANSIENT = 0x04000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the navigation bar is displayed in transient mode.     */    public static final int NAVIGATION_BAR_TRANSIENT = 0x08000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the hidden status bar would like to be shown.     */    public static final int STATUS_BAR_UNHIDE = 0x10000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the hidden navigation bar would like to be shown.     */    public static final int NAVIGATION_BAR_UNHIDE = 0x20000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the status bar is displayed in translucent mode.     */    public static final int STATUS_BAR_TRANSLUCENT = 0x40000000;    /**     * @hide     *     * NOTE: This flag may only be used in subtreeSystemUiVisibility. It is masked     * out of the public fields to keep the undefined bits out of the developer's way.     *     * Flag to specify that the navigation bar is displayed in translucent mode.     */    public static final int NAVIGATION_BAR_TRANSLUCENT = 0x80000000;    /**     * @hide     */    public static final int PUBLIC_STATUS_BAR_VISIBILITY_MASK = 0x0000FFFF;    /**     * These are the system UI flags that can be cleared by events outside     * of an application.  Currently this is just the ability to tap on the     * screen while hiding the navigation bar to have it return.     * @hide     */    public static final int SYSTEM_UI_CLEARABLE_FLAGS =            SYSTEM_UI_FLAG_LOW_PROFILE | SYSTEM_UI_FLAG_HIDE_NAVIGATION            | SYSTEM_UI_FLAG_FULLSCREEN;    /**     * Flags that can impact the layout in relation to system UI.     */    public static final int SYSTEM_UI_LAYOUT_FLAGS =            SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION            | SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN;    /**     * Find views that render the specified text.     *     * @see #findViewsWithText(ArrayList, CharSequence, int)     */    public static final int FIND_VIEWS_WITH_TEXT = 0x00000001;    /**     * Find find views that contain the specified content description.     *     * @see #findViewsWithText(ArrayList, CharSequence, int)     */    public static final int FIND_VIEWS_WITH_CONTENT_DESCRIPTION = 0x00000002;    /**     * Find views that contain {@link AccessibilityNodeProvider}. Such     * a View is a root of virtual view hierarchy and may contain the searched     * text. If this flag is set Views with providers are automatically     * added and it is a responsibility of the client to call the APIs of     * the provider to determine whether the virtual tree rooted at this View     * contains the text, i.e. getting the list of {@link AccessibilityNodeInfo}s     * represeting the virtual views with this text.     *     * @see #findViewsWithText(ArrayList, CharSequence, int)     *     * @hide     */    public static final int FIND_VIEWS_WITH_ACCESSIBILITY_NODE_PROVIDERS = 0x00000004;    /**     * The undefined cursor position.     *     * @hide     */    public static final int ACCESSIBILITY_CURSOR_POSITION_UNDEFINED = -1;    /**     * Indicates that the screen has changed state and is now off.     *     * @see #onScreenStateChanged(int)     */    public static final int SCREEN_STATE_OFF = 0x0;    /**     * Indicates that the screen has changed state and is now on.     *     * @see #onScreenStateChanged(int)     */    public static final int SCREEN_STATE_ON = 0x1;    /**     * Controls the over-scroll mode for this view.     * See {@link #overScrollBy(int, int, int, int, int, int, int, int, boolean)},     * {@link #OVER_SCROLL_ALWAYS}, {@link #OVER_SCROLL_IF_CONTENT_SCROLLS},     * and {@link #OVER_SCROLL_NEVER}.     */    private int mOverScrollMode;    /**     * The parent this view is attached to.     * {@hide}     *     * @see #getParent()     */    protected ViewParent mParent;    /**     * {@hide}     */    AttachInfo mAttachInfo;    /**     * {@hide}     */    @ViewDebug.ExportedProperty(flagMapping = {        @ViewDebug.FlagToString(mask = PFLAG_FORCE_LAYOUT, equals = PFLAG_FORCE_LAYOUT,                name = "FORCE_LAYOUT"),        @ViewDebug.FlagToString(mask = PFLAG_LAYOUT_REQUIRED, equals = PFLAG_LAYOUT_REQUIRED,                name = "LAYOUT_REQUIRED"),        @ViewDebug.FlagToString(mask = PFLAG_DRAWING_CACHE_VALID, equals = PFLAG_DRAWING_CACHE_VALID,            name = "DRAWING_CACHE_INVALID", outputIf = false),        @ViewDebug.FlagToString(mask = PFLAG_DRAWN, equals = PFLAG_DRAWN, name = "DRAWN", outputIf = true),        @ViewDebug.FlagToString(mask = PFLAG_DRAWN, equals = PFLAG_DRAWN, name = "NOT_DRAWN", outputIf = false),        @ViewDebug.FlagToString(mask = PFLAG_DIRTY_MASK, equals = PFLAG_DIRTY_OPAQUE, name = "DIRTY_OPAQUE"),        @ViewDebug.FlagToString(mask = PFLAG_DIRTY_MASK, equals = PFLAG_DIRTY, name = "DIRTY")    })    int mPrivateFlags;    int mPrivateFlags2;    int mPrivateFlags3;    /**     * This view's request for the visibility of the status bar.     * @hide     */    @ViewDebug.ExportedProperty(flagMapping = {        @ViewDebug.FlagToString(mask = SYSTEM_UI_FLAG_LOW_PROFILE,                                equals = SYSTEM_UI_FLAG_LOW_PROFILE,                                name = "SYSTEM_UI_FLAG_LOW_PROFILE", outputIf = true),        @ViewDebug.FlagToString(mask = SYSTEM_UI_FLAG_HIDE_NAVIGATION,                                equals = SYSTEM_UI_FLAG_HIDE_NAVIGATION,                                name = "SYSTEM_UI_FLAG_HIDE_NAVIGATION", outputIf = true),        @ViewDebug.FlagToString(mask = PUBLIC_STATUS_BAR_VISIBILITY_MASK,                                equals = SYSTEM_UI_FLAG_VISIBLE,                                name = "SYSTEM_UI_FLAG_VISIBLE", outputIf = true)    })    int mSystemUiVisibility;    /**     * Reference count for transient state.     * @see #setHasTransientState(boolean)     */    int mTransientStateCount = 0;    /**     * Count of how many windows this view has been attached to.     */    int mWindowAttachCount;    /**     * The layout parameters associated with this view and used by the parent     * {@link android.view.ViewGroup} to determine how this view should be     * laid out.     * {@hide}     */    protected ViewGroup.LayoutParams mLayoutParams;    /**     * The view flags hold various views states.     * {@hide}     */    @ViewDebug.ExportedProperty    int mViewFlags;    static class TransformationInfo {        /**         * The transform matrix for the View. This transform is calculated internally         * based on the rotation, scaleX, and scaleY properties. The identity matrix         * is used by default. Do *not* use this variable directly; instead call         * getMatrix(), which will automatically recalculate the matrix if necessary         * to get the correct matrix based on the latest rotation and scale properties.         */        private final Matrix mMatrix = new Matrix();        /**         * The transform matrix for the View. This transform is calculated internally         * based on the rotation, scaleX, and scaleY properties. The identity matrix         * is used by default. Do *not* use this variable directly; instead call         * getInverseMatrix(), which will automatically recalculate the matrix if necessary         * to get the correct matrix based on the latest rotation and scale properties.         */        private Matrix mInverseMatrix;        /**         * An internal variable that tracks whether we need to recalculate the         * transform matrix, based on whether the rotation or scaleX/Y properties         * have changed since the matrix was last calculated.         */        boolean mMatrixDirty = false;        /**         * An internal variable that tracks whether we need to recalculate the         * transform matrix, based on whether the rotation or scaleX/Y properties         * have changed since the matrix was last calculated.         */        private boolean mInverseMatrixDirty = true;        /**         * A variable that tracks whether we need to recalculate the         * transform matrix, based on whether the rotation or scaleX/Y properties         * have changed since the matrix was last calculated. This variable         * is only valid after a call to updateMatrix() or to a function that         * calls it such as getMatrix(), hasIdentityMatrix() and getInverseMatrix().         */        private boolean mMatrixIsIdentity = true;        /**         * The Camera object is used to compute a 3D matrix when rotationX or rotationY are set.         */        private Camera mCamera = null;        /**         * This matrix is used when computing the matrix for 3D rotations.         */        private Matrix matrix3D = null;        /**         * These prev values are used to recalculate a centered pivot point when necessary. The         * pivot point is only used in matrix operations (when rotation, scale, or translation are         * set), so thes values are only used then as well.         */        private int mPrevWidth = -1;        private int mPrevHeight = -1;        /**         * The degrees rotation around the vertical axis through the pivot point.         */        @ViewDebug.ExportedProperty        float mRotationY = 0f;        /**         * The degrees rotation around the horizontal axis through the pivot point.         */        @ViewDebug.ExportedProperty        float mRotationX = 0f;        /**         * The degrees rotation around the pivot point.         */        @ViewDebug.ExportedProperty        float mRotation = 0f;        /**         * The amount of translation of the object away from its left property (post-layout).         */        @ViewDebug.ExportedProperty        float mTranslationX = 0f;        /**         * The amount of translation of the object away from its top property (post-layout).         */        @ViewDebug.ExportedProperty        float mTranslationY = 0f;        /**         * The amount of scale in the x direction around the pivot point. A         * value of 1 means no scaling is applied.         */        @ViewDebug.ExportedProperty        float mScaleX = 1f;        /**         * The amount of scale in the y direction around the pivot point. A         * value of 1 means no scaling is applied.         */        @ViewDebug.ExportedProperty        float mScaleY = 1f;        /**         * The x location of the point around which the view is rotated and scaled.         */        @ViewDebug.ExportedProperty        float mPivotX = 0f;        /**         * The y location of the point around which the view is rotated and scaled.         */        @ViewDebug.ExportedProperty        float mPivotY = 0f;        /**         * The opacity of the View. This is a value from 0 to 1, where 0 means         * completely transparent and 1 means completely opaque.         */        @ViewDebug.ExportedProperty        float mAlpha = 1f;        /**         * The opacity of the view as manipulated by the Fade transition. This is a hidden         * property only used by transitions, which is composited with the other alpha         * values to calculate the final visual alpha value.         */        float mTransitionAlpha = 1f;    }    TransformationInfo mTransformationInfo;    /**     * Current clip bounds. to which all drawing of this view are constrained.     */    private Rect mClipBounds = null;    private boolean mLastIsOpaque;    /**     * Convenience value to check for float values that are close enough to zero to be considered     * zero.     */    private static final float NONZERO_EPSILON = .001f;    /**     * The distance in pixels from the left edge of this view's parent     * to the left edge of this view.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "layout")    protected int mLeft;    /**     * The distance in pixels from the left edge of this view's parent     * to the right edge of this view.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "layout")    protected int mRight;    /**     * The distance in pixels from the top edge of this view's parent     * to the top edge of this view.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "layout")    protected int mTop;    /**     * The distance in pixels from the top edge of this view's parent     * to the bottom edge of this view.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "layout")    protected int mBottom;    /**     * The offset, in pixels, by which the content of this view is scrolled     * horizontally.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "scrolling")    protected int mScrollX;    /**     * The offset, in pixels, by which the content of this view is scrolled     * vertically.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "scrolling")    protected int mScrollY;    /**     * The left padding in pixels, that is the distance in pixels between the     * left edge of this view and the left edge of its content.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mPaddingLeft = 0;    /**     * The right padding in pixels, that is the distance in pixels between the     * right edge of this view and the right edge of its content.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mPaddingRight = 0;    /**     * The top padding in pixels, that is the distance in pixels between the     * top edge of this view and the top edge of its content.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mPaddingTop;    /**     * The bottom padding in pixels, that is the distance in pixels between the     * bottom edge of this view and the bottom edge of its content.     * {@hide}     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mPaddingBottom;    /**     * The layout insets in pixels, that is the distance in pixels between the     * visible edges of this view its bounds.     */    private Insets mLayoutInsets;    /**     * Briefly describes the view and is primarily used for accessibility support.     */    private CharSequence mContentDescription;    /**     * Specifies the id of a view for which this view serves as a label for     * accessibility purposes.     */    private int mLabelForId = View.NO_ID;    /**     * Predicate for matching labeled view id with its label for     * accessibility purposes.     */    private MatchLabelForPredicate mMatchLabelForPredicate;    /**     * Predicate for matching a view by its id.     */    private MatchIdPredicate mMatchIdPredicate;    /**     * Cache the paddingRight set by the user to append to the scrollbar's size.     *     * @hide     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mUserPaddingRight;    /**     * Cache the paddingBottom set by the user to append to the scrollbar's size.     *     * @hide     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mUserPaddingBottom;    /**     * Cache the paddingLeft set by the user to append to the scrollbar's size.     *     * @hide     */    @ViewDebug.ExportedProperty(category = "padding")    protected int mUserPaddingLeft;    /**     * Cache the paddingStart set by the user to append to the scrollbar's size.     *     */    @ViewDebug.ExportedProperty(category = "padding")    int mUserPaddingStart;    /**     * Cache the paddingEnd set by the user to append to the scrollbar's size.     *     */    @ViewDebug.ExportedProperty(category = "padding")    int mUserPaddingEnd;    /**     * Cache initial left padding.     *     * @hide     */    int mUserPaddingLeftInitial;    /**     * Cache initial right padding.     *     * @hide     */    int mUserPaddingRightInitial;    /**     * Default undefined padding     */    private static final int UNDEFINED_PADDING = Integer.MIN_VALUE;    /**     * Cache if a left padding has been defined     */    private boolean mLeftPaddingDefined = false;    /**     * Cache if a right padding has been defined     */    private boolean mRightPaddingDefined = false;    /**     * @hide     */    int mOldWidthMeasureSpec = Integer.MIN_VALUE;    /**     * @hide     */    int mOldHeightMeasureSpec = Integer.MIN_VALUE;    private LongSparseLongArray mMeasureCache;    @ViewDebug.ExportedProperty(deepExport = true, prefix = "bg_")    private Drawable mBackground;    private int mBackgroundResource;    private boolean mBackgroundSizeChanged;    static class ListenerInfo {        /**         * Listener used to dispatch focus change events.         * This field should be made private, so it is hidden from the SDK.         * {@hide}         */        protected OnFocusChangeListener mOnFocusChangeListener;        /**         * Listeners for layout change events.         */        private ArrayList<OnLayoutChangeListener> mOnLayoutChangeListeners;        /**         * Listeners for attach events.         */        private CopyOnWriteArrayList<OnAttachStateChangeListener> mOnAttachStateChangeListeners;        /**         * Listener used to dispatch click events.         * This field should be made private, so it is hidden from the SDK.         * {@hide}         */        public OnClickListener mOnClickListener;        /**         * Listener used to dispatch long click events.         * This field should be made private, so it is hidden from the SDK.         * {@hide}         */        protected OnLongClickListener mOnLongClickListener;        /**         * Listener used to build the context menu.         * This field should be made private, so it is hidden from the SDK.         * {@hide}         */        protected OnCreateContextMenuListener mOnCreateContextMenuListener;        private OnKeyListener mOnKeyListener;        private OnTouchListener mOnTouchListener;        private OnHoverListener mOnHoverListener;        private OnGenericMotionListener mOnGenericMotionListener;        private OnDragListener mOnDragListener;        private OnSystemUiVisibilityChangeListener mOnSystemUiVisibilityChangeListener;    }    ListenerInfo mListenerInfo;    /**     * The application environment this view lives in.     * This field should be made private, so it is hidden from the SDK.     * {@hide}     */    protected Context mContext;    private final Resources mResources;    private ScrollabilityCache mScrollCache;    private int[] mDrawableState = null;    /**     * When this view has focus and the next focus is {@link #FOCUS_LEFT},     * the user may specify which view to go to next.     */    private int mNextFocusLeftId = View.NO_ID;    /**     * When this view has focus and the next focus is {@link #FOCUS_RIGHT},     * the user may specify which view to go to next.     */    private int mNextFocusRightId = View.NO_ID;    /**     * When this view has focus and the next focus is {@link #FOCUS_UP},     * the user may specify which view to go to next.     */    private int mNextFocusUpId = View.NO_ID;    /**     * When this view has focus and the next focus is {@link #FOCUS_DOWN},     * the user may specify which view to go to next.     */    private int mNextFocusDownId = View.NO_ID;    /**     * When this view has focus and the next focus is {@link #FOCUS_FORWARD},     * the user may specify which view to go to next.     */    int mNextFocusForwardId = View.NO_ID;    private CheckForLongPress mPendingCheckForLongPress;    private CheckForTap mPendingCheckForTap = null;    private PerformClick mPerformClick;    private SendViewScrolledAccessibilityEvent mSendViewScrolledAccessibilityEvent;    private UnsetPressedState mUnsetPressedState;    /**     * Whether the long press's action has been invoked.  The tap's action is invoked on the     * up event while a long press is invoked as soon as the long press duration is reached, so     * a long press could be performed before the tap is checked, in which case the tap's action     * should not be invoked.     */    private boolean mHasPerformedLongPress;    /**     * The minimum height of the view. We'll try our best to have the height     * of this view to at least this amount.     */    @ViewDebug.ExportedProperty(category = "measurement")    private int mMinHeight;    /**     * The minimum width of the view. We'll try our best to have the width     * of this view to at least this amount.     */    @ViewDebug.ExportedProperty(category = "measurement")    private int mMinWidth;    /**     * The delegate to handle touch events that are physically in this view     * but should be handled by another view.     */    private TouchDelegate mTouchDelegate = null;    /**     * Solid color to use as a background when creating the drawing cache. Enables     * the cache to use 16 bit bitmaps instead of 32 bit.     */    private int mDrawingCacheBackgroundColor = 0;    /**     * Special tree observer used when mAttachInfo is null.     */    private ViewTreeObserver mFloatingTreeObserver;    /**     * Cache the touch slop from the context that created the view.     */    private int mTouchSlop;    /**     * Object that handles automatic animation of view properties.     */    private ViewPropertyAnimator mAnimator = null;    /**     * Flag indicating that a drag can cross window boundaries.  When     * {@link #startDrag(ClipData, DragShadowBuilder, Object, int)} is called     * with this flag set, all visible applications will be able to participate     * in the drag operation and receive the dragged content.     *     * @hide     */    public static final int DRAG_FLAG_GLOBAL = 1;    /**     * Vertical scroll factor cached by {@link #getVerticalScrollFactor}.     */    private float mVerticalScrollFactor;    /**     * Position of the vertical scroll bar.     */    private int mVerticalScrollbarPosition;    /**     * Position the scroll bar at the default position as determined by the system.     */    public static final int SCROLLBAR_POSITION_DEFAULT = 0;    /**     * Position the scroll bar along the left edge.     */    public static final int SCROLLBAR_POSITION_LEFT = 1;    /**     * Position the scroll bar along the right edge.     */    public static final int SCROLLBAR_POSITION_RIGHT = 2;    /**     * Indicates that the view does not have a layer.     *     * @see #getLayerType()     * @see #setLayerType(int, android.graphics.Paint)     * @see #LAYER_TYPE_SOFTWARE     * @see #LAYER_TYPE_HARDWARE     */    public static final int LAYER_TYPE_NONE = 0;    /**     * <p>Indicates that the view has a software layer. A software layer is backed     * by a bitmap and causes the view to be rendered using Android's software     * rendering pipeline, even if hardware acceleration is enabled.</p>     *     * <p>Software layers have various usages:</p>     * <p>When the application is not using hardware acceleration, a software layer     * is useful to apply a specific color filter and/or blending mode and/or     * translucency to a view and all its children.</p>     * <p>When the application is using hardware acceleration, a software layer     * is useful to render drawing primitives not supported by the hardware     * accelerated pipeline. It can also be used to cache a complex view tree     * into a texture and reduce the complexity of drawing operations. For instance,     * when animating a complex view tree with a translation, a software layer can     * be used to render the view tree only once.</p>     * <p>Software layers should be avoided when the affected view tree updates     * often. Every update will require to re-render the software layer, which can     * potentially be slow (particularly when hardware acceleration is turned on     * since the layer will have to be uploaded into a hardware texture after every     * update.)</p>     *     * @see #getLayerType()     * @see #setLayerType(int, android.graphics.Paint)     * @see #LAYER_TYPE_NONE     * @see #LAYER_TYPE_HARDWARE     */    public static final int LAYER_TYPE_SOFTWARE = 1;    /**     * <p>Indicates that the view has a hardware layer. A hardware layer is backed     * by a hardware specific texture (generally Frame Buffer Objects or FBO on     * OpenGL hardware) and causes the view to be rendered using Android's hardware     * rendering pipeline, but only if hardware acceleration is turned on for the     * view hierarchy. When hardware acceleration is turned off, hardware layers     * behave exactly as {@link #LAYER_TYPE_SOFTWARE software layers}.</p>     *     * <p>A hardware layer is useful to apply a specific color filter and/or     * blending mode and/or translucency to a view and all its children.</p>     * <p>A hardware layer can be used to cache a complex view tree into a     * texture and reduce the complexity of drawing operations. For instance,     * when animating a complex view tree with a translation, a hardware layer can     * be used to render the view tree only once.</p>     * <p>A hardware layer can also be used to increase the rendering quality when     * rotation transformations are applied on a view. It can also be used to     * prevent potential clipping issues when applying 3D transforms on a view.</p>     *     * @see #getLayerType()     * @see #setLayerType(int, android.graphics.Paint)     * @see #LAYER_TYPE_NONE     * @see #LAYER_TYPE_SOFTWARE     */    public static final int LAYER_TYPE_HARDWARE = 2;    @ViewDebug.ExportedProperty(category = "drawing", mapping = {            @ViewDebug.IntToString(from = LAYER_TYPE_NONE, to = "NONE"),            @ViewDebug.IntToString(from = LAYER_TYPE_SOFTWARE, to = "SOFTWARE"),            @ViewDebug.IntToString(from = LAYER_TYPE_HARDWARE, to = "HARDWARE")    })    int mLayerType = LAYER_TYPE_NONE;    Paint mLayerPaint;    Rect mLocalDirtyRect;    private HardwareLayer mHardwareLayer;    /**     * Set to true when drawing cache is enabled and cannot be created.     *     * @hide     */    public boolean mCachingFailed;    private Bitmap mDrawingCache;    private Bitmap mUnscaledDrawingCache;    DisplayList mDisplayList;    /**     * Set to true when the view is sending hover accessibility events because it     * is the innermost hovered view.     */    private boolean mSendingHoverAccessibilityEvents;    /**     * Delegate for injecting accessibility functionality.     */    AccessibilityDelegate mAccessibilityDelegate;    /**     * The view's overlay layer. Developers get a reference to the overlay via getOverlay()     * and add/remove objects to/from the overlay directly through the Overlay methods.     */    ViewOverlay mOverlay;    /**     * Consistency verifier for debugging purposes.     * @hide     */    protected final InputEventConsistencyVerifier mInputEventConsistencyVerifier =            InputEventConsistencyVerifier.isInstrumentationEnabled() ?                    new InputEventConsistencyVerifier(this, 0) : null;    private static final AtomicInteger sNextGeneratedId = new AtomicInteger(1);    /**     * Simple constructor to use when creating a view from code.     *     * @param context The Context the view is running in, through which it can     *        access the current theme, resources, etc.     */    public View(Context context) {        mContext = context;        mResources = context != null ? context.getResources() : null;        mViewFlags = SOUND_EFFECTS_ENABLED | HAPTIC_FEEDBACK_ENABLED;        // Set some flags defaults        mPrivateFlags2 =                (LAYOUT_DIRECTION_DEFAULT << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT) |                (TEXT_DIRECTION_DEFAULT << PFLAG2_TEXT_DIRECTION_MASK_SHIFT) |                (PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT) |                (TEXT_ALIGNMENT_DEFAULT << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT) |                (PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT) |                (IMPORTANT_FOR_ACCESSIBILITY_DEFAULT << PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT);        mTouchSlop = ViewConfiguration.get(context).getScaledTouchSlop();        setOverScrollMode(OVER_SCROLL_IF_CONTENT_SCROLLS);        mUserPaddingStart = UNDEFINED_PADDING;        mUserPaddingEnd = UNDEFINED_PADDING;        if (!sCompatibilityDone && context != null) {            final int targetSdkVersion = context.getApplicationInfo().targetSdkVersion;            // Older apps may need this compatibility hack for measurement.            sUseBrokenMakeMeasureSpec = targetSdkVersion <= JELLY_BEAN_MR1;            // Older apps expect onMeasure() to always be called on a layout pass, regardless            // of whether a layout was requested on that View.            sIgnoreMeasureCache = targetSdkVersion < KITKAT;            sCompatibilityDone = true;        }    }    /**     * Constructor that is called when inflating a view from XML. This is called     * when a view is being constructed from an XML file, supplying attributes     * that were specified in the XML file. This version uses a default style of     * 0, so the only attribute values applied are those in the Context's Theme     * and the given AttributeSet.     *     * <p>     * The method onFinishInflate() will be called after all children have been     * added.     *     * @param context The Context the view is running in, through which it can     *        access the current theme, resources, etc.     * @param attrs The attributes of the XML tag that is inflating the view.     * @see #View(Context, AttributeSet, int)     */    public View(Context context, AttributeSet attrs) {        this(context, attrs, 0);    }    /**     * Perform inflation from XML and apply a class-specific base style. This     * constructor of View allows subclasses to use their own base style when     * they are inflating. For example, a Button class's constructor would call     * this version of the super class constructor and supply     * <code>R.attr.buttonStyle</code> for <var>defStyle</var>; this allows     * the theme's button style to modify all of the base view attributes (in     * particular its background) as well as the Button class's attributes.     *     * @param context The Context the view is running in, through which it can     *        access the current theme, resources, etc.     * @param attrs The attributes of the XML tag that is inflating the view.     * @param defStyleAttr An attribute in the current theme that contains a     *        reference to a style resource to apply to this view. If 0, no     *        default style will be applied.     * @see #View(Context, AttributeSet)     */    public View(Context context, AttributeSet attrs, int defStyleAttr) {        this(context);        TypedArray a = context.obtainStyledAttributes(attrs, com.android.internal.R.styleable.View,                defStyleAttr, 0);        Drawable background = null;        int leftPadding = -1;        int topPadding = -1;        int rightPadding = -1;        int bottomPadding = -1;        int startPadding = UNDEFINED_PADDING;        int endPadding = UNDEFINED_PADDING;        int padding = -1;        int viewFlagValues = 0;        int viewFlagMasks = 0;        boolean setScrollContainer = false;        int x = 0;        int y = 0;        float tx = 0;        float ty = 0;        float rotation = 0;        float rotationX = 0;        float rotationY = 0;        float sx = 1f;        float sy = 1f;        boolean transformSet = false;        int scrollbarStyle = SCROLLBARS_INSIDE_OVERLAY;        int overScrollMode = mOverScrollMode;        boolean initializeScrollbars = false;        boolean startPaddingDefined = false;        boolean endPaddingDefined = false;        boolean leftPaddingDefined = false;        boolean rightPaddingDefined = false;        final int targetSdkVersion = context.getApplicationInfo().targetSdkVersion;        final int N = a.getIndexCount();        for (int i = 0; i < N; i++) {            int attr = a.getIndex(i);            switch (attr) {                case com.android.internal.R.styleable.View_background:                    background = a.getDrawable(attr);                    break;                case com.android.internal.R.styleable.View_padding:                    padding = a.getDimensionPixelSize(attr, -1);                    mUserPaddingLeftInitial = padding;                    mUserPaddingRightInitial = padding;                    leftPaddingDefined = true;                    rightPaddingDefined = true;                    break;                 case com.android.internal.R.styleable.View_paddingLeft:                    leftPadding = a.getDimensionPixelSize(attr, -1);                    mUserPaddingLeftInitial = leftPadding;                    leftPaddingDefined = true;                    break;                case com.android.internal.R.styleable.View_paddingTop:                    topPadding = a.getDimensionPixelSize(attr, -1);                    break;                case com.android.internal.R.styleable.View_paddingRight:                    rightPadding = a.getDimensionPixelSize(attr, -1);                    mUserPaddingRightInitial = rightPadding;                    rightPaddingDefined = true;                    break;                case com.android.internal.R.styleable.View_paddingBottom:                    bottomPadding = a.getDimensionPixelSize(attr, -1);                    break;                case com.android.internal.R.styleable.View_paddingStart:                    startPadding = a.getDimensionPixelSize(attr, UNDEFINED_PADDING);                    startPaddingDefined = (startPadding != UNDEFINED_PADDING);                    break;                case com.android.internal.R.styleable.View_paddingEnd:                    endPadding = a.getDimensionPixelSize(attr, UNDEFINED_PADDING);                    endPaddingDefined = (endPadding != UNDEFINED_PADDING);                    break;                case com.android.internal.R.styleable.View_scrollX:                    x = a.getDimensionPixelOffset(attr, 0);                    break;                case com.android.internal.R.styleable.View_scrollY:                    y = a.getDimensionPixelOffset(attr, 0);                    break;                case com.android.internal.R.styleable.View_alpha:                    setAlpha(a.getFloat(attr, 1f));                    break;                case com.android.internal.R.styleable.View_transformPivotX:                    setPivotX(a.getDimensionPixelOffset(attr, 0));                    break;                case com.android.internal.R.styleable.View_transformPivotY:                    setPivotY(a.getDimensionPixelOffset(attr, 0));                    break;                case com.android.internal.R.styleable.View_translationX:                    tx = a.getDimensionPixelOffset(attr, 0);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_translationY:                    ty = a.getDimensionPixelOffset(attr, 0);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_rotation:                    rotation = a.getFloat(attr, 0);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_rotationX:                    rotationX = a.getFloat(attr, 0);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_rotationY:                    rotationY = a.getFloat(attr, 0);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_scaleX:                    sx = a.getFloat(attr, 1f);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_scaleY:                    sy = a.getFloat(attr, 1f);                    transformSet = true;                    break;                case com.android.internal.R.styleable.View_id:                    mID = a.getResourceId(attr, NO_ID);                    break;                case com.android.internal.R.styleable.View_tag:                    mTag = a.getText(attr);                    break;                case com.android.internal.R.styleable.View_fitsSystemWindows:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= FITS_SYSTEM_WINDOWS;                        viewFlagMasks |= FITS_SYSTEM_WINDOWS;                    }                    break;                case com.android.internal.R.styleable.View_focusable:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= FOCUSABLE;                        viewFlagMasks |= FOCUSABLE_MASK;                    }                    break;                case com.android.internal.R.styleable.View_focusableInTouchMode:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= FOCUSABLE_IN_TOUCH_MODE | FOCUSABLE;                        viewFlagMasks |= FOCUSABLE_IN_TOUCH_MODE | FOCUSABLE_MASK;                    }                    break;                case com.android.internal.R.styleable.View_clickable:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= CLICKABLE;                        viewFlagMasks |= CLICKABLE;                    }                    break;                case com.android.internal.R.styleable.View_longClickable:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= LONG_CLICKABLE;                        viewFlagMasks |= LONG_CLICKABLE;                    }                    break;                case com.android.internal.R.styleable.View_saveEnabled:                    if (!a.getBoolean(attr, true)) {                        viewFlagValues |= SAVE_DISABLED;                        viewFlagMasks |= SAVE_DISABLED_MASK;                    }                    break;                case com.android.internal.R.styleable.View_duplicateParentState:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= DUPLICATE_PARENT_STATE;                        viewFlagMasks |= DUPLICATE_PARENT_STATE;                    }                    break;                case com.android.internal.R.styleable.View_visibility:                    final int visibility = a.getInt(attr, 0);                    if (visibility != 0) {                        viewFlagValues |= VISIBILITY_FLAGS[visibility];                        viewFlagMasks |= VISIBILITY_MASK;                    }                    break;                case com.android.internal.R.styleable.View_layoutDirection:                    // Clear any layout direction flags (included resolved bits) already set                    mPrivateFlags2 &=                            ~(PFLAG2_LAYOUT_DIRECTION_MASK | PFLAG2_LAYOUT_DIRECTION_RESOLVED_MASK);                    // Set the layout direction flags depending on the value of the attribute                    final int layoutDirection = a.getInt(attr, -1);                    final int value = (layoutDirection != -1) ?                            LAYOUT_DIRECTION_FLAGS[layoutDirection] : LAYOUT_DIRECTION_DEFAULT;                    mPrivateFlags2 |= (value << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT);                    break;                case com.android.internal.R.styleable.View_drawingCacheQuality:                    final int cacheQuality = a.getInt(attr, 0);                    if (cacheQuality != 0) {                        viewFlagValues |= DRAWING_CACHE_QUALITY_FLAGS[cacheQuality];                        viewFlagMasks |= DRAWING_CACHE_QUALITY_MASK;                    }                    break;                case com.android.internal.R.styleable.View_contentDescription:                    setContentDescription(a.getString(attr));                    break;                case com.android.internal.R.styleable.View_labelFor:                    setLabelFor(a.getResourceId(attr, NO_ID));                    break;                case com.android.internal.R.styleable.View_soundEffectsEnabled:                    if (!a.getBoolean(attr, true)) {                        viewFlagValues &= ~SOUND_EFFECTS_ENABLED;                        viewFlagMasks |= SOUND_EFFECTS_ENABLED;                    }                    break;                case com.android.internal.R.styleable.View_hapticFeedbackEnabled:                    if (!a.getBoolean(attr, true)) {                        viewFlagValues &= ~HAPTIC_FEEDBACK_ENABLED;                        viewFlagMasks |= HAPTIC_FEEDBACK_ENABLED;                    }                    break;                case R.styleable.View_scrollbars:                    final int scrollbars = a.getInt(attr, SCROLLBARS_NONE);                    if (scrollbars != SCROLLBARS_NONE) {                        viewFlagValues |= scrollbars;                        viewFlagMasks |= SCROLLBARS_MASK;                        initializeScrollbars = true;                    }                    break;                //noinspection deprecation                case R.styleable.View_fadingEdge:                    if (targetSdkVersion >= ICE_CREAM_SANDWICH) {                        // Ignore the attribute starting with ICS                        break;                    }                    // With builds < ICS, fall through and apply fading edges                case R.styleable.View_requiresFadingEdge:                    final int fadingEdge = a.getInt(attr, FADING_EDGE_NONE);                    if (fadingEdge != FADING_EDGE_NONE) {                        viewFlagValues |= fadingEdge;                        viewFlagMasks |= FADING_EDGE_MASK;                        initializeFadingEdge(a);                    }                    break;                case R.styleable.View_scrollbarStyle:                    scrollbarStyle = a.getInt(attr, SCROLLBARS_INSIDE_OVERLAY);                    if (scrollbarStyle != SCROLLBARS_INSIDE_OVERLAY) {                        viewFlagValues |= scrollbarStyle & SCROLLBARS_STYLE_MASK;                        viewFlagMasks |= SCROLLBARS_STYLE_MASK;                    }                    break;                case R.styleable.View_isScrollContainer:                    setScrollContainer = true;                    if (a.getBoolean(attr, false)) {                        setScrollContainer(true);                    }                    break;                case com.android.internal.R.styleable.View_keepScreenOn:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= KEEP_SCREEN_ON;                        viewFlagMasks |= KEEP_SCREEN_ON;                    }                    break;                case R.styleable.View_filterTouchesWhenObscured:                    if (a.getBoolean(attr, false)) {                        viewFlagValues |= FILTER_TOUCHES_WHEN_OBSCURED;                        viewFlagMasks |= FILTER_TOUCHES_WHEN_OBSCURED;                    }                    break;                case R.styleable.View_nextFocusLeft:                    mNextFocusLeftId = a.getResourceId(attr, View.NO_ID);                    break;                case R.styleable.View_nextFocusRight:                    mNextFocusRightId = a.getResourceId(attr, View.NO_ID);                    break;                case R.styleable.View_nextFocusUp:                    mNextFocusUpId = a.getResourceId(attr, View.NO_ID);                    break;                case R.styleable.View_nextFocusDown:                    mNextFocusDownId = a.getResourceId(attr, View.NO_ID);                    break;                case R.styleable.View_nextFocusForward:                    mNextFocusForwardId = a.getResourceId(attr, View.NO_ID);                    break;                case R.styleable.View_minWidth:                    mMinWidth = a.getDimensionPixelSize(attr, 0);                    break;                case R.styleable.View_minHeight:                    mMinHeight = a.getDimensionPixelSize(attr, 0);                    break;                case R.styleable.View_onClick:                    if (context.isRestricted()) {                        throw new IllegalStateException("The android:onClick attribute cannot "                                + "be used within a restricted context");                    }                    final String handlerName = a.getString(attr);                    if (handlerName != null) {                        setOnClickListener(new OnClickListener() {                            private Method mHandler;                            public void onClick(View v) {                                if (mHandler == null) {                                    try {                                        mHandler = getContext().getClass().getMethod(handlerName,                                                View.class);                                    } catch (NoSuchMethodException e) {                                        int id = getId();                                        String idText = id == NO_ID ? "" : " with id '"                                                + getContext().getResources().getResourceEntryName(                                                    id) + "'";                                        throw new IllegalStateException("Could not find a method " +                                                handlerName + "(View) in the activity "                                                + getContext().getClass() + " for onClick handler"                                                + " on view " + View.this.getClass() + idText, e);                                    }                                }                                try {                                    mHandler.invoke(getContext(), View.this);                                } catch (IllegalAccessException e) {                                    throw new IllegalStateException("Could not execute non "                                            + "public method of the activity", e);                                } catch (InvocationTargetException e) {                                    throw new IllegalStateException("Could not execute "                                            + "method of the activity", e);                                }                            }                        });                    }                    break;                case R.styleable.View_overScrollMode:                    overScrollMode = a.getInt(attr, OVER_SCROLL_IF_CONTENT_SCROLLS);                    break;                case R.styleable.View_verticalScrollbarPosition:                    mVerticalScrollbarPosition = a.getInt(attr, SCROLLBAR_POSITION_DEFAULT);                    break;                case R.styleable.View_layerType:                    setLayerType(a.getInt(attr, LAYER_TYPE_NONE), null);                    break;                case R.styleable.View_textDirection:                    // Clear any text direction flag already set                    mPrivateFlags2 &= ~PFLAG2_TEXT_DIRECTION_MASK;                    // Set the text direction flags depending on the value of the attribute                    final int textDirection = a.getInt(attr, -1);                    if (textDirection != -1) {                        mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_FLAGS[textDirection];                    }                    break;                case R.styleable.View_textAlignment:                    // Clear any text alignment flag already set                    mPrivateFlags2 &= ~PFLAG2_TEXT_ALIGNMENT_MASK;                    // Set the text alignment flag depending on the value of the attribute                    final int textAlignment = a.getInt(attr, TEXT_ALIGNMENT_DEFAULT);                    mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_FLAGS[textAlignment];                    break;                case R.styleable.View_importantForAccessibility:                    setImportantForAccessibility(a.getInt(attr,                            IMPORTANT_FOR_ACCESSIBILITY_DEFAULT));                    break;                case R.styleable.View_accessibilityLiveRegion:                    setAccessibilityLiveRegion(a.getInt(attr, ACCESSIBILITY_LIVE_REGION_DEFAULT));                    break;            }        }        setOverScrollMode(overScrollMode);        // Cache start/end user padding as we cannot fully resolve padding here (we dont have yet        // the resolved layout direction). Those cached values will be used later during padding        // resolution.        mUserPaddingStart = startPadding;        mUserPaddingEnd = endPadding;        if (background != null) {            setBackground(background);        }        // setBackground above will record that padding is currently provided by the background.        // If we have padding specified via xml, record that here instead and use it.        mLeftPaddingDefined = leftPaddingDefined;        mRightPaddingDefined = rightPaddingDefined;        if (padding >= 0) {            leftPadding = padding;            topPadding = padding;            rightPadding = padding;            bottomPadding = padding;            mUserPaddingLeftInitial = padding;            mUserPaddingRightInitial = padding;        }        if (isRtlCompatibilityMode()) {            // RTL compatibility mode: pre Jelly Bean MR1 case OR no RTL support case.            // left / right padding are used if defined (meaning here nothing to do). If they are not            // defined and start / end padding are defined (e.g. in Frameworks resources), then we use            // start / end and resolve them as left / right (layout direction is not taken into account).            // Padding from the background drawable is stored at this point in mUserPaddingLeftInitial            // and mUserPaddingRightInitial) so drawable padding will be used as ultimate default if            // defined.            if (!mLeftPaddingDefined && startPaddingDefined) {                leftPadding = startPadding;            }            mUserPaddingLeftInitial = (leftPadding >= 0) ? leftPadding : mUserPaddingLeftInitial;            if (!mRightPaddingDefined && endPaddingDefined) {                rightPadding = endPadding;            }            mUserPaddingRightInitial = (rightPadding >= 0) ? rightPadding : mUserPaddingRightInitial;        } else {            // Jelly Bean MR1 and after case: if start/end defined, they will override any left/right            // values defined. Otherwise, left /right values are used.            // Padding from the background drawable is stored at this point in mUserPaddingLeftInitial            // and mUserPaddingRightInitial) so drawable padding will be used as ultimate default if            // defined.            final boolean hasRelativePadding = startPaddingDefined || endPaddingDefined;            if (mLeftPaddingDefined && !hasRelativePadding) {                mUserPaddingLeftInitial = leftPadding;            }            if (mRightPaddingDefined && !hasRelativePadding) {                mUserPaddingRightInitial = rightPadding;            }        }        internalSetPadding(                mUserPaddingLeftInitial,                topPadding >= 0 ? topPadding : mPaddingTop,                mUserPaddingRightInitial,                bottomPadding >= 0 ? bottomPadding : mPaddingBottom);        if (viewFlagMasks != 0) {            setFlags(viewFlagValues, viewFlagMasks);        }        if (initializeScrollbars) {            initializeScrollbars(a);        }        a.recycle();        // Needs to be called after mViewFlags is set        if (scrollbarStyle != SCROLLBARS_INSIDE_OVERLAY) {            recomputePadding();        }        if (x != 0 || y != 0) {            scrollTo(x, y);        }        if (transformSet) {            setTranslationX(tx);            setTranslationY(ty);            setRotation(rotation);            setRotationX(rotationX);            setRotationY(rotationY);            setScaleX(sx);            setScaleY(sy);        }        if (!setScrollContainer && (viewFlagValues&SCROLLBARS_VERTICAL) != 0) {            setScrollContainer(true);        }        computeOpaqueFlags();    }    /**     * Non-public constructor for use in testing     */    View() {        mResources = null;    }    public String toString() {        StringBuilder out = new StringBuilder(128);        out.append(getClass().getName());        out.append('{');        out.append(Integer.toHexString(System.identityHashCode(this)));        out.append(' ');        switch (mViewFlags&VISIBILITY_MASK) {            case VISIBLE: out.append('V'); break;            case INVISIBLE: out.append('I'); break;            case GONE: out.append('G'); break;            default: out.append('.'); break;        }        out.append((mViewFlags&FOCUSABLE_MASK) == FOCUSABLE ? 'F' : '.');        out.append((mViewFlags&ENABLED_MASK) == ENABLED ? 'E' : '.');        out.append((mViewFlags&DRAW_MASK) == WILL_NOT_DRAW ? '.' : 'D');        out.append((mViewFlags&SCROLLBARS_HORIZONTAL) != 0 ? 'H' : '.');        out.append((mViewFlags&SCROLLBARS_VERTICAL) != 0 ? 'V' : '.');        out.append((mViewFlags&CLICKABLE) != 0 ? 'C' : '.');        out.append((mViewFlags&LONG_CLICKABLE) != 0 ? 'L' : '.');        out.append(' ');        out.append((mPrivateFlags&PFLAG_IS_ROOT_NAMESPACE) != 0 ? 'R' : '.');        out.append((mPrivateFlags&PFLAG_FOCUSED) != 0 ? 'F' : '.');        out.append((mPrivateFlags&PFLAG_SELECTED) != 0 ? 'S' : '.');        if ((mPrivateFlags&PFLAG_PREPRESSED) != 0) {            out.append('p');        } else {            out.append((mPrivateFlags&PFLAG_PRESSED) != 0 ? 'P' : '.');        }        out.append((mPrivateFlags&PFLAG_HOVERED) != 0 ? 'H' : '.');        out.append((mPrivateFlags&PFLAG_ACTIVATED) != 0 ? 'A' : '.');        out.append((mPrivateFlags&PFLAG_INVALIDATED) != 0 ? 'I' : '.');        out.append((mPrivateFlags&PFLAG_DIRTY_MASK) != 0 ? 'D' : '.');        out.append(' ');        out.append(mLeft);        out.append(',');        out.append(mTop);        out.append('-');        out.append(mRight);        out.append(',');        out.append(mBottom);        final int id = getId();        if (id != NO_ID) {            out.append(" #");            out.append(Integer.toHexString(id));            final Resources r = mResources;            if (id != 0 && r != null) {                try {                    String pkgname;                    switch (id&0xff000000) {                        case 0x7f000000:                            pkgname="app";                            break;                        case 0x01000000:                            pkgname="android";                            break;                        default:                            pkgname = r.getResourcePackageName(id);                            break;                    }                    String typename = r.getResourceTypeName(id);                    String entryname = r.getResourceEntryName(id);                    out.append(" ");                    out.append(pkgname);                    out.append(":");                    out.append(typename);                    out.append("/");                    out.append(entryname);                } catch (Resources.NotFoundException e) {                }            }        }        out.append("}");        return out.toString();    }    /**     * <p>     * Initializes the fading edges from a given set of styled attributes. This     * method should be called by subclasses that need fading edges and when an     * instance of these subclasses is created programmatically rather than     * being inflated from XML. This method is automatically called when the XML     * is inflated.     * </p>     *     * @param a the styled attributes set to initialize the fading edges from     */    protected void initializeFadingEdge(TypedArray a) {        initScrollCache();        mScrollCache.fadingEdgeLength = a.getDimensionPixelSize(                R.styleable.View_fadingEdgeLength,                ViewConfiguration.get(mContext).getScaledFadingEdgeLength());    }    /**     * Returns the size of the vertical faded edges used to indicate that more     * content in this view is visible.     *     * @return The size in pixels of the vertical faded edge or 0 if vertical     *         faded edges are not enabled for this view.     * @attr ref android.R.styleable#View_fadingEdgeLength     */    public int getVerticalFadingEdgeLength() {        if (isVerticalFadingEdgeEnabled()) {            ScrollabilityCache cache = mScrollCache;            if (cache != null) {                return cache.fadingEdgeLength;            }        }        return 0;    }    /**     * Set the size of the faded edge used to indicate that more content in this     * view is available.  Will not change whether the fading edge is enabled; use     * {@link #setVerticalFadingEdgeEnabled(boolean)} or     * {@link #setHorizontalFadingEdgeEnabled(boolean)} to enable the fading edge     * for the vertical or horizontal fading edges.     *     * @param length The size in pixels of the faded edge used to indicate that more     *        content in this view is visible.     */    public void setFadingEdgeLength(int length) {        initScrollCache();        mScrollCache.fadingEdgeLength = length;    }    /**     * Returns the size of the horizontal faded edges used to indicate that more     * content in this view is visible.     *     * @return The size in pixels of the horizontal faded edge or 0 if horizontal     *         faded edges are not enabled for this view.     * @attr ref android.R.styleable#View_fadingEdgeLength     */    public int getHorizontalFadingEdgeLength() {        if (isHorizontalFadingEdgeEnabled()) {            ScrollabilityCache cache = mScrollCache;            if (cache != null) {                return cache.fadingEdgeLength;            }        }        return 0;    }    /**     * Returns the width of the vertical scrollbar.     *     * @return The width in pixels of the vertical scrollbar or 0 if there     *         is no vertical scrollbar.     */    public int getVerticalScrollbarWidth() {        ScrollabilityCache cache = mScrollCache;        if (cache != null) {            ScrollBarDrawable scrollBar = cache.scrollBar;            if (scrollBar != null) {                int size = scrollBar.getSize(true);                if (size <= 0) {                    size = cache.scrollBarSize;                }                return size;            }            return 0;        }        return 0;    }    /**     * Returns the height of the horizontal scrollbar.     *     * @return The height in pixels of the horizontal scrollbar or 0 if     *         there is no horizontal scrollbar.     */    protected int getHorizontalScrollbarHeight() {        ScrollabilityCache cache = mScrollCache;        if (cache != null) {            ScrollBarDrawable scrollBar = cache.scrollBar;            if (scrollBar != null) {                int size = scrollBar.getSize(false);                if (size <= 0) {                    size = cache.scrollBarSize;                }                return size;            }            return 0;        }        return 0;    }    /**     * <p>     * Initializes the scrollbars from a given set of styled attributes. This     * method should be called by subclasses that need scrollbars and when an     * instance of these subclasses is created programmatically rather than     * being inflated from XML. This method is automatically called when the XML     * is inflated.     * </p>     *     * @param a the styled attributes set to initialize the scrollbars from     */    protected void initializeScrollbars(TypedArray a) {        initScrollCache();        final ScrollabilityCache scrollabilityCache = mScrollCache;        if (scrollabilityCache.scrollBar == null) {            scrollabilityCache.scrollBar = new ScrollBarDrawable();        }        final boolean fadeScrollbars = a.getBoolean(R.styleable.View_fadeScrollbars, true);        if (!fadeScrollbars) {            scrollabilityCache.state = ScrollabilityCache.ON;        }        scrollabilityCache.fadeScrollBars = fadeScrollbars;        scrollabilityCache.scrollBarFadeDuration = a.getInt(                R.styleable.View_scrollbarFadeDuration, ViewConfiguration                        .getScrollBarFadeDuration());        scrollabilityCache.scrollBarDefaultDelayBeforeFade = a.getInt(                R.styleable.View_scrollbarDefaultDelayBeforeFade,                ViewConfiguration.getScrollDefaultDelay());        scrollabilityCache.scrollBarSize = a.getDimensionPixelSize(                com.android.internal.R.styleable.View_scrollbarSize,                ViewConfiguration.get(mContext).getScaledScrollBarSize());        Drawable track = a.getDrawable(R.styleable.View_scrollbarTrackHorizontal);        scrollabilityCache.scrollBar.setHorizontalTrackDrawable(track);        Drawable thumb = a.getDrawable(R.styleable.View_scrollbarThumbHorizontal);        if (thumb != null) {            scrollabilityCache.scrollBar.setHorizontalThumbDrawable(thumb);        }        boolean alwaysDraw = a.getBoolean(R.styleable.View_scrollbarAlwaysDrawHorizontalTrack,                false);        if (alwaysDraw) {            scrollabilityCache.scrollBar.setAlwaysDrawHorizontalTrack(true);        }        track = a.getDrawable(R.styleable.View_scrollbarTrackVertical);        scrollabilityCache.scrollBar.setVerticalTrackDrawable(track);        thumb = a.getDrawable(R.styleable.View_scrollbarThumbVertical);        if (thumb != null) {            scrollabilityCache.scrollBar.setVerticalThumbDrawable(thumb);        }        alwaysDraw = a.getBoolean(R.styleable.View_scrollbarAlwaysDrawVerticalTrack,                false);        if (alwaysDraw) {            scrollabilityCache.scrollBar.setAlwaysDrawVerticalTrack(true);        }        // Apply layout direction to the new Drawables if needed        final int layoutDirection = getLayoutDirection();        if (track != null) {            track.setLayoutDirection(layoutDirection);        }        if (thumb != null) {            thumb.setLayoutDirection(layoutDirection);        }        // Re-apply user/background padding so that scrollbar(s) get added        resolvePadding();    }    /**     * <p>     * Initalizes the scrollability cache if necessary.     * </p>     */    private void initScrollCache() {        if (mScrollCache == null) {            mScrollCache = new ScrollabilityCache(ViewConfiguration.get(mContext), this);        }    }    private ScrollabilityCache getScrollCache() {        initScrollCache();        return mScrollCache;    }    /**     * Set the position of the vertical scroll bar. Should be one of     * {@link #SCROLLBAR_POSITION_DEFAULT}, {@link #SCROLLBAR_POSITION_LEFT} or     * {@link #SCROLLBAR_POSITION_RIGHT}.     *     * @param position Where the vertical scroll bar should be positioned.     */    public void setVerticalScrollbarPosition(int position) {        if (mVerticalScrollbarPosition != position) {            mVerticalScrollbarPosition = position;            computeOpaqueFlags();            resolvePadding();        }    }    /**     * @return The position where the vertical scroll bar will show, if applicable.     * @see #setVerticalScrollbarPosition(int)     */    public int getVerticalScrollbarPosition() {        return mVerticalScrollbarPosition;    }    ListenerInfo getListenerInfo() {        if (mListenerInfo != null) {            return mListenerInfo;        }        mListenerInfo = new ListenerInfo();        return mListenerInfo;    }    /**     * Register a callback to be invoked when focus of this view changed.     *     * @param l The callback that will run.     */    public void setOnFocusChangeListener(OnFocusChangeListener l) {        getListenerInfo().mOnFocusChangeListener = l;    }    /**     * Add a listener that will be called when the bounds of the view change due to     * layout processing.     *     * @param listener The listener that will be called when layout bounds change.     */    public void addOnLayoutChangeListener(OnLayoutChangeListener listener) {        ListenerInfo li = getListenerInfo();        if (li.mOnLayoutChangeListeners == null) {            li.mOnLayoutChangeListeners = new ArrayList<OnLayoutChangeListener>();        }        if (!li.mOnLayoutChangeListeners.contains(listener)) {            li.mOnLayoutChangeListeners.add(listener);        }    }    /**     * Remove a listener for layout changes.     *     * @param listener The listener for layout bounds change.     */    public void removeOnLayoutChangeListener(OnLayoutChangeListener listener) {        ListenerInfo li = mListenerInfo;        if (li == null || li.mOnLayoutChangeListeners == null) {            return;        }        li.mOnLayoutChangeListeners.remove(listener);    }    /**     * Add a listener for attach state changes.     *     * This listener will be called whenever this view is attached or detached     * from a window. Remove the listener using     * {@link #removeOnAttachStateChangeListener(OnAttachStateChangeListener)}.     *     * @param listener Listener to attach     * @see #removeOnAttachStateChangeListener(OnAttachStateChangeListener)     */    public void addOnAttachStateChangeListener(OnAttachStateChangeListener listener) {        ListenerInfo li = getListenerInfo();        if (li.mOnAttachStateChangeListeners == null) {            li.mOnAttachStateChangeListeners                    = new CopyOnWriteArrayList<OnAttachStateChangeListener>();        }        li.mOnAttachStateChangeListeners.add(listener);    }    /**     * Remove a listener for attach state changes. The listener will receive no further     * notification of window attach/detach events.     *     * @param listener Listener to remove     * @see #addOnAttachStateChangeListener(OnAttachStateChangeListener)     */    public void removeOnAttachStateChangeListener(OnAttachStateChangeListener listener) {        ListenerInfo li = mListenerInfo;        if (li == null || li.mOnAttachStateChangeListeners == null) {            return;        }        li.mOnAttachStateChangeListeners.remove(listener);    }    /**     * Returns the focus-change callback registered for this view.     *     * @return The callback, or null if one is not registered.     */    public OnFocusChangeListener getOnFocusChangeListener() {        ListenerInfo li = mListenerInfo;        return li != null ? li.mOnFocusChangeListener : null;    }    /**     * Register a callback to be invoked when this view is clicked. If this view is not     * clickable, it becomes clickable.     *     * @param l The callback that will run     *     * @see #setClickable(boolean)     */    public void setOnClickListener(OnClickListener l) {        if (!isClickable()) {            setClickable(true);        }        getListenerInfo().mOnClickListener = l;    }    /**     * Return whether this view has an attached OnClickListener.  Returns     * true if there is a listener, false if there is none.     */    public boolean hasOnClickListeners() {        ListenerInfo li = mListenerInfo;        return (li != null && li.mOnClickListener != null);    }    /**     * Register a callback to be invoked when this view is clicked and held. If this view is not     * long clickable, it becomes long clickable.     *     * @param l The callback that will run     *     * @see #setLongClickable(boolean)     */    public void setOnLongClickListener(OnLongClickListener l) {        if (!isLongClickable()) {            setLongClickable(true);        }        getListenerInfo().mOnLongClickListener = l;    }    /**     * Register a callback to be invoked when the context menu for this view is     * being built. If this view is not long clickable, it becomes long clickable.     *     * @param l The callback that will run     *     */    public void setOnCreateContextMenuListener(OnCreateContextMenuListener l) {        if (!isLongClickable()) {            setLongClickable(true);        }        getListenerInfo().mOnCreateContextMenuListener = l;    }    /**     * Call this view's OnClickListener, if it is defined.  Performs all normal     * actions associated with clicking: reporting accessibility event, playing     * a sound, etc.     *     * @return True there was an assigned OnClickListener that was called, false     *         otherwise is returned.     */    public boolean performClick() {        sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_CLICKED);        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnClickListener != null) {            playSoundEffect(SoundEffectConstants.CLICK);            li.mOnClickListener.onClick(this);            return true;        }        return false;    }    /**     * Directly call any attached OnClickListener.  Unlike {@link #performClick()},     * this only calls the listener, and does not do any associated clicking     * actions like reporting an accessibility event.     *     * @return True there was an assigned OnClickListener that was called, false     *         otherwise is returned.     */    public boolean callOnClick() {        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnClickListener != null) {            li.mOnClickListener.onClick(this);            return true;        }        return false;    }    /**     * Call this view's OnLongClickListener, if it is defined. Invokes the context menu if the     * OnLongClickListener did not consume the event.     *     * @return True if one of the above receivers consumed the event, false otherwise.     */    public boolean performLongClick() {        sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_LONG_CLICKED);        boolean handled = false;        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnLongClickListener != null) {            handled = li.mOnLongClickListener.onLongClick(View.this);        }        if (!handled) {            handled = showContextMenu();        }        if (handled) {            performHapticFeedback(HapticFeedbackConstants.LONG_PRESS);        }        return handled;    }    /**     * Performs button-related actions during a touch down event.     *     * @param event The event.     * @return True if the down was consumed.     *     * @hide     */    protected boolean performButtonActionOnTouchDown(MotionEvent event) {        if ((event.getButtonState() & MotionEvent.BUTTON_SECONDARY) != 0) {            if (showContextMenu(event.getX(), event.getY(), event.getMetaState())) {                return true;            }        }        return false;    }    /**     * Bring up the context menu for this view.     *     * @return Whether a context menu was displayed.     */    public boolean showContextMenu() {        return getParent().showContextMenuForChild(this);    }    /**     * Bring up the context menu for this view, referring to the item under the specified point.     *     * @param x The referenced x coordinate.     * @param y The referenced y coordinate.     * @param metaState The keyboard modifiers that were pressed.     * @return Whether a context menu was displayed.     *     * @hide     */    public boolean showContextMenu(float x, float y, int metaState) {        return showContextMenu();    }    /**     * Start an action mode.     *     * @param callback Callback that will control the lifecycle of the action mode     * @return The new action mode if it is started, null otherwise     *     * @see ActionMode     */    public ActionMode startActionMode(ActionMode.Callback callback) {        ViewParent parent = getParent();        if (parent == null) return null;        return parent.startActionModeForChild(this, callback);    }    /**     * Register a callback to be invoked when a hardware key is pressed in this view.     * Key presses in software input methods will generally not trigger the methods of     * this listener.     * @param l the key listener to attach to this view     */    public void setOnKeyListener(OnKeyListener l) {        getListenerInfo().mOnKeyListener = l;    }    /**     * Register a callback to be invoked when a touch event is sent to this view.     * @param l the touch listener to attach to this view     */    public void setOnTouchListener(OnTouchListener l) {        getListenerInfo().mOnTouchListener = l;    }    /**     * Register a callback to be invoked when a generic motion event is sent to this view.     * @param l the generic motion listener to attach to this view     */    public void setOnGenericMotionListener(OnGenericMotionListener l) {        getListenerInfo().mOnGenericMotionListener = l;    }    /**     * Register a callback to be invoked when a hover event is sent to this view.     * @param l the hover listener to attach to this view     */    public void setOnHoverListener(OnHoverListener l) {        getListenerInfo().mOnHoverListener = l;    }    /**     * Register a drag event listener callback object for this View. The parameter is     * an implementation of {@link android.view.View.OnDragListener}. To send a drag event to a     * View, the system calls the     * {@link android.view.View.OnDragListener#onDrag(View,DragEvent)} method.     * @param l An implementation of {@link android.view.View.OnDragListener}.     */    public void setOnDragListener(OnDragListener l) {        getListenerInfo().mOnDragListener = l;    }    /**     * Give this view focus. This will cause     * {@link #onFocusChanged(boolean, int, android.graphics.Rect)} to be called.     *     * Note: this does not check whether this {@link View} should get focus, it just     * gives it focus no matter what.  It should only be called internally by framework     * code that knows what it is doing, namely {@link #requestFocus(int, Rect)}.     *     * @param direction values are {@link View#FOCUS_UP}, {@link View#FOCUS_DOWN},     *        {@link View#FOCUS_LEFT} or {@link View#FOCUS_RIGHT}. This is the direction which     *        focus moved when requestFocus() is called. It may not always     *        apply, in which case use the default View.FOCUS_DOWN.     * @param previouslyFocusedRect The rectangle of the view that had focus     *        prior in this View's coordinate system.     */    void handleFocusGainInternal(int direction, Rect previouslyFocusedRect) {        if (DBG) {            System.out.println(this + " requestFocus()");        }        if ((mPrivateFlags & PFLAG_FOCUSED) == 0) {            mPrivateFlags |= PFLAG_FOCUSED;            View oldFocus = (mAttachInfo != null) ? getRootView().findFocus() : null;            if (mParent != null) {                mParent.requestChildFocus(this, this);            }            if (mAttachInfo != null) {                mAttachInfo.mTreeObserver.dispatchOnGlobalFocusChange(oldFocus, this);            }            onFocusChanged(true, direction, previouslyFocusedRect);            refreshDrawableState();        }    }    /**     * Request that a rectangle of this view be visible on the screen,     * scrolling if necessary just enough.     *     * <p>A View should call this if it maintains some notion of which part     * of its content is interesting.  For example, a text editing view     * should call this when its cursor moves.     *     * @param rectangle The rectangle.     * @return Whether any parent scrolled.     */    public boolean requestRectangleOnScreen(Rect rectangle) {        return requestRectangleOnScreen(rectangle, false);    }    /**     * Request that a rectangle of this view be visible on the screen,     * scrolling if necessary just enough.     *     * <p>A View should call this if it maintains some notion of which part     * of its content is interesting.  For example, a text editing view     * should call this when its cursor moves.     *     * <p>When <code>immediate</code> is set to true, scrolling will not be     * animated.     *     * @param rectangle The rectangle.     * @param immediate True to forbid animated scrolling, false otherwise     * @return Whether any parent scrolled.     */    public boolean requestRectangleOnScreen(Rect rectangle, boolean immediate) {        if (mParent == null) {            return false;        }        View child = this;        RectF position = (mAttachInfo != null) ? mAttachInfo.mTmpTransformRect : new RectF();        position.set(rectangle);        ViewParent parent = mParent;        boolean scrolled = false;        while (parent != null) {            rectangle.set((int) position.left, (int) position.top,                    (int) position.right, (int) position.bottom);            scrolled |= parent.requestChildRectangleOnScreen(child,                    rectangle, immediate);            if (!child.hasIdentityMatrix()) {                child.getMatrix().mapRect(position);            }            position.offset(child.mLeft, child.mTop);            if (!(parent instanceof View)) {                break;            }            View parentView = (View) parent;            position.offset(-parentView.getScrollX(), -parentView.getScrollY());            child = parentView;            parent = child.getParent();        }        return scrolled;    }    /**     * Called when this view wants to give up focus. If focus is cleared     * {@link #onFocusChanged(boolean, int, android.graphics.Rect)} is called.     * <p>     * <strong>Note:</strong> When a View clears focus the framework is trying     * to give focus to the first focusable View from the top. Hence, if this     * View is the first from the top that can take focus, then all callbacks     * related to clearing focus will be invoked after wich the framework will     * give focus to this view.     * </p>     */    public void clearFocus() {        if (DBG) {            System.out.println(this + " clearFocus()");        }        clearFocusInternal(true, true);    }    /**     * Clears focus from the view, optionally propagating the change up through     * the parent hierarchy and requesting that the root view place new focus.     *     * @param propagate whether to propagate the change up through the parent     *            hierarchy     * @param refocus when propagate is true, specifies whether to request the     *            root view place new focus     */    void clearFocusInternal(boolean propagate, boolean refocus) {        if ((mPrivateFlags & PFLAG_FOCUSED) != 0) {            mPrivateFlags &= ~PFLAG_FOCUSED;            if (propagate && mParent != null) {                mParent.clearChildFocus(this);            }            onFocusChanged(false, 0, null);            refreshDrawableState();            if (propagate && (!refocus || !rootViewRequestFocus())) {                notifyGlobalFocusCleared(this);            }        }    }    void notifyGlobalFocusCleared(View oldFocus) {        if (oldFocus != null && mAttachInfo != null) {            mAttachInfo.mTreeObserver.dispatchOnGlobalFocusChange(oldFocus, null);        }    }    boolean rootViewRequestFocus() {        final View root = getRootView();        return root != null && root.requestFocus();    }    /**     * Called internally by the view system when a new view is getting focus.     * This is what clears the old focus.     * <p>     * <b>NOTE:</b> The parent view's focused child must be updated manually     * after calling this method. Otherwise, the view hierarchy may be left in     * an inconstent state.     */    void unFocus() {        if (DBG) {            System.out.println(this + " unFocus()");        }        clearFocusInternal(false, false);    }    /**     * Returns true if this view has focus iteself, or is the ancestor of the     * view that has focus.     *     * @return True if this view has or contains focus, false otherwise.     */    @ViewDebug.ExportedProperty(category = "focus")    public boolean hasFocus() {        return (mPrivateFlags & PFLAG_FOCUSED) != 0;    }    /**     * Returns true if this view is focusable or if it contains a reachable View     * for which {@link #hasFocusable()} returns true. A "reachable hasFocusable()"     * is a View whose parents do not block descendants focus.     *     * Only {@link #VISIBLE} views are considered focusable.     *     * @return True if the view is focusable or if the view contains a focusable     *         View, false otherwise.     *     * @see ViewGroup#FOCUS_BLOCK_DESCENDANTS     */    public boolean hasFocusable() {        return (mViewFlags & VISIBILITY_MASK) == VISIBLE && isFocusable();    }    /**     * Called by the view system when the focus state of this view changes.     * When the focus change event is caused by directional navigation, direction     * and previouslyFocusedRect provide insight into where the focus is coming from.     * When overriding, be sure to call up through to the super class so that     * the standard focus handling will occur.     *     * @param gainFocus True if the View has focus; false otherwise.     * @param direction The direction focus has moved when requestFocus()     *                  is called to give this view focus. Values are     *                  {@link #FOCUS_UP}, {@link #FOCUS_DOWN}, {@link #FOCUS_LEFT},     *                  {@link #FOCUS_RIGHT}, {@link #FOCUS_FORWARD}, or {@link #FOCUS_BACKWARD}.     *                  It may not always apply, in which case use the default.     * @param previouslyFocusedRect The rectangle, in this view's coordinate     *        system, of the previously focused view.  If applicable, this will be     *        passed in as finer grained information about where the focus is coming     *        from (in addition to direction).  Will be <code>null</code> otherwise.     */    protected void onFocusChanged(boolean gainFocus, int direction, Rect previouslyFocusedRect) {        if (gainFocus) {            sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_FOCUSED);        } else {            notifyViewAccessibilityStateChangedIfNeeded(                    AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);        }        InputMethodManager imm = InputMethodManager.peekInstance();        if (!gainFocus) {            if (isPressed()) {                setPressed(false);            }            if (imm != null && mAttachInfo != null                    && mAttachInfo.mHasWindowFocus) {                imm.focusOut(this);            }            onFocusLost();        } else if (imm != null && mAttachInfo != null                && mAttachInfo.mHasWindowFocus) {            imm.focusIn(this);        }        invalidate(true);        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnFocusChangeListener != null) {            li.mOnFocusChangeListener.onFocusChange(this, gainFocus);        }        if (mAttachInfo != null) {            mAttachInfo.mKeyDispatchState.reset(this);        }    }    /**     * Sends an accessibility event of the given type. If accessibility is     * not enabled this method has no effect. The default implementation calls     * {@link #onInitializeAccessibilityEvent(AccessibilityEvent)} first     * to populate information about the event source (this View), then calls     * {@link #dispatchPopulateAccessibilityEvent(AccessibilityEvent)} to     * populate the text content of the event source including its descendants,     * and last calls     * {@link ViewParent#requestSendAccessibilityEvent(View, AccessibilityEvent)}     * on its parent to resuest sending of the event to interested parties.     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#sendAccessibilityEvent(View, int)} is     * responsible for handling this call.     * </p>     *     * @param eventType The type of the event to send, as defined by several types from     * {@link android.view.accessibility.AccessibilityEvent}, such as     * {@link android.view.accessibility.AccessibilityEvent#TYPE_VIEW_CLICKED} or     * {@link android.view.accessibility.AccessibilityEvent#TYPE_VIEW_HOVER_ENTER}.     *     * @see #onInitializeAccessibilityEvent(AccessibilityEvent)     * @see #dispatchPopulateAccessibilityEvent(AccessibilityEvent)     * @see ViewParent#requestSendAccessibilityEvent(View, AccessibilityEvent)     * @see AccessibilityDelegate     */    public void sendAccessibilityEvent(int eventType) {        // Excluded views do not send accessibility events.        if (!includeForAccessibility()) {            return;        }        if (mAccessibilityDelegate != null) {            mAccessibilityDelegate.sendAccessibilityEvent(this, eventType);        } else {            sendAccessibilityEventInternal(eventType);        }    }    /**     * Convenience method for sending a {@link AccessibilityEvent#TYPE_ANNOUNCEMENT}     * {@link AccessibilityEvent} to make an announcement which is related to some     * sort of a context change for which none of the events representing UI transitions     * is a good fit. For example, announcing a new page in a book. If accessibility     * is not enabled this method does nothing.     *     * @param text The announcement text.     */    public void announceForAccessibility(CharSequence text) {        if (AccessibilityManager.getInstance(mContext).isEnabled() && mParent != null) {            AccessibilityEvent event = AccessibilityEvent.obtain(                    AccessibilityEvent.TYPE_ANNOUNCEMENT);            onInitializeAccessibilityEvent(event);            event.getText().add(text);            event.setContentDescription(null);            mParent.requestSendAccessibilityEvent(this, event);        }    }    /**     * @see #sendAccessibilityEvent(int)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    void sendAccessibilityEventInternal(int eventType) {        if (AccessibilityManager.getInstance(mContext).isEnabled()) {            sendAccessibilityEventUnchecked(AccessibilityEvent.obtain(eventType));        }    }    /**     * This method behaves exactly as {@link #sendAccessibilityEvent(int)} but     * takes as an argument an empty {@link AccessibilityEvent} and does not     * perform a check whether accessibility is enabled.     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#sendAccessibilityEventUnchecked(View, AccessibilityEvent)}     * is responsible for handling this call.     * </p>     *     * @param event The event to send.     *     * @see #sendAccessibilityEvent(int)     */    public void sendAccessibilityEventUnchecked(AccessibilityEvent event) {        if (mAccessibilityDelegate != null) {            mAccessibilityDelegate.sendAccessibilityEventUnchecked(this, event);        } else {            sendAccessibilityEventUncheckedInternal(event);        }    }    /**     * @see #sendAccessibilityEventUnchecked(AccessibilityEvent)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    void sendAccessibilityEventUncheckedInternal(AccessibilityEvent event) {        if (!isShown()) {            return;        }        onInitializeAccessibilityEvent(event);        // Only a subset of accessibility events populates text content.        if ((event.getEventType() & POPULATING_ACCESSIBILITY_EVENT_TYPES) != 0) {            dispatchPopulateAccessibilityEvent(event);        }        // In the beginning we called #isShown(), so we know that getParent() is not null.        getParent().requestSendAccessibilityEvent(this, event);    }    /**     * Dispatches an {@link AccessibilityEvent} to the {@link View} first and then     * to its children for adding their text content to the event. Note that the     * event text is populated in a separate dispatch path since we add to the     * event not only the text of the source but also the text of all its descendants.     * A typical implementation will call     * {@link #onPopulateAccessibilityEvent(AccessibilityEvent)} on the this view     * and then call the {@link #dispatchPopulateAccessibilityEvent(AccessibilityEvent)}     * on each child. Override this method if custom population of the event text     * content is required.     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#dispatchPopulateAccessibilityEvent(View, AccessibilityEvent)}     * is responsible for handling this call.     * </p>     * <p>     * <em>Note:</em> Accessibility events of certain types are not dispatched for     * populating the event text via this method. For details refer to {@link AccessibilityEvent}.     * </p>     *     * @param event The event.     *     * @return True if the event population was completed.     */    public boolean dispatchPopulateAccessibilityEvent(AccessibilityEvent event) {        if (mAccessibilityDelegate != null) {            return mAccessibilityDelegate.dispatchPopulateAccessibilityEvent(this, event);        } else {            return dispatchPopulateAccessibilityEventInternal(event);        }    }    /**     * @see #dispatchPopulateAccessibilityEvent(AccessibilityEvent)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    boolean dispatchPopulateAccessibilityEventInternal(AccessibilityEvent event) {        onPopulateAccessibilityEvent(event);        return false;    }    /**     * Called from {@link #dispatchPopulateAccessibilityEvent(AccessibilityEvent)}     * giving a chance to this View to populate the accessibility event with its     * text content. While this method is free to modify event     * attributes other than text content, doing so should normally be performed in     * {@link #onInitializeAccessibilityEvent(AccessibilityEvent)}.     * <p>     * Example: Adding formatted date string to an accessibility event in addition     *          to the text added by the super implementation:     * <pre> public void onPopulateAccessibilityEvent(AccessibilityEvent event) {     *     super.onPopulateAccessibilityEvent(event);     *     final int flags = DateUtils.FORMAT_SHOW_DATE | DateUtils.FORMAT_SHOW_WEEKDAY;     *     String selectedDateUtterance = DateUtils.formatDateTime(mContext,     *         mCurrentDate.getTimeInMillis(), flags);     *     event.getText().add(selectedDateUtterance);     * }</pre>     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#onPopulateAccessibilityEvent(View, AccessibilityEvent)}     * is responsible for handling this call.     * </p>     * <p class="note"><strong>Note:</strong> Always call the super implementation before adding     * information to the event, in case the default implementation has basic information to add.     * </p>     *     * @param event The accessibility event which to populate.     *     * @see #sendAccessibilityEvent(int)     * @see #dispatchPopulateAccessibilityEvent(AccessibilityEvent)     */    public void onPopulateAccessibilityEvent(AccessibilityEvent event) {        if (mAccessibilityDelegate != null) {            mAccessibilityDelegate.onPopulateAccessibilityEvent(this, event);        } else {            onPopulateAccessibilityEventInternal(event);        }    }    /**     * @see #onPopulateAccessibilityEvent(AccessibilityEvent)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    void onPopulateAccessibilityEventInternal(AccessibilityEvent event) {    }    /**     * Initializes an {@link AccessibilityEvent} with information about     * this View which is the event source. In other words, the source of     * an accessibility event is the view whose state change triggered firing     * the event.     * <p>     * Example: Setting the password property of an event in addition     *          to properties set by the super implementation:     * <pre> public void onInitializeAccessibilityEvent(AccessibilityEvent event) {     *     super.onInitializeAccessibilityEvent(event);     *     event.setPassword(true);     * }</pre>     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#onInitializeAccessibilityEvent(View, AccessibilityEvent)}     * is responsible for handling this call.     * </p>     * <p class="note"><strong>Note:</strong> Always call the super implementation before adding     * information to the event, in case the default implementation has basic information to add.     * </p>     * @param event The event to initialize.     *     * @see #sendAccessibilityEvent(int)     * @see #dispatchPopulateAccessibilityEvent(AccessibilityEvent)     */    public void onInitializeAccessibilityEvent(AccessibilityEvent event) {        if (mAccessibilityDelegate != null) {            mAccessibilityDelegate.onInitializeAccessibilityEvent(this, event);        } else {            onInitializeAccessibilityEventInternal(event);        }    }    /**     * @see #onInitializeAccessibilityEvent(AccessibilityEvent)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    void onInitializeAccessibilityEventInternal(AccessibilityEvent event) {        event.setSource(this);        event.setClassName(View.class.getName());        event.setPackageName(getContext().getPackageName());        event.setEnabled(isEnabled());        event.setContentDescription(mContentDescription);        switch (event.getEventType()) {            case AccessibilityEvent.TYPE_VIEW_FOCUSED: {                ArrayList<View> focusablesTempList = (mAttachInfo != null)                        ? mAttachInfo.mTempArrayList : new ArrayList<View>();                getRootView().addFocusables(focusablesTempList, View.FOCUS_FORWARD, FOCUSABLES_ALL);                event.setItemCount(focusablesTempList.size());                event.setCurrentItemIndex(focusablesTempList.indexOf(this));                if (mAttachInfo != null) {                    focusablesTempList.clear();                }            } break;            case AccessibilityEvent.TYPE_VIEW_TEXT_SELECTION_CHANGED: {                CharSequence text = getIterableTextForAccessibility();                if (text != null && text.length() > 0) {                    event.setFromIndex(getAccessibilitySelectionStart());                    event.setToIndex(getAccessibilitySelectionEnd());                    event.setItemCount(text.length());                }            } break;        }    }    /**     * Returns an {@link AccessibilityNodeInfo} representing this view from the     * point of view of an {@link android.accessibilityservice.AccessibilityService}.     * This method is responsible for obtaining an accessibility node info from a     * pool of reusable instances and calling     * {@link #onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)} on this view to     * initialize the former.     * <p>     * Note: The client is responsible for recycling the obtained instance by calling     *       {@link AccessibilityNodeInfo#recycle()} to minimize object creation.     * </p>     *     * @return A populated {@link AccessibilityNodeInfo}.     *     * @see AccessibilityNodeInfo     */    public AccessibilityNodeInfo createAccessibilityNodeInfo() {        if (mAccessibilityDelegate != null) {            return mAccessibilityDelegate.createAccessibilityNodeInfo(this);        } else {            return createAccessibilityNodeInfoInternal();        }    }    /**     * @see #createAccessibilityNodeInfo()     */    AccessibilityNodeInfo createAccessibilityNodeInfoInternal() {        AccessibilityNodeProvider provider = getAccessibilityNodeProvider();        if (provider != null) {            return provider.createAccessibilityNodeInfo(View.NO_ID);        } else {            AccessibilityNodeInfo info = AccessibilityNodeInfo.obtain(this);            onInitializeAccessibilityNodeInfo(info);            return info;        }    }    /**     * Initializes an {@link AccessibilityNodeInfo} with information about this view.     * The base implementation sets:     * <ul>     *   <li>{@link AccessibilityNodeInfo#setParent(View)},</li>     *   <li>{@link AccessibilityNodeInfo#setBoundsInParent(Rect)},</li>     *   <li>{@link AccessibilityNodeInfo#setBoundsInScreen(Rect)},</li>     *   <li>{@link AccessibilityNodeInfo#setPackageName(CharSequence)},</li>     *   <li>{@link AccessibilityNodeInfo#setClassName(CharSequence)},</li>     *   <li>{@link AccessibilityNodeInfo#setContentDescription(CharSequence)},</li>     *   <li>{@link AccessibilityNodeInfo#setEnabled(boolean)},</li>     *   <li>{@link AccessibilityNodeInfo#setClickable(boolean)},</li>     *   <li>{@link AccessibilityNodeInfo#setFocusable(boolean)},</li>     *   <li>{@link AccessibilityNodeInfo#setFocused(boolean)},</li>     *   <li>{@link AccessibilityNodeInfo#setLongClickable(boolean)},</li>     *   <li>{@link AccessibilityNodeInfo#setSelected(boolean)},</li>     * </ul>     * <p>     * Subclasses should override this method, call the super implementation,     * and set additional attributes.     * </p>     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#onInitializeAccessibilityNodeInfo(View, AccessibilityNodeInfo)}     * is responsible for handling this call.     * </p>     *     * @param info The instance to initialize.     */    public void onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo info) {        if (mAccessibilityDelegate != null) {            mAccessibilityDelegate.onInitializeAccessibilityNodeInfo(this, info);        } else {            onInitializeAccessibilityNodeInfoInternal(info);        }    }    /**     * Gets the location of this view in screen coordintates.     *     * @param outRect The output location     */    void getBoundsOnScreen(Rect outRect) {        if (mAttachInfo == null) {            return;        }        RectF position = mAttachInfo.mTmpTransformRect;        position.set(0, 0, mRight - mLeft, mBottom - mTop);        if (!hasIdentityMatrix()) {            getMatrix().mapRect(position);        }        position.offset(mLeft, mTop);        ViewParent parent = mParent;        while (parent instanceof View) {            View parentView = (View) parent;            position.offset(-parentView.mScrollX, -parentView.mScrollY);            if (!parentView.hasIdentityMatrix()) {                parentView.getMatrix().mapRect(position);            }            position.offset(parentView.mLeft, parentView.mTop);            parent = parentView.mParent;        }        if (parent instanceof ViewRootImpl) {            ViewRootImpl viewRootImpl = (ViewRootImpl) parent;            position.offset(0, -viewRootImpl.mCurScrollY);        }        position.offset(mAttachInfo.mWindowLeft, mAttachInfo.mWindowTop);        outRect.set((int) (position.left + 0.5f), (int) (position.top + 0.5f),                (int) (position.right + 0.5f), (int) (position.bottom + 0.5f));    }    /**     * @see #onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)     *     * Note: Called from the default {@link AccessibilityDelegate}.     */    void onInitializeAccessibilityNodeInfoInternal(AccessibilityNodeInfo info) {        Rect bounds = mAttachInfo.mTmpInvalRect;        getDrawingRect(bounds);        info.setBoundsInParent(bounds);        getBoundsOnScreen(bounds);        info.setBoundsInScreen(bounds);        ViewParent parent = getParentForAccessibility();        if (parent instanceof View) {            info.setParent((View) parent);        }        if (mID != View.NO_ID) {            View rootView = getRootView();            if (rootView == null) {                rootView = this;            }            View label = rootView.findLabelForView(this, mID);            if (label != null) {                info.setLabeledBy(label);            }            if ((mAttachInfo.mAccessibilityFetchFlags                    & AccessibilityNodeInfo.FLAG_REPORT_VIEW_IDS) != 0                    && Resources.resourceHasPackage(mID)) {                try {                    String viewId = getResources().getResourceName(mID);                    info.setViewIdResourceName(viewId);                } catch (Resources.NotFoundException nfe) {                    /* ignore */                }            }        }        if (mLabelForId != View.NO_ID) {            View rootView = getRootView();            if (rootView == null) {                rootView = this;            }            View labeled = rootView.findViewInsideOutShouldExist(this, mLabelForId);            if (labeled != null) {                info.setLabelFor(labeled);            }        }        info.setVisibleToUser(isVisibleToUser());        info.setPackageName(mContext.getPackageName());        info.setClassName(View.class.getName());        info.setContentDescription(getContentDescription());        info.setEnabled(isEnabled());        info.setClickable(isClickable());        info.setFocusable(isFocusable());        info.setFocused(isFocused());        info.setAccessibilityFocused(isAccessibilityFocused());        info.setSelected(isSelected());        info.setLongClickable(isLongClickable());        info.setLiveRegion(getAccessibilityLiveRegion());        // TODO: These make sense only if we are in an AdapterView but all        // views can be selected. Maybe from accessibility perspective        // we should report as selectable view in an AdapterView.        info.addAction(AccessibilityNodeInfo.ACTION_SELECT);        info.addAction(AccessibilityNodeInfo.ACTION_CLEAR_SELECTION);        if (isFocusable()) {            if (isFocused()) {                info.addAction(AccessibilityNodeInfo.ACTION_CLEAR_FOCUS);            } else {                info.addAction(AccessibilityNodeInfo.ACTION_FOCUS);            }        }        if (!isAccessibilityFocused()) {            info.addAction(AccessibilityNodeInfo.ACTION_ACCESSIBILITY_FOCUS);        } else {            info.addAction(AccessibilityNodeInfo.ACTION_CLEAR_ACCESSIBILITY_FOCUS);        }        if (isClickable() && isEnabled()) {            info.addAction(AccessibilityNodeInfo.ACTION_CLICK);        }        if (isLongClickable() && isEnabled()) {            info.addAction(AccessibilityNodeInfo.ACTION_LONG_CLICK);        }        CharSequence text = getIterableTextForAccessibility();        if (text != null && text.length() > 0) {            info.setTextSelection(getAccessibilitySelectionStart(), getAccessibilitySelectionEnd());            info.addAction(AccessibilityNodeInfo.ACTION_SET_SELECTION);            info.addAction(AccessibilityNodeInfo.ACTION_NEXT_AT_MOVEMENT_GRANULARITY);            info.addAction(AccessibilityNodeInfo.ACTION_PREVIOUS_AT_MOVEMENT_GRANULARITY);            info.setMovementGranularities(AccessibilityNodeInfo.MOVEMENT_GRANULARITY_CHARACTER                    | AccessibilityNodeInfo.MOVEMENT_GRANULARITY_WORD                    | AccessibilityNodeInfo.MOVEMENT_GRANULARITY_PARAGRAPH);        }    }    private View findLabelForView(View view, int labeledId) {        if (mMatchLabelForPredicate == null) {            mMatchLabelForPredicate = new MatchLabelForPredicate();        }        mMatchLabelForPredicate.mLabeledId = labeledId;        return findViewByPredicateInsideOut(view, mMatchLabelForPredicate);    }    /**     * Computes whether this view is visible to the user. Such a view is     * attached, visible, all its predecessors are visible, it is not clipped     * entirely by its predecessors, and has an alpha greater than zero.     *     * @return Whether the view is visible on the screen.     *     * @hide     */    protected boolean isVisibleToUser() {        return isVisibleToUser(null);    }    /**     * Computes whether the given portion of this view is visible to the user.     * Such a view is attached, visible, all its predecessors are visible,     * has an alpha greater than zero, and the specified portion is not     * clipped entirely by its predecessors.     *     * @param boundInView the portion of the view to test; coordinates should be relative; may be     *                    <code>null</code>, and the entire view will be tested in this case.     *                    When <code>true</code> is returned by the function, the actual visible     *                    region will be stored in this parameter; that is, if boundInView is fully     *                    contained within the view, no modification will be made, otherwise regions     *                    outside of the visible area of the view will be clipped.     *     * @return Whether the specified portion of the view is visible on the screen.     *     * @hide     */    protected boolean isVisibleToUser(Rect boundInView) {        if (mAttachInfo != null) {            // Attached to invisible window means this view is not visible.            if (mAttachInfo.mWindowVisibility != View.VISIBLE) {                return false;            }            // An invisible predecessor or one with alpha zero means            // that this view is not visible to the user.            Object current = this;            while (current instanceof View) {                View view = (View) current;                // We have attach info so this view is attached and there is no                // need to check whether we reach to ViewRootImpl on the way up.                if (view.getAlpha() <= 0 || view.getTransitionAlpha() <= 0 ||                        view.getVisibility() != VISIBLE) {                    return false;                }                current = view.mParent;            }            // Check if the view is entirely covered by its predecessors.            Rect visibleRect = mAttachInfo.mTmpInvalRect;            Point offset = mAttachInfo.mPoint;            if (!getGlobalVisibleRect(visibleRect, offset)) {                return false;            }            // Check if the visible portion intersects the rectangle of interest.            if (boundInView != null) {                visibleRect.offset(-offset.x, -offset.y);                return boundInView.intersect(visibleRect);            }            return true;        }        return false;    }    /**     * Returns the delegate for implementing accessibility support via     * composition. For more details see {@link AccessibilityDelegate}.     *     * @return The delegate, or null if none set.     *     * @hide     */    public AccessibilityDelegate getAccessibilityDelegate() {        return mAccessibilityDelegate;    }    /**     * Sets a delegate for implementing accessibility support via composition as     * opposed to inheritance. The delegate's primary use is for implementing     * backwards compatible widgets. For more details see {@link AccessibilityDelegate}.     *     * @param delegate The delegate instance.     *     * @see AccessibilityDelegate     */    public void setAccessibilityDelegate(AccessibilityDelegate delegate) {        mAccessibilityDelegate = delegate;    }    /**     * Gets the provider for managing a virtual view hierarchy rooted at this View     * and reported to {@link android.accessibilityservice.AccessibilityService}s     * that explore the window content.     * <p>     * If this method returns an instance, this instance is responsible for managing     * {@link AccessibilityNodeInfo}s describing the virtual sub-tree rooted at this     * View including the one representing the View itself. Similarly the returned     * instance is responsible for performing accessibility actions on any virtual     * view or the root view itself.     * </p>     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#getAccessibilityNodeProvider(View)}     * is responsible for handling this call.     * </p>     *     * @return The provider.     *     * @see AccessibilityNodeProvider     */    public AccessibilityNodeProvider getAccessibilityNodeProvider() {        if (mAccessibilityDelegate != null) {            return mAccessibilityDelegate.getAccessibilityNodeProvider(this);        } else {            return null;        }    }    /**     * Gets the unique identifier of this view on the screen for accessibility purposes.     * If this {@link View} is not attached to any window, {@value #NO_ID} is returned.     *     * @return The view accessibility id.     *     * @hide     */    public int getAccessibilityViewId() {        if (mAccessibilityViewId == NO_ID) {            mAccessibilityViewId = sNextAccessibilityViewId++;        }        return mAccessibilityViewId;    }    /**     * Gets the unique identifier of the window in which this View reseides.     *     * @return The window accessibility id.     *     * @hide     */    public int getAccessibilityWindowId() {        return mAttachInfo != null ? mAttachInfo.mAccessibilityWindowId : NO_ID;    }    /**     * Gets the {@link View} description. It briefly describes the view and is     * primarily used for accessibility support. Set this property to enable     * better accessibility support for your application. This is especially     * true for views that do not have textual representation (For example,     * ImageButton).     *     * @return The content description.     *     * @attr ref android.R.styleable#View_contentDescription     */    @ViewDebug.ExportedProperty(category = "accessibility")    public CharSequence getContentDescription() {        return mContentDescription;    }    /**     * Sets the {@link View} description. It briefly describes the view and is     * primarily used for accessibility support. Set this property to enable     * better accessibility support for your application. This is especially     * true for views that do not have textual representation (For example,     * ImageButton).     *     * @param contentDescription The content description.     *     * @attr ref android.R.styleable#View_contentDescription     */    @RemotableViewMethod    public void setContentDescription(CharSequence contentDescription) {        if (mContentDescription == null) {            if (contentDescription == null) {                return;            }        } else if (mContentDescription.equals(contentDescription)) {            return;        }        mContentDescription = contentDescription;        final boolean nonEmptyDesc = contentDescription != null && contentDescription.length() > 0;        if (nonEmptyDesc && getImportantForAccessibility() == IMPORTANT_FOR_ACCESSIBILITY_AUTO) {            setImportantForAccessibility(IMPORTANT_FOR_ACCESSIBILITY_YES);            notifySubtreeAccessibilityStateChangedIfNeeded();        } else {            notifyViewAccessibilityStateChangedIfNeeded(                    AccessibilityEvent.CONTENT_CHANGE_TYPE_CONTENT_DESCRIPTION);        }    }    /**     * Gets the id of a view for which this view serves as a label for     * accessibility purposes.     *     * @return The labeled view id.     */    @ViewDebug.ExportedProperty(category = "accessibility")    public int getLabelFor() {        return mLabelForId;    }    /**     * Sets the id of a view for which this view serves as a label for     * accessibility purposes.     *     * @param id The labeled view id.     */    @RemotableViewMethod    public void setLabelFor(int id) {        mLabelForId = id;        if (mLabelForId != View.NO_ID                && mID == View.NO_ID) {            mID = generateViewId();        }    }    /**     * Invoked whenever this view loses focus, either by losing window focus or by losing     * focus within its window. This method can be used to clear any state tied to the     * focus. For instance, if a button is held pressed with the trackball and the window     * loses focus, this method can be used to cancel the press.     *     * Subclasses of View overriding this method should always call super.onFocusLost().     *     * @see #onFocusChanged(boolean, int, android.graphics.Rect)     * @see #onWindowFocusChanged(boolean)     *     * @hide pending API council approval     */    protected void onFocusLost() {        resetPressedState();    }    private void resetPressedState() {        if ((mViewFlags & ENABLED_MASK) == DISABLED) {            return;        }        if (isPressed()) {            setPressed(false);            if (!mHasPerformedLongPress) {                removeLongPressCallback();            }        }    }    /**     * Returns true if this view has focus     *     * @return True if this view has focus, false otherwise.     */    @ViewDebug.ExportedProperty(category = "focus")    public boolean isFocused() {        return (mPrivateFlags & PFLAG_FOCUSED) != 0;    }    /**     * Find the view in the hierarchy rooted at this view that currently has     * focus.     *     * @return The view that currently has focus, or null if no focused view can     *         be found.     */    public View findFocus() {        return (mPrivateFlags & PFLAG_FOCUSED) != 0 ? this : null;    }    /**     * Indicates whether this view is one of the set of scrollable containers in     * its window.     *     * @return whether this view is one of the set of scrollable containers in     * its window     *     * @attr ref android.R.styleable#View_isScrollContainer     */    public boolean isScrollContainer() {        return (mPrivateFlags & PFLAG_SCROLL_CONTAINER_ADDED) != 0;    }    /**     * Change whether this view is one of the set of scrollable containers in     * its window.  This will be used to determine whether the window can     * resize or must pan when a soft input area is open -- scrollable     * containers allow the window to use resize mode since the container     * will appropriately shrink.     *     * @attr ref android.R.styleable#View_isScrollContainer     */    public void setScrollContainer(boolean isScrollContainer) {        if (isScrollContainer) {            if (mAttachInfo != null && (mPrivateFlags&PFLAG_SCROLL_CONTAINER_ADDED) == 0) {                mAttachInfo.mScrollContainers.add(this);                mPrivateFlags |= PFLAG_SCROLL_CONTAINER_ADDED;            }            mPrivateFlags |= PFLAG_SCROLL_CONTAINER;        } else {            if ((mPrivateFlags&PFLAG_SCROLL_CONTAINER_ADDED) != 0) {                mAttachInfo.mScrollContainers.remove(this);            }            mPrivateFlags &= ~(PFLAG_SCROLL_CONTAINER|PFLAG_SCROLL_CONTAINER_ADDED);        }    }    /**     * Returns the quality of the drawing cache.     *     * @return One of {@link #DRAWING_CACHE_QUALITY_AUTO},     *         {@link #DRAWING_CACHE_QUALITY_LOW}, or {@link #DRAWING_CACHE_QUALITY_HIGH}     *     * @see #setDrawingCacheQuality(int)     * @see #setDrawingCacheEnabled(boolean)     * @see #isDrawingCacheEnabled()     *     * @attr ref android.R.styleable#View_drawingCacheQuality     */    public int getDrawingCacheQuality() {        return mViewFlags & DRAWING_CACHE_QUALITY_MASK;    }    /**     * Set the drawing cache quality of this view. This value is used only when the     * drawing cache is enabled     *     * @param quality One of {@link #DRAWING_CACHE_QUALITY_AUTO},     *        {@link #DRAWING_CACHE_QUALITY_LOW}, or {@link #DRAWING_CACHE_QUALITY_HIGH}     *     * @see #getDrawingCacheQuality()     * @see #setDrawingCacheEnabled(boolean)     * @see #isDrawingCacheEnabled()     *     * @attr ref android.R.styleable#View_drawingCacheQuality     */    public void setDrawingCacheQuality(int quality) {        setFlags(quality, DRAWING_CACHE_QUALITY_MASK);    }    /**     * Returns whether the screen should remain on, corresponding to the current     * value of {@link #KEEP_SCREEN_ON}.     *     * @return Returns true if {@link #KEEP_SCREEN_ON} is set.     *     * @see #setKeepScreenOn(boolean)     *     * @attr ref android.R.styleable#View_keepScreenOn     */    public boolean getKeepScreenOn() {        return (mViewFlags & KEEP_SCREEN_ON) != 0;    }    /**     * Controls whether the screen should remain on, modifying the     * value of {@link #KEEP_SCREEN_ON}.     *     * @param keepScreenOn Supply true to set {@link #KEEP_SCREEN_ON}.     *     * @see #getKeepScreenOn()     *     * @attr ref android.R.styleable#View_keepScreenOn     */    public void setKeepScreenOn(boolean keepScreenOn) {        setFlags(keepScreenOn ? KEEP_SCREEN_ON : 0, KEEP_SCREEN_ON);    }    /**     * Gets the id of the view to use when the next focus is {@link #FOCUS_LEFT}.     * @return The next focus ID, or {@link #NO_ID} if the framework should decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusLeft     */    public int getNextFocusLeftId() {        return mNextFocusLeftId;    }    /**     * Sets the id of the view to use when the next focus is {@link #FOCUS_LEFT}.     * @param nextFocusLeftId The next focus ID, or {@link #NO_ID} if the framework should     * decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusLeft     */    public void setNextFocusLeftId(int nextFocusLeftId) {        mNextFocusLeftId = nextFocusLeftId;    }    /**     * Gets the id of the view to use when the next focus is {@link #FOCUS_RIGHT}.     * @return The next focus ID, or {@link #NO_ID} if the framework should decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusRight     */    public int getNextFocusRightId() {        return mNextFocusRightId;    }    /**     * Sets the id of the view to use when the next focus is {@link #FOCUS_RIGHT}.     * @param nextFocusRightId The next focus ID, or {@link #NO_ID} if the framework should     * decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusRight     */    public void setNextFocusRightId(int nextFocusRightId) {        mNextFocusRightId = nextFocusRightId;    }    /**     * Gets the id of the view to use when the next focus is {@link #FOCUS_UP}.     * @return The next focus ID, or {@link #NO_ID} if the framework should decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusUp     */    public int getNextFocusUpId() {        return mNextFocusUpId;    }    /**     * Sets the id of the view to use when the next focus is {@link #FOCUS_UP}.     * @param nextFocusUpId The next focus ID, or {@link #NO_ID} if the framework should     * decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusUp     */    public void setNextFocusUpId(int nextFocusUpId) {        mNextFocusUpId = nextFocusUpId;    }    /**     * Gets the id of the view to use when the next focus is {@link #FOCUS_DOWN}.     * @return The next focus ID, or {@link #NO_ID} if the framework should decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusDown     */    public int getNextFocusDownId() {        return mNextFocusDownId;    }    /**     * Sets the id of the view to use when the next focus is {@link #FOCUS_DOWN}.     * @param nextFocusDownId The next focus ID, or {@link #NO_ID} if the framework should     * decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusDown     */    public void setNextFocusDownId(int nextFocusDownId) {        mNextFocusDownId = nextFocusDownId;    }    /**     * Gets the id of the view to use when the next focus is {@link #FOCUS_FORWARD}.     * @return The next focus ID, or {@link #NO_ID} if the framework should decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusForward     */    public int getNextFocusForwardId() {        return mNextFocusForwardId;    }    /**     * Sets the id of the view to use when the next focus is {@link #FOCUS_FORWARD}.     * @param nextFocusForwardId The next focus ID, or {@link #NO_ID} if the framework should     * decide automatically.     *     * @attr ref android.R.styleable#View_nextFocusForward     */    public void setNextFocusForwardId(int nextFocusForwardId) {        mNextFocusForwardId = nextFocusForwardId;    }    /**     * Returns the visibility of this view and all of its ancestors     *     * @return True if this view and all of its ancestors are {@link #VISIBLE}     */    public boolean isShown() {        View current = this;        //noinspection ConstantConditions        do {            if ((current.mViewFlags & VISIBILITY_MASK) != VISIBLE) {                return false;            }            ViewParent parent = current.mParent;            if (parent == null) {                return false; // We are not attached to the view root            }            if (!(parent instanceof View)) {                return true;            }            current = (View) parent;        } while (current != null);        return false;    }    /**     * Called by the view hierarchy when the content insets for a window have     * changed, to allow it to adjust its content to fit within those windows.     * The content insets tell you the space that the status bar, input method,     * and other system windows infringe on the application's window.     *     * <p>You do not normally need to deal with this function, since the default     * window decoration given to applications takes care of applying it to the     * content of the window.  If you use {@link #SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN}     * or {@link #SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION} this will not be the case,     * and your content can be placed under those system elements.  You can then     * use this method within your view hierarchy if you have parts of your UI     * which you would like to ensure are not being covered.     *     * <p>The default implementation of this method simply applies the content     * insets to the view's padding, consuming that content (modifying the     * insets to be 0), and returning true.  This behavior is off by default, but can     * be enabled through {@link #setFitsSystemWindows(boolean)}.     *     * <p>This function's traversal down the hierarchy is depth-first.  The same content     * insets object is propagated down the hierarchy, so any changes made to it will     * be seen by all following views (including potentially ones above in     * the hierarchy since this is a depth-first traversal).  The first view     * that returns true will abort the entire traversal.     *     * <p>The default implementation works well for a situation where it is     * used with a container that covers the entire window, allowing it to     * apply the appropriate insets to its content on all edges.  If you need     * a more complicated layout (such as two different views fitting system     * windows, one on the top of the window, and one on the bottom),     * you can override the method and handle the insets however you would like.     * Note that the insets provided by the framework are always relative to the     * far edges of the window, not accounting for the location of the called view     * within that window.  (In fact when this method is called you do not yet know     * where the layout will place the view, as it is done before layout happens.)     *     * <p>Note: unlike many View methods, there is no dispatch phase to this     * call.  If you are overriding it in a ViewGroup and want to allow the     * call to continue to your children, you must be sure to call the super     * implementation.     *     * <p>Here is a sample layout that makes use of fitting system windows     * to have controls for a video view placed inside of the window decorations     * that it hides and shows.  This can be used with code like the second     * sample (video player) shown in {@link #setSystemUiVisibility(int)}.     *     * {@sample development/samples/ApiDemos/res/layout/video_player.xml complete}     *     * @param insets Current content insets of the window.  Prior to     * {@link android.os.Build.VERSION_CODES#JELLY_BEAN} you must not modify     * the insets or else you and Android will be unhappy.     *     * @return {@code true} if this view applied the insets and it should not     * continue propagating further down the hierarchy, {@code false} otherwise.     * @see #getFitsSystemWindows()     * @see #setFitsSystemWindows(boolean)      * @see #setSystemUiVisibility(int)     */    protected boolean fitSystemWindows(Rect insets) {        if ((mViewFlags & FITS_SYSTEM_WINDOWS) == FITS_SYSTEM_WINDOWS) {            mUserPaddingStart = UNDEFINED_PADDING;            mUserPaddingEnd = UNDEFINED_PADDING;            Rect localInsets = sThreadLocal.get();            if (localInsets == null) {                localInsets = new Rect();                sThreadLocal.set(localInsets);            }            boolean res = computeFitSystemWindows(insets, localInsets);            mUserPaddingLeftInitial = localInsets.left;            mUserPaddingRightInitial = localInsets.right;            internalSetPadding(localInsets.left, localInsets.top,                    localInsets.right, localInsets.bottom);            return res;        }        return false;    }    /**     * @hide Compute the insets that should be consumed by this view and the ones     * that should propagate to those under it.     */    protected boolean computeFitSystemWindows(Rect inoutInsets, Rect outLocalInsets) {        if ((mViewFlags & OPTIONAL_FITS_SYSTEM_WINDOWS) == 0                || mAttachInfo == null                || ((mAttachInfo.mSystemUiVisibility & SYSTEM_UI_LAYOUT_FLAGS) == 0                        && !mAttachInfo.mOverscanRequested)) {            outLocalInsets.set(inoutInsets);            inoutInsets.set(0, 0, 0, 0);            return true;        } else {            // The application wants to take care of fitting system window for            // the content...  however we still need to take care of any overscan here.            final Rect overscan = mAttachInfo.mOverscanInsets;            outLocalInsets.set(overscan);            inoutInsets.left -= overscan.left;            inoutInsets.top -= overscan.top;            inoutInsets.right -= overscan.right;            inoutInsets.bottom -= overscan.bottom;            return false;        }    }    /**     * Sets whether or not this view should account for system screen decorations     * such as the status bar and inset its content; that is, controlling whether     * the default implementation of {@link #fitSystemWindows(Rect)} will be     * executed.  See that method for more details.     *     * <p>Note that if you are providing your own implementation of     * {@link #fitSystemWindows(Rect)}, then there is no need to set this     * flag to true -- your implementation will be overriding the default     * implementation that checks this flag.     *     * @param fitSystemWindows If true, then the default implementation of     * {@link #fitSystemWindows(Rect)} will be executed.     *     * @attr ref android.R.styleable#View_fitsSystemWindows     * @see #getFitsSystemWindows()     * @see #fitSystemWindows(Rect)     * @see #setSystemUiVisibility(int)     */    public void setFitsSystemWindows(boolean fitSystemWindows) {        setFlags(fitSystemWindows ? FITS_SYSTEM_WINDOWS : 0, FITS_SYSTEM_WINDOWS);    }    /**     * Check for state of {@link #setFitsSystemWindows(boolean)}. If this method     * returns {@code true}, the default implementation of {@link #fitSystemWindows(Rect)}     * will be executed.     *     * @return {@code true} if the default implementation of     * {@link #fitSystemWindows(Rect)} will be executed.     *     * @attr ref android.R.styleable#View_fitsSystemWindows     * @see #setFitsSystemWindows(boolean)     * @see #fitSystemWindows(Rect)     * @see #setSystemUiVisibility(int)     */    public boolean getFitsSystemWindows() {        return (mViewFlags & FITS_SYSTEM_WINDOWS) == FITS_SYSTEM_WINDOWS;    }    /** @hide */    public boolean fitsSystemWindows() {        return getFitsSystemWindows();    }    /**     * Ask that a new dispatch of {@link #fitSystemWindows(Rect)} be performed.     */    public void requestFitSystemWindows() {        if (mParent != null) {            mParent.requestFitSystemWindows();        }    }    /**     * For use by PhoneWindow to make its own system window fitting optional.     * @hide     */    public void makeOptionalFitsSystemWindows() {        setFlags(OPTIONAL_FITS_SYSTEM_WINDOWS, OPTIONAL_FITS_SYSTEM_WINDOWS);    }    /**     * Returns the visibility status for this view.     *     * @return One of {@link #VISIBLE}, {@link #INVISIBLE}, or {@link #GONE}.     * @attr ref android.R.styleable#View_visibility     */    @ViewDebug.ExportedProperty(mapping = {        @ViewDebug.IntToString(from = VISIBLE,   to = "VISIBLE"),        @ViewDebug.IntToString(from = INVISIBLE, to = "INVISIBLE"),        @ViewDebug.IntToString(from = GONE,      to = "GONE")    })    public int getVisibility() {        return mViewFlags & VISIBILITY_MASK;    }    /**     * Set the enabled state of this view.     *     * @param visibility One of {@link #VISIBLE}, {@link #INVISIBLE}, or {@link #GONE}.     * @attr ref android.R.styleable#View_visibility     */    @RemotableViewMethod    public void setVisibility(int visibility) {        setFlags(visibility, VISIBILITY_MASK);        if (mBackground != null) mBackground.setVisible(visibility == VISIBLE, false);    }    /**     * Returns the enabled status for this view. The interpretation of the     * enabled state varies by subclass.     *     * @return True if this view is enabled, false otherwise.     */    @ViewDebug.ExportedProperty    public boolean isEnabled() {        return (mViewFlags & ENABLED_MASK) == ENABLED;    }    /**     * Set the enabled state of this view. The interpretation of the enabled     * state varies by subclass.     *     * @param enabled True if this view is enabled, false otherwise.     */    @RemotableViewMethod    public void setEnabled(boolean enabled) {        if (enabled == isEnabled()) return;        setFlags(enabled ? ENABLED : DISABLED, ENABLED_MASK);        /*         * The View most likely has to change its appearance, so refresh         * the drawable state.         */        refreshDrawableState();        // Invalidate too, since the default behavior for views is to be        // be drawn at 50% alpha rather than to change the drawable.        invalidate(true);        if (!enabled) {            cancelPendingInputEvents();        }    }    /**     * Set whether this view can receive the focus.     *     * Setting this to false will also ensure that this view is not focusable     * in touch mode.     *     * @param focusable If true, this view can receive the focus.     *     * @see #setFocusableInTouchMode(boolean)     * @attr ref android.R.styleable#View_focusable     */    public void setFocusable(boolean focusable) {        if (!focusable) {            setFlags(0, FOCUSABLE_IN_TOUCH_MODE);        }        setFlags(focusable ? FOCUSABLE : NOT_FOCUSABLE, FOCUSABLE_MASK);    }    /**     * Set whether this view can receive focus while in touch mode.     *     * Setting this to true will also ensure that this view is focusable.     *     * @param focusableInTouchMode If true, this view can receive the focus while     *   in touch mode.     *     * @see #setFocusable(boolean)     * @attr ref android.R.styleable#View_focusableInTouchMode     */    public void setFocusableInTouchMode(boolean focusableInTouchMode) {        // Focusable in touch mode should always be set before the focusable flag        // otherwise, setting the focusable flag will trigger a focusableViewAvailable()        // which, in touch mode, will not successfully request focus on this view        // because the focusable in touch mode flag is not set        setFlags(focusableInTouchMode ? FOCUSABLE_IN_TOUCH_MODE : 0, FOCUSABLE_IN_TOUCH_MODE);        if (focusableInTouchMode) {            setFlags(FOCUSABLE, FOCUSABLE_MASK);        }    }    /**     * Set whether this view should have sound effects enabled for events such as     * clicking and touching.     *     * <p>You may wish to disable sound effects for a view if you already play sounds,     * for instance, a dial key that plays dtmf tones.     *     * @param soundEffectsEnabled whether sound effects are enabled for this view.     * @see #isSoundEffectsEnabled()     * @see #playSoundEffect(int)     * @attr ref android.R.styleable#View_soundEffectsEnabled     */    public void setSoundEffectsEnabled(boolean soundEffectsEnabled) {        setFlags(soundEffectsEnabled ? SOUND_EFFECTS_ENABLED: 0, SOUND_EFFECTS_ENABLED);    }    /**     * @return whether this view should have sound effects enabled for events such as     *     clicking and touching.     *     * @see #setSoundEffectsEnabled(boolean)     * @see #playSoundEffect(int)     * @attr ref android.R.styleable#View_soundEffectsEnabled     */    @ViewDebug.ExportedProperty    public boolean isSoundEffectsEnabled() {        return SOUND_EFFECTS_ENABLED == (mViewFlags & SOUND_EFFECTS_ENABLED);    }    /**     * Set whether this view should have haptic feedback for events such as     * long presses.     *     * <p>You may wish to disable haptic feedback if your view already controls     * its own haptic feedback.     *     * @param hapticFeedbackEnabled whether haptic feedback enabled for this view.     * @see #isHapticFeedbackEnabled()     * @see #performHapticFeedback(int)     * @attr ref android.R.styleable#View_hapticFeedbackEnabled     */    public void setHapticFeedbackEnabled(boolean hapticFeedbackEnabled) {        setFlags(hapticFeedbackEnabled ? HAPTIC_FEEDBACK_ENABLED: 0, HAPTIC_FEEDBACK_ENABLED);    }    /**     * @return whether this view should have haptic feedback enabled for events     * long presses.     *     * @see #setHapticFeedbackEnabled(boolean)     * @see #performHapticFeedback(int)     * @attr ref android.R.styleable#View_hapticFeedbackEnabled     */    @ViewDebug.ExportedProperty    public boolean isHapticFeedbackEnabled() {        return HAPTIC_FEEDBACK_ENABLED == (mViewFlags & HAPTIC_FEEDBACK_ENABLED);    }    /**     * Returns the layout direction for this view.     *     * @return One of {@link #LAYOUT_DIRECTION_LTR},     *   {@link #LAYOUT_DIRECTION_RTL},     *   {@link #LAYOUT_DIRECTION_INHERIT} or     *   {@link #LAYOUT_DIRECTION_LOCALE}.     *     * @attr ref android.R.styleable#View_layoutDirection     *     * @hide     */    @ViewDebug.ExportedProperty(category = "layout", mapping = {        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_LTR,     to = "LTR"),        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_RTL,     to = "RTL"),        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_INHERIT, to = "INHERIT"),        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_LOCALE,  to = "LOCALE")    })    public int getRawLayoutDirection() {        return (mPrivateFlags2 & PFLAG2_LAYOUT_DIRECTION_MASK) >> PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT;    }    /**     * Set the layout direction for this view. This will propagate a reset of layout direction     * resolution to the view's children and resolve layout direction for this view.     *     * @param layoutDirection the layout direction to set. Should be one of:     *     * {@link #LAYOUT_DIRECTION_LTR},     * {@link #LAYOUT_DIRECTION_RTL},     * {@link #LAYOUT_DIRECTION_INHERIT},     * {@link #LAYOUT_DIRECTION_LOCALE}.     *     * Resolution will be done if the value is set to LAYOUT_DIRECTION_INHERIT. The resolution     * proceeds up the parent chain of the view to get the value. If there is no parent, then it     * will return the default {@link #LAYOUT_DIRECTION_LTR}.     *     * @attr ref android.R.styleable#View_layoutDirection     */    @RemotableViewMethod    public void setLayoutDirection(int layoutDirection) {        if (getRawLayoutDirection() != layoutDirection) {            // Reset the current layout direction and the resolved one            mPrivateFlags2 &= ~PFLAG2_LAYOUT_DIRECTION_MASK;            resetRtlProperties();            // Set the new layout direction (filtered)            mPrivateFlags2 |=                    ((layoutDirection << PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT) & PFLAG2_LAYOUT_DIRECTION_MASK);            // We need to resolve all RTL properties as they all depend on layout direction            resolveRtlPropertiesIfNeeded();            requestLayout();            invalidate(true);        }    }    /**     * Returns the resolved layout direction for this view.     *     * @return {@link #LAYOUT_DIRECTION_RTL} if the layout direction is RTL or returns     * {@link #LAYOUT_DIRECTION_LTR} if the layout direction is not RTL.     *     * For compatibility, this will return {@link #LAYOUT_DIRECTION_LTR} if API version     * is lower than {@link android.os.Build.VERSION_CODES#JELLY_BEAN_MR1}.     *     * @attr ref android.R.styleable#View_layoutDirection     */    @ViewDebug.ExportedProperty(category = "layout", mapping = {        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_LTR, to = "RESOLVED_DIRECTION_LTR"),        @ViewDebug.IntToString(from = LAYOUT_DIRECTION_RTL, to = "RESOLVED_DIRECTION_RTL")    })    public int getLayoutDirection() {        final int targetSdkVersion = getContext().getApplicationInfo().targetSdkVersion;        if (targetSdkVersion < JELLY_BEAN_MR1) {            mPrivateFlags2 |= PFLAG2_LAYOUT_DIRECTION_RESOLVED;            return LAYOUT_DIRECTION_RESOLVED_DEFAULT;        }        return ((mPrivateFlags2 & PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL) ==                PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL) ? LAYOUT_DIRECTION_RTL : LAYOUT_DIRECTION_LTR;    }    /**     * Indicates whether or not this view's layout is right-to-left. This is resolved from     * layout attribute and/or the inherited value from the parent     *     * @return true if the layout is right-to-left.     *     * @hide     */    @ViewDebug.ExportedProperty(category = "layout")    public boolean isLayoutRtl() {        return (getLayoutDirection() == LAYOUT_DIRECTION_RTL);    }    /**     * Indicates whether the view is currently tracking transient state that the     * app should not need to concern itself with saving and restoring, but that     * the framework should take special note to preserve when possible.     *     * <p>A view with transient state cannot be trivially rebound from an external     * data source, such as an adapter binding item views in a list. This may be     * because the view is performing an animation, tracking user selection     * of content, or similar.</p>     *     * @return true if the view has transient state     */    @ViewDebug.ExportedProperty(category = "layout")    public boolean hasTransientState() {        return (mPrivateFlags2 & PFLAG2_HAS_TRANSIENT_STATE) == PFLAG2_HAS_TRANSIENT_STATE;    }    /**     * Set whether this view is currently tracking transient state that the     * framework should attempt to preserve when possible. This flag is reference counted,     * so every call to setHasTransientState(true) should be paired with a later call     * to setHasTransientState(false).     *     * <p>A view with transient state cannot be trivially rebound from an external     * data source, such as an adapter binding item views in a list. This may be     * because the view is performing an animation, tracking user selection     * of content, or similar.</p>     *     * @param hasTransientState true if this view has transient state     */    public void setHasTransientState(boolean hasTransientState) {        mTransientStateCount = hasTransientState ? mTransientStateCount + 1 :                mTransientStateCount - 1;        if (mTransientStateCount < 0) {            mTransientStateCount = 0;            Log.e(VIEW_LOG_TAG, "hasTransientState decremented below 0: " +                    "unmatched pair of setHasTransientState calls");        } else if ((hasTransientState && mTransientStateCount == 1) ||                (!hasTransientState && mTransientStateCount == 0)) {            // update flag if we've just incremented up from 0 or decremented down to 0            mPrivateFlags2 = (mPrivateFlags2 & ~PFLAG2_HAS_TRANSIENT_STATE) |                    (hasTransientState ? PFLAG2_HAS_TRANSIENT_STATE : 0);            if (mParent != null) {                try {                    mParent.childHasTransientStateChanged(this, hasTransientState);                } catch (AbstractMethodError e) {                    Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                            " does not fully implement ViewParent", e);                }            }        }    }    /**     * Returns true if this view is currently attached to a window.     */    public boolean isAttachedToWindow() {        return mAttachInfo != null;    }    /**     * Returns true if this view has been through at least one layout since it     * was last attached to or detached from a window.     */    public boolean isLaidOut() {        return (mPrivateFlags3 & PFLAG3_IS_LAID_OUT) == PFLAG3_IS_LAID_OUT;    }    /**     * If this view doesn't do any drawing on its own, set this flag to     * allow further optimizations. By default, this flag is not set on     * View, but could be set on some View subclasses such as ViewGroup.     *     * Typically, if you override {@link #onDraw(android.graphics.Canvas)}     * you should clear this flag.     *     * @param willNotDraw whether or not this View draw on its own     */    public void setWillNotDraw(boolean willNotDraw) {        setFlags(willNotDraw ? WILL_NOT_DRAW : 0, DRAW_MASK);    }    /**     * Returns whether or not this View draws on its own.     *     * @return true if this view has nothing to draw, false otherwise     */    @ViewDebug.ExportedProperty(category = "drawing")    public boolean willNotDraw() {        return (mViewFlags & DRAW_MASK) == WILL_NOT_DRAW;    }    /**     * When a View's drawing cache is enabled, drawing is redirected to an     * offscreen bitmap. Some views, like an ImageView, must be able to     * bypass this mechanism if they already draw a single bitmap, to avoid     * unnecessary usage of the memory.     *     * @param willNotCacheDrawing true if this view does not cache its     *        drawing, false otherwise     */    public void setWillNotCacheDrawing(boolean willNotCacheDrawing) {        setFlags(willNotCacheDrawing ? WILL_NOT_CACHE_DRAWING : 0, WILL_NOT_CACHE_DRAWING);    }    /**     * Returns whether or not this View can cache its drawing or not.     *     * @return true if this view does not cache its drawing, false otherwise     */    @ViewDebug.ExportedProperty(category = "drawing")    public boolean willNotCacheDrawing() {        return (mViewFlags & WILL_NOT_CACHE_DRAWING) == WILL_NOT_CACHE_DRAWING;    }    /**     * Indicates whether this view reacts to click events or not.     *     * @return true if the view is clickable, false otherwise     *     * @see #setClickable(boolean)     * @attr ref android.R.styleable#View_clickable     */    @ViewDebug.ExportedProperty    public boolean isClickable() {        return (mViewFlags & CLICKABLE) == CLICKABLE;    }    /**     * Enables or disables click events for this view. When a view     * is clickable it will change its state to "pressed" on every click.     * Subclasses should set the view clickable to visually react to     * user's clicks.     *     * @param clickable true to make the view clickable, false otherwise     *     * @see #isClickable()     * @attr ref android.R.styleable#View_clickable     */    public void setClickable(boolean clickable) {        setFlags(clickable ? CLICKABLE : 0, CLICKABLE);    }    /**     * Indicates whether this view reacts to long click events or not.     *     * @return true if the view is long clickable, false otherwise     *     * @see #setLongClickable(boolean)     * @attr ref android.R.styleable#View_longClickable     */    public boolean isLongClickable() {        return (mViewFlags & LONG_CLICKABLE) == LONG_CLICKABLE;    }    /**     * Enables or disables long click events for this view. When a view is long     * clickable it reacts to the user holding down the button for a longer     * duration than a tap. This event can either launch the listener or a     * context menu.     *     * @param longClickable true to make the view long clickable, false otherwise     * @see #isLongClickable()     * @attr ref android.R.styleable#View_longClickable     */    public void setLongClickable(boolean longClickable) {        setFlags(longClickable ? LONG_CLICKABLE : 0, LONG_CLICKABLE);    }    /**     * Sets the pressed state for this view.     *     * @see #isClickable()     * @see #setClickable(boolean)     *     * @param pressed Pass true to set the View's internal state to "pressed", or false to reverts     *        the View's internal state from a previously set "pressed" state.     */    public void setPressed(boolean pressed) {        final boolean needsRefresh = pressed != ((mPrivateFlags & PFLAG_PRESSED) == PFLAG_PRESSED);        if (pressed) {            mPrivateFlags |= PFLAG_PRESSED;        } else {            mPrivateFlags &= ~PFLAG_PRESSED;        }        if (needsRefresh) {            refreshDrawableState();        }        dispatchSetPressed(pressed);    }    /**     * Dispatch setPressed to all of this View's children.     *     * @see #setPressed(boolean)     *     * @param pressed The new pressed state     */    protected void dispatchSetPressed(boolean pressed) {    }    /**     * Indicates whether the view is currently in pressed state. Unless     * {@link #setPressed(boolean)} is explicitly called, only clickable views can enter     * the pressed state.     *     * @see #setPressed(boolean)     * @see #isClickable()     * @see #setClickable(boolean)     *     * @return true if the view is currently pressed, false otherwise     */    public boolean isPressed() {        return (mPrivateFlags & PFLAG_PRESSED) == PFLAG_PRESSED;    }    /**     * Indicates whether this view will save its state (that is,     * whether its {@link #onSaveInstanceState} method will be called).     *     * @return Returns true if the view state saving is enabled, else false.     *     * @see #setSaveEnabled(boolean)     * @attr ref android.R.styleable#View_saveEnabled     */    public boolean isSaveEnabled() {        return (mViewFlags & SAVE_DISABLED_MASK) != SAVE_DISABLED;    }    /**     * Controls whether the saving of this view's state is     * enabled (that is, whether its {@link #onSaveInstanceState} method     * will be called).  Note that even if freezing is enabled, the     * view still must have an id assigned to it (via {@link #setId(int)})     * for its state to be saved.  This flag can only disable the     * saving of this view; any child views may still have their state saved.     *     * @param enabled Set to false to <em>disable</em> state saving, or true     * (the default) to allow it.     *     * @see #isSaveEnabled()     * @see #setId(int)     * @see #onSaveInstanceState()     * @attr ref android.R.styleable#View_saveEnabled     */    public void setSaveEnabled(boolean enabled) {        setFlags(enabled ? 0 : SAVE_DISABLED, SAVE_DISABLED_MASK);    }    /**     * Gets whether the framework should discard touches when the view's     * window is obscured by another visible window.     * Refer to the {@link View} security documentation for more details.     *     * @return True if touch filtering is enabled.     *     * @see #setFilterTouchesWhenObscured(boolean)     * @attr ref android.R.styleable#View_filterTouchesWhenObscured     */    @ViewDebug.ExportedProperty    public boolean getFilterTouchesWhenObscured() {        return (mViewFlags & FILTER_TOUCHES_WHEN_OBSCURED) != 0;    }    /**     * Sets whether the framework should discard touches when the view's     * window is obscured by another visible window.     * Refer to the {@link View} security documentation for more details.     *     * @param enabled True if touch filtering should be enabled.     *     * @see #getFilterTouchesWhenObscured     * @attr ref android.R.styleable#View_filterTouchesWhenObscured     */    public void setFilterTouchesWhenObscured(boolean enabled) {        setFlags(enabled ? 0 : FILTER_TOUCHES_WHEN_OBSCURED,                FILTER_TOUCHES_WHEN_OBSCURED);    }    /**     * Indicates whether the entire hierarchy under this view will save its     * state when a state saving traversal occurs from its parent.  The default     * is true; if false, these views will not be saved unless     * {@link #saveHierarchyState(SparseArray)} is called directly on this view.     *     * @return Returns true if the view state saving from parent is enabled, else false.     *     * @see #setSaveFromParentEnabled(boolean)     */    public boolean isSaveFromParentEnabled() {        return (mViewFlags & PARENT_SAVE_DISABLED_MASK) != PARENT_SAVE_DISABLED;    }    /**     * Controls whether the entire hierarchy under this view will save its     * state when a state saving traversal occurs from its parent.  The default     * is true; if false, these views will not be saved unless     * {@link #saveHierarchyState(SparseArray)} is called directly on this view.     *     * @param enabled Set to false to <em>disable</em> state saving, or true     * (the default) to allow it.     *     * @see #isSaveFromParentEnabled()     * @see #setId(int)     * @see #onSaveInstanceState()     */    public void setSaveFromParentEnabled(boolean enabled) {        setFlags(enabled ? 0 : PARENT_SAVE_DISABLED, PARENT_SAVE_DISABLED_MASK);    }    /**     * Returns whether this View is able to take focus.     *     * @return True if this view can take focus, or false otherwise.     * @attr ref android.R.styleable#View_focusable     */    @ViewDebug.ExportedProperty(category = "focus")    public final boolean isFocusable() {        return FOCUSABLE == (mViewFlags & FOCUSABLE_MASK);    }    /**     * When a view is focusable, it may not want to take focus when in touch mode.     * For example, a button would like focus when the user is navigating via a D-pad     * so that the user can click on it, but once the user starts touching the screen,     * the button shouldn't take focus     * @return Whether the view is focusable in touch mode.     * @attr ref android.R.styleable#View_focusableInTouchMode     */    @ViewDebug.ExportedProperty    public final boolean isFocusableInTouchMode() {        return FOCUSABLE_IN_TOUCH_MODE == (mViewFlags & FOCUSABLE_IN_TOUCH_MODE);    }    /**     * Find the nearest view in the specified direction that can take focus.     * This does not actually give focus to that view.     *     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT     *     * @return The nearest focusable in the specified direction, or null if none     *         can be found.     */    public View focusSearch(int direction) {        if (mParent != null) {            return mParent.focusSearch(this, direction);        } else {            return null;        }    }    /**     * This method is the last chance for the focused view and its ancestors to     * respond to an arrow key. This is called when the focused view did not     * consume the key internally, nor could the view system find a new view in     * the requested direction to give focus to.     *     * @param focused The currently focused view.     * @param direction The direction focus wants to move. One of FOCUS_UP,     *        FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT.     * @return True if the this view consumed this unhandled move.     */    public boolean dispatchUnhandledMove(View focused, int direction) {        return false;    }    /**     * If a user manually specified the next view id for a particular direction,     * use the root to look up the view.     * @param root The root view of the hierarchy containing this view.     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, FOCUS_RIGHT, FOCUS_FORWARD,     * or FOCUS_BACKWARD.     * @return The user specified next view, or null if there is none.     */    View findUserSetNextFocus(View root, int direction) {        switch (direction) {            case FOCUS_LEFT:                if (mNextFocusLeftId == View.NO_ID) return null;                return findViewInsideOutShouldExist(root, mNextFocusLeftId);            case FOCUS_RIGHT:                if (mNextFocusRightId == View.NO_ID) return null;                return findViewInsideOutShouldExist(root, mNextFocusRightId);            case FOCUS_UP:                if (mNextFocusUpId == View.NO_ID) return null;                return findViewInsideOutShouldExist(root, mNextFocusUpId);            case FOCUS_DOWN:                if (mNextFocusDownId == View.NO_ID) return null;                return findViewInsideOutShouldExist(root, mNextFocusDownId);            case FOCUS_FORWARD:                if (mNextFocusForwardId == View.NO_ID) return null;                return findViewInsideOutShouldExist(root, mNextFocusForwardId);            case FOCUS_BACKWARD: {                if (mID == View.NO_ID) return null;                final int id = mID;                return root.findViewByPredicateInsideOut(this, new Predicate<View>() {                    @Override                    public boolean apply(View t) {                        return t.mNextFocusForwardId == id;                    }                });            }        }        return null;    }    private View findViewInsideOutShouldExist(View root, int id) {        if (mMatchIdPredicate == null) {            mMatchIdPredicate = new MatchIdPredicate();        }        mMatchIdPredicate.mId = id;        View result = root.findViewByPredicateInsideOut(this, mMatchIdPredicate);        if (result == null) {            Log.w(VIEW_LOG_TAG, "couldn't find view with id " + id);        }        return result;    }    /**     * Find and return all focusable views that are descendants of this view,     * possibly including this view if it is focusable itself.     *     * @param direction The direction of the focus     * @return A list of focusable views     */    public ArrayList<View> getFocusables(int direction) {        ArrayList<View> result = new ArrayList<View>(24);        addFocusables(result, direction);        return result;    }    /**     * Add any focusable views that are descendants of this view (possibly     * including this view if it is focusable itself) to views.  If we are in touch mode,     * only add views that are also focusable in touch mode.     *     * @param views Focusable views found so far     * @param direction The direction of the focus     */    public void addFocusables(ArrayList<View> views, int direction) {        addFocusables(views, direction, FOCUSABLES_TOUCH_MODE);    }    /**     * Adds any focusable views that are descendants of this view (possibly     * including this view if it is focusable itself) to views. This method     * adds all focusable views regardless if we are in touch mode or     * only views focusable in touch mode if we are in touch mode or     * only views that can take accessibility focus if accessibility is enabeld     * depending on the focusable mode paramater.     *     * @param views Focusable views found so far or null if all we are interested is     *        the number of focusables.     * @param direction The direction of the focus.     * @param focusableMode The type of focusables to be added.     *     * @see #FOCUSABLES_ALL     * @see #FOCUSABLES_TOUCH_MODE     */    public void addFocusables(ArrayList<View> views, int direction, int focusableMode) {        if (views == null) {            return;        }        if (!isFocusable()) {            return;        }        if ((focusableMode & FOCUSABLES_TOUCH_MODE) == FOCUSABLES_TOUCH_MODE                && isInTouchMode() && !isFocusableInTouchMode()) {            return;        }        views.add(this);    }    /**     * Finds the Views that contain given text. The containment is case insensitive.     * The search is performed by either the text that the View renders or the content     * description that describes the view for accessibility purposes and the view does     * not render or both. Clients can specify how the search is to be performed via     * passing the {@link #FIND_VIEWS_WITH_TEXT} and     * {@link #FIND_VIEWS_WITH_CONTENT_DESCRIPTION} flags.     *     * @param outViews The output list of matching Views.     * @param searched The text to match against.     *     * @see #FIND_VIEWS_WITH_TEXT     * @see #FIND_VIEWS_WITH_CONTENT_DESCRIPTION     * @see #setContentDescription(CharSequence)     */    public void findViewsWithText(ArrayList<View> outViews, CharSequence searched, int flags) {        if (getAccessibilityNodeProvider() != null) {            if ((flags & FIND_VIEWS_WITH_ACCESSIBILITY_NODE_PROVIDERS) != 0) {                outViews.add(this);            }        } else if ((flags & FIND_VIEWS_WITH_CONTENT_DESCRIPTION) != 0                && (searched != null && searched.length() > 0)                && (mContentDescription != null && mContentDescription.length() > 0)) {            String searchedLowerCase = searched.toString().toLowerCase();            String contentDescriptionLowerCase = mContentDescription.toString().toLowerCase();            if (contentDescriptionLowerCase.contains(searchedLowerCase)) {                outViews.add(this);            }        }    }    /**     * Find and return all touchable views that are descendants of this view,     * possibly including this view if it is touchable itself.     *     * @return A list of touchable views     */    public ArrayList<View> getTouchables() {        ArrayList<View> result = new ArrayList<View>();        addTouchables(result);        return result;    }    /**     * Add any touchable views that are descendants of this view (possibly     * including this view if it is touchable itself) to views.     *     * @param views Touchable views found so far     */    public void addTouchables(ArrayList<View> views) {        final int viewFlags = mViewFlags;        if (((viewFlags & CLICKABLE) == CLICKABLE || (viewFlags & LONG_CLICKABLE) == LONG_CLICKABLE)                && (viewFlags & ENABLED_MASK) == ENABLED) {            views.add(this);        }    }    /**     * Returns whether this View is accessibility focused.     *     * @return True if this View is accessibility focused.     * @hide     */    public boolean isAccessibilityFocused() {        return (mPrivateFlags2 & PFLAG2_ACCESSIBILITY_FOCUSED) != 0;    }    /**     * Call this to try to give accessibility focus to this view.     *     * A view will not actually take focus if {@link AccessibilityManager#isEnabled()}     * returns false or the view is no visible or the view already has accessibility     * focus.     *     * See also {@link #focusSearch(int)}, which is what you call to say that you     * have focus, and you want your parent to look for the next one.     *     * @return Whether this view actually took accessibility focus.     *     * @hide     */    public boolean requestAccessibilityFocus() {        AccessibilityManager manager = AccessibilityManager.getInstance(mContext);        if (!manager.isEnabled() || !manager.isTouchExplorationEnabled()) {            return false;        }        if ((mViewFlags & VISIBILITY_MASK) != VISIBLE) {            return false;        }        if ((mPrivateFlags2 & PFLAG2_ACCESSIBILITY_FOCUSED) == 0) {            mPrivateFlags2 |= PFLAG2_ACCESSIBILITY_FOCUSED;            ViewRootImpl viewRootImpl = getViewRootImpl();            if (viewRootImpl != null) {                viewRootImpl.setAccessibilityFocus(this, null);            }            invalidate();            sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUSED);            return true;        }        return false;    }    /**     * Call this to try to clear accessibility focus of this view.     *     * See also {@link #focusSearch(int)}, which is what you call to say that you     * have focus, and you want your parent to look for the next one.     *     * @hide     */    public void clearAccessibilityFocus() {        clearAccessibilityFocusNoCallbacks();        // Clear the global reference of accessibility focus if this        // view or any of its descendants had accessibility focus.        ViewRootImpl viewRootImpl = getViewRootImpl();        if (viewRootImpl != null) {            View focusHost = viewRootImpl.getAccessibilityFocusedHost();            if (focusHost != null && ViewRootImpl.isViewDescendantOf(focusHost, this)) {                viewRootImpl.setAccessibilityFocus(null, null);            }        }    }    private void sendAccessibilityHoverEvent(int eventType) {        // Since we are not delivering to a client accessibility events from not        // important views (unless the clinet request that) we need to fire the        // event from the deepest view exposed to the client. As a consequence if        // the user crosses a not exposed view the client will see enter and exit        // of the exposed predecessor followed by and enter and exit of that same        // predecessor when entering and exiting the not exposed descendant. This        // is fine since the client has a clear idea which view is hovered at the        // price of a couple more events being sent. This is a simple and        // working solution.        View source = this;        while (true) {            if (source.includeForAccessibility()) {                source.sendAccessibilityEvent(eventType);                return;            }            ViewParent parent = source.getParent();            if (parent instanceof View) {                source = (View) parent;            } else {                return;            }        }    }    /**     * Clears accessibility focus without calling any callback methods     * normally invoked in {@link #clearAccessibilityFocus()}. This method     * is used for clearing accessibility focus when giving this focus to     * another view.     */    void clearAccessibilityFocusNoCallbacks() {        if ((mPrivateFlags2 & PFLAG2_ACCESSIBILITY_FOCUSED) != 0) {            mPrivateFlags2 &= ~PFLAG2_ACCESSIBILITY_FOCUSED;            invalidate();            sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_ACCESSIBILITY_FOCUS_CLEARED);        }    }    /**     * Call this to try to give focus to a specific view or to one of its     * descendants.     *     * A view will not actually take focus if it is not focusable ({@link #isFocusable} returns     * false), or if it is focusable and it is not focusable in touch mode     * ({@link #isFocusableInTouchMode}) while the device is in touch mode.     *     * See also {@link #focusSearch(int)}, which is what you call to say that you     * have focus, and you want your parent to look for the next one.     *     * This is equivalent to calling {@link #requestFocus(int, Rect)} with arguments     * {@link #FOCUS_DOWN} and <code>null</code>.     *     * @return Whether this view or one of its descendants actually took focus.     */    public final boolean requestFocus() {        return requestFocus(View.FOCUS_DOWN);    }    /**     * Call this to try to give focus to a specific view or to one of its     * descendants and give it a hint about what direction focus is heading.     *     * A view will not actually take focus if it is not focusable ({@link #isFocusable} returns     * false), or if it is focusable and it is not focusable in touch mode     * ({@link #isFocusableInTouchMode}) while the device is in touch mode.     *     * See also {@link #focusSearch(int)}, which is what you call to say that you     * have focus, and you want your parent to look for the next one.     *     * This is equivalent to calling {@link #requestFocus(int, Rect)} with     * <code>null</code> set for the previously focused rectangle.     *     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT     * @return Whether this view or one of its descendants actually took focus.     */    public final boolean requestFocus(int direction) {        return requestFocus(direction, null);    }    /**     * Call this to try to give focus to a specific view or to one of its descendants     * and give it hints about the direction and a specific rectangle that the focus     * is coming from.  The rectangle can help give larger views a finer grained hint     * about where focus is coming from, and therefore, where to show selection, or     * forward focus change internally.     *     * A view will not actually take focus if it is not focusable ({@link #isFocusable} returns     * false), or if it is focusable and it is not focusable in touch mode     * ({@link #isFocusableInTouchMode}) while the device is in touch mode.     *     * A View will not take focus if it is not visible.     *     * A View will not take focus if one of its parents has     * {@link android.view.ViewGroup#getDescendantFocusability()} equal to     * {@link ViewGroup#FOCUS_BLOCK_DESCENDANTS}.     *     * See also {@link #focusSearch(int)}, which is what you call to say that you     * have focus, and you want your parent to look for the next one.     *     * You may wish to override this method if your custom {@link View} has an internal     * {@link View} that it wishes to forward the request to.     *     * @param direction One of FOCUS_UP, FOCUS_DOWN, FOCUS_LEFT, and FOCUS_RIGHT     * @param previouslyFocusedRect The rectangle (in this View's coordinate system)     *        to give a finer grained hint about where focus is coming from.  May be null     *        if there is no hint.     * @return Whether this view or one of its descendants actually took focus.     */    public boolean requestFocus(int direction, Rect previouslyFocusedRect) {        return requestFocusNoSearch(direction, previouslyFocusedRect);    }    private boolean requestFocusNoSearch(int direction, Rect previouslyFocusedRect) {        // need to be focusable        if ((mViewFlags & FOCUSABLE_MASK) != FOCUSABLE ||                (mViewFlags & VISIBILITY_MASK) != VISIBLE) {            return false;        }        // need to be focusable in touch mode if in touch mode        if (isInTouchMode() &&            (FOCUSABLE_IN_TOUCH_MODE != (mViewFlags & FOCUSABLE_IN_TOUCH_MODE))) {               return false;        }        // need to not have any parents blocking us        if (hasAncestorThatBlocksDescendantFocus()) {            return false;        }        handleFocusGainInternal(direction, previouslyFocusedRect);        return true;    }    /**     * Call this to try to give focus to a specific view or to one of its descendants. This is a     * special variant of {@link #requestFocus() } that will allow views that are not focuable in     * touch mode to request focus when they are touched.     *     * @return Whether this view or one of its descendants actually took focus.     *     * @see #isInTouchMode()     *     */    public final boolean requestFocusFromTouch() {        // Leave touch mode if we need to        if (isInTouchMode()) {            ViewRootImpl viewRoot = getViewRootImpl();            if (viewRoot != null) {                viewRoot.ensureTouchMode(false);            }        }        return requestFocus(View.FOCUS_DOWN);    }    /**     * @return Whether any ancestor of this view blocks descendant focus.     */    private boolean hasAncestorThatBlocksDescendantFocus() {        ViewParent ancestor = mParent;        while (ancestor instanceof ViewGroup) {            final ViewGroup vgAncestor = (ViewGroup) ancestor;            if (vgAncestor.getDescendantFocusability() == ViewGroup.FOCUS_BLOCK_DESCENDANTS) {                return true;            } else {                ancestor = vgAncestor.getParent();            }        }        return false;    }    /**     * Gets the mode for determining whether this View is important for accessibility     * which is if it fires accessibility events and if it is reported to     * accessibility services that query the screen.     *     * @return The mode for determining whether a View is important for accessibility.     *     * @attr ref android.R.styleable#View_importantForAccessibility     *     * @see #IMPORTANT_FOR_ACCESSIBILITY_YES     * @see #IMPORTANT_FOR_ACCESSIBILITY_NO     * @see #IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS     * @see #IMPORTANT_FOR_ACCESSIBILITY_AUTO     */    @ViewDebug.ExportedProperty(category = "accessibility", mapping = {            @ViewDebug.IntToString(from = IMPORTANT_FOR_ACCESSIBILITY_AUTO, to = "auto"),            @ViewDebug.IntToString(from = IMPORTANT_FOR_ACCESSIBILITY_YES, to = "yes"),            @ViewDebug.IntToString(from = IMPORTANT_FOR_ACCESSIBILITY_NO, to = "no"),            @ViewDebug.IntToString(from = IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS,                    to = "noHideDescendants")        })    public int getImportantForAccessibility() {        return (mPrivateFlags2 & PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK)                >> PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT;    }    /**     * Sets the live region mode for this view. This indicates to accessibility     * services whether they should automatically notify the user about changes     * to the view's content description or text, or to the content descriptions     * or text of the view's children (where applicable).     * <p>     * For example, in a login screen with a TextView that displays an "incorrect     * password" notification, that view should be marked as a live region with     * mode {@link #ACCESSIBILITY_LIVE_REGION_POLITE}.     * <p>     * To disable change notifications for this view, use     * {@link #ACCESSIBILITY_LIVE_REGION_NONE}. This is the default live region     * mode for most views.     * <p>     * To indicate that the user should be notified of changes, use     * {@link #ACCESSIBILITY_LIVE_REGION_POLITE}.     * <p>     * If the view's changes should interrupt ongoing speech and notify the user     * immediately, use {@link #ACCESSIBILITY_LIVE_REGION_ASSERTIVE}.     *     * @param mode The live region mode for this view, one of:     *        <ul>     *        <li>{@link #ACCESSIBILITY_LIVE_REGION_NONE}     *        <li>{@link #ACCESSIBILITY_LIVE_REGION_POLITE}     *        <li>{@link #ACCESSIBILITY_LIVE_REGION_ASSERTIVE}     *        </ul>     * @attr ref android.R.styleable#View_accessibilityLiveRegion     */    public void setAccessibilityLiveRegion(int mode) {        if (mode != getAccessibilityLiveRegion()) {            mPrivateFlags2 &= ~PFLAG2_ACCESSIBILITY_LIVE_REGION_MASK;            mPrivateFlags2 |= (mode << PFLAG2_ACCESSIBILITY_LIVE_REGION_SHIFT)                    & PFLAG2_ACCESSIBILITY_LIVE_REGION_MASK;            notifyViewAccessibilityStateChangedIfNeeded(                    AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);        }    }    /**     * Gets the live region mode for this View.     *     * @return The live region mode for the view.     *     * @attr ref android.R.styleable#View_accessibilityLiveRegion     *     * @see #setAccessibilityLiveRegion(int)     */    public int getAccessibilityLiveRegion() {        return (mPrivateFlags2 & PFLAG2_ACCESSIBILITY_LIVE_REGION_MASK)                >> PFLAG2_ACCESSIBILITY_LIVE_REGION_SHIFT;    }    /**     * Sets how to determine whether this view is important for accessibility     * which is if it fires accessibility events and if it is reported to     * accessibility services that query the screen.     *     * @param mode How to determine whether this view is important for accessibility.     *     * @attr ref android.R.styleable#View_importantForAccessibility     *     * @see #IMPORTANT_FOR_ACCESSIBILITY_YES     * @see #IMPORTANT_FOR_ACCESSIBILITY_NO     * @see #IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS     * @see #IMPORTANT_FOR_ACCESSIBILITY_AUTO     */    public void setImportantForAccessibility(int mode) {        final int oldMode = getImportantForAccessibility();        if (mode != oldMode) {            // If we're moving between AUTO and another state, we might not need            // to send a subtree changed notification. We'll store the computed            // importance, since we'll need to check it later to make sure.            final boolean maySkipNotify = oldMode == IMPORTANT_FOR_ACCESSIBILITY_AUTO                    || mode == IMPORTANT_FOR_ACCESSIBILITY_AUTO;            final boolean oldIncludeForAccessibility = maySkipNotify && includeForAccessibility();            mPrivateFlags2 &= ~PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK;            mPrivateFlags2 |= (mode << PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT)                    & PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK;            if (!maySkipNotify || oldIncludeForAccessibility != includeForAccessibility()) {                notifySubtreeAccessibilityStateChangedIfNeeded();            } else {                notifyViewAccessibilityStateChangedIfNeeded(                        AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);            }        }    }    /**     * Gets whether this view should be exposed for accessibility.     *     * @return Whether the view is exposed for accessibility.     *     * @hide     */    public boolean isImportantForAccessibility() {        final int mode = (mPrivateFlags2 & PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_MASK)                >> PFLAG2_IMPORTANT_FOR_ACCESSIBILITY_SHIFT;        if (mode == IMPORTANT_FOR_ACCESSIBILITY_NO                || mode == IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS) {            return false;        }        // Check parent mode to ensure we're not hidden.        ViewParent parent = mParent;        while (parent instanceof View) {            if (((View) parent).getImportantForAccessibility()                    == IMPORTANT_FOR_ACCESSIBILITY_NO_HIDE_DESCENDANTS) {                return false;            }            parent = parent.getParent();        }        return mode == IMPORTANT_FOR_ACCESSIBILITY_YES || isActionableForAccessibility()                || hasListenersForAccessibility() || getAccessibilityNodeProvider() != null                || getAccessibilityLiveRegion() != ACCESSIBILITY_LIVE_REGION_NONE;    }    /**     * Gets the parent for accessibility purposes. Note that the parent for     * accessibility is not necessary the immediate parent. It is the first     * predecessor that is important for accessibility.     *     * @return The parent for accessibility purposes.     */    public ViewParent getParentForAccessibility() {        if (mParent instanceof View) {            View parentView = (View) mParent;            if (parentView.includeForAccessibility()) {                return mParent;            } else {                return mParent.getParentForAccessibility();            }        }        return null;    }    /**     * Adds the children of a given View for accessibility. Since some Views are     * not important for accessibility the children for accessibility are not     * necessarily direct children of the view, rather they are the first level of     * descendants important for accessibility.     *     * @param children The list of children for accessibility.     */    public void addChildrenForAccessibility(ArrayList<View> children) {        if (includeForAccessibility()) {            children.add(this);        }    }    /**     * Whether to regard this view for accessibility. A view is regarded for     * accessibility if it is important for accessibility or the querying     * accessibility service has explicitly requested that view not     * important for accessibility are regarded.     *     * @return Whether to regard the view for accessibility.     *     * @hide     */    public boolean includeForAccessibility() {        //noinspection SimplifiableIfStatement        if (mAttachInfo != null) {            return (mAttachInfo.mAccessibilityFetchFlags                    & AccessibilityNodeInfo.FLAG_INCLUDE_NOT_IMPORTANT_VIEWS) != 0                    || isImportantForAccessibility();        }        return false;    }    /**     * Returns whether the View is considered actionable from     * accessibility perspective. Such view are important for     * accessibility.     *     * @return True if the view is actionable for accessibility.     *     * @hide     */    public boolean isActionableForAccessibility() {        return (isClickable() || isLongClickable() || isFocusable());    }    /**     * Returns whether the View has registered callbacks wich makes it     * important for accessibility.     *     * @return True if the view is actionable for accessibility.     */    private boolean hasListenersForAccessibility() {        ListenerInfo info = getListenerInfo();        return mTouchDelegate != null || info.mOnKeyListener != null                || info.mOnTouchListener != null || info.mOnGenericMotionListener != null                || info.mOnHoverListener != null || info.mOnDragListener != null;    }    /**     * Notifies that the accessibility state of this view changed. The change     * is local to this view and does not represent structural changes such     * as children and parent. For example, the view became focusable. The     * notification is at at most once every     * {@link ViewConfiguration#getSendRecurringAccessibilityEventsInterval()}     * to avoid unnecessary load to the system. Also once a view has a pending     * notifucation this method is a NOP until the notification has been sent.     *     * @hide     */    public void notifyViewAccessibilityStateChangedIfNeeded(int changeType) {        if (!AccessibilityManager.getInstance(mContext).isEnabled()) {            return;        }        if (mSendViewStateChangedAccessibilityEvent == null) {            mSendViewStateChangedAccessibilityEvent =                    new SendViewStateChangedAccessibilityEvent();        }        mSendViewStateChangedAccessibilityEvent.runOrPost(changeType);    }    /**     * Notifies that the accessibility state of this view changed. The change     * is *not* local to this view and does represent structural changes such     * as children and parent. For example, the view size changed. The     * notification is at at most once every     * {@link ViewConfiguration#getSendRecurringAccessibilityEventsInterval()}     * to avoid unnecessary load to the system. Also once a view has a pending     * notifucation this method is a NOP until the notification has been sent.     *     * @hide     */    public void notifySubtreeAccessibilityStateChangedIfNeeded() {        if (!AccessibilityManager.getInstance(mContext).isEnabled()) {            return;        }        if ((mPrivateFlags2 & PFLAG2_SUBTREE_ACCESSIBILITY_STATE_CHANGED) == 0) {            mPrivateFlags2 |= PFLAG2_SUBTREE_ACCESSIBILITY_STATE_CHANGED;            if (mParent != null) {                try {                    mParent.notifySubtreeAccessibilityStateChanged(                            this, this, AccessibilityEvent.CONTENT_CHANGE_TYPE_SUBTREE);                } catch (AbstractMethodError e) {                    Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                            " does not fully implement ViewParent", e);                }            }        }    }    /**     * Reset the flag indicating the accessibility state of the subtree rooted     * at this view changed.     */    void resetSubtreeAccessibilityStateChanged() {        mPrivateFlags2 &= ~PFLAG2_SUBTREE_ACCESSIBILITY_STATE_CHANGED;    }    /**     * Performs the specified accessibility action on the view. For     * possible accessibility actions look at {@link AccessibilityNodeInfo}.     * <p>     * If an {@link AccessibilityDelegate} has been specified via calling     * {@link #setAccessibilityDelegate(AccessibilityDelegate)} its     * {@link AccessibilityDelegate#performAccessibilityAction(View, int, Bundle)}     * is responsible for handling this call.     * </p>     *     * @param action The action to perform.     * @param arguments Optional action arguments.     * @return Whether the action was performed.     */    public boolean performAccessibilityAction(int action, Bundle arguments) {      if (mAccessibilityDelegate != null) {          return mAccessibilityDelegate.performAccessibilityAction(this, action, arguments);      } else {          return performAccessibilityActionInternal(action, arguments);      }    }   /**    * @see #performAccessibilityAction(int, Bundle)    *    * Note: Called from the default {@link AccessibilityDelegate}.    */    boolean performAccessibilityActionInternal(int action, Bundle arguments) {        switch (action) {            case AccessibilityNodeInfo.ACTION_CLICK: {                if (isClickable()) {                    performClick();                    return true;                }            } break;            case AccessibilityNodeInfo.ACTION_LONG_CLICK: {                if (isLongClickable()) {                    performLongClick();                    return true;                }            } break;            case AccessibilityNodeInfo.ACTION_FOCUS: {                if (!hasFocus()) {                    // Get out of touch mode since accessibility                    // wants to move focus around.                    getViewRootImpl().ensureTouchMode(false);                    return requestFocus();                }            } break;            case AccessibilityNodeInfo.ACTION_CLEAR_FOCUS: {                if (hasFocus()) {                    clearFocus();                    return !isFocused();                }            } break;            case AccessibilityNodeInfo.ACTION_SELECT: {                if (!isSelected()) {                    setSelected(true);                    return isSelected();                }            } break;            case AccessibilityNodeInfo.ACTION_CLEAR_SELECTION: {                if (isSelected()) {                    setSelected(false);                    return !isSelected();                }            } break;            case AccessibilityNodeInfo.ACTION_ACCESSIBILITY_FOCUS: {                if (!isAccessibilityFocused()) {                    return requestAccessibilityFocus();                }            } break;            case AccessibilityNodeInfo.ACTION_CLEAR_ACCESSIBILITY_FOCUS: {                if (isAccessibilityFocused()) {                    clearAccessibilityFocus();                    return true;                }            } break;            case AccessibilityNodeInfo.ACTION_NEXT_AT_MOVEMENT_GRANULARITY: {                if (arguments != null) {                    final int granularity = arguments.getInt(                            AccessibilityNodeInfo.ACTION_ARGUMENT_MOVEMENT_GRANULARITY_INT);                    final boolean extendSelection = arguments.getBoolean(                            AccessibilityNodeInfo.ACTION_ARGUMENT_EXTEND_SELECTION_BOOLEAN);                    return traverseAtGranularity(granularity, true, extendSelection);                }            } break;            case AccessibilityNodeInfo.ACTION_PREVIOUS_AT_MOVEMENT_GRANULARITY: {                if (arguments != null) {                    final int granularity = arguments.getInt(                            AccessibilityNodeInfo.ACTION_ARGUMENT_MOVEMENT_GRANULARITY_INT);                    final boolean extendSelection = arguments.getBoolean(                            AccessibilityNodeInfo.ACTION_ARGUMENT_EXTEND_SELECTION_BOOLEAN);                    return traverseAtGranularity(granularity, false, extendSelection);                }            } break;            case AccessibilityNodeInfo.ACTION_SET_SELECTION: {                CharSequence text = getIterableTextForAccessibility();                if (text == null) {                    return false;                }                final int start = (arguments != null) ? arguments.getInt(                        AccessibilityNodeInfo.ACTION_ARGUMENT_SELECTION_START_INT, -1) : -1;                final int end = (arguments != null) ? arguments.getInt(                AccessibilityNodeInfo.ACTION_ARGUMENT_SELECTION_END_INT, -1) : -1;                // Only cursor position can be specified (selection length == 0)                if ((getAccessibilitySelectionStart() != start                        || getAccessibilitySelectionEnd() != end)                        && (start == end)) {                    setAccessibilitySelection(start, end);                    notifyViewAccessibilityStateChangedIfNeeded(                            AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);                    return true;                }            } break;        }        return false;    }    private boolean traverseAtGranularity(int granularity, boolean forward,            boolean extendSelection) {        CharSequence text = getIterableTextForAccessibility();        if (text == null || text.length() == 0) {            return false;        }        TextSegmentIterator iterator = getIteratorForGranularity(granularity);        if (iterator == null) {            return false;        }        int current = getAccessibilitySelectionEnd();        if (current == ACCESSIBILITY_CURSOR_POSITION_UNDEFINED) {            current = forward ? 0 : text.length();        }        final int[] range = forward ? iterator.following(current) : iterator.preceding(current);        if (range == null) {            return false;        }        final int segmentStart = range[0];        final int segmentEnd = range[1];        int selectionStart;        int selectionEnd;        if (extendSelection && isAccessibilitySelectionExtendable()) {            selectionStart = getAccessibilitySelectionStart();            if (selectionStart == ACCESSIBILITY_CURSOR_POSITION_UNDEFINED) {                selectionStart = forward ? segmentStart : segmentEnd;            }            selectionEnd = forward ? segmentEnd : segmentStart;        } else {            selectionStart = selectionEnd= forward ? segmentEnd : segmentStart;        }        setAccessibilitySelection(selectionStart, selectionEnd);        final int action = forward ? AccessibilityNodeInfo.ACTION_NEXT_AT_MOVEMENT_GRANULARITY                : AccessibilityNodeInfo.ACTION_PREVIOUS_AT_MOVEMENT_GRANULARITY;        sendViewTextTraversedAtGranularityEvent(action, granularity, segmentStart, segmentEnd);        return true;    }    /**     * Gets the text reported for accessibility purposes.     *     * @return The accessibility text.     *     * @hide     */    public CharSequence getIterableTextForAccessibility() {        return getContentDescription();    }    /**     * Gets whether accessibility selection can be extended.     *     * @return If selection is extensible.     *     * @hide     */    public boolean isAccessibilitySelectionExtendable() {        return false;    }    /**     * @hide     */    public int getAccessibilitySelectionStart() {        return mAccessibilityCursorPosition;    }    /**     * @hide     */    public int getAccessibilitySelectionEnd() {        return getAccessibilitySelectionStart();    }    /**     * @hide     */    public void setAccessibilitySelection(int start, int end) {        if (start ==  end && end == mAccessibilityCursorPosition) {            return;        }        if (start >= 0 && start == end && end <= getIterableTextForAccessibility().length()) {            mAccessibilityCursorPosition = start;        } else {            mAccessibilityCursorPosition = ACCESSIBILITY_CURSOR_POSITION_UNDEFINED;        }        sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_TEXT_SELECTION_CHANGED);    }    private void sendViewTextTraversedAtGranularityEvent(int action, int granularity,            int fromIndex, int toIndex) {        if (mParent == null) {            return;        }        AccessibilityEvent event = AccessibilityEvent.obtain(                AccessibilityEvent.TYPE_VIEW_TEXT_TRAVERSED_AT_MOVEMENT_GRANULARITY);        onInitializeAccessibilityEvent(event);        onPopulateAccessibilityEvent(event);        event.setFromIndex(fromIndex);        event.setToIndex(toIndex);        event.setAction(action);        event.setMovementGranularity(granularity);        mParent.requestSendAccessibilityEvent(this, event);    }    /**     * @hide     */    public TextSegmentIterator getIteratorForGranularity(int granularity) {        switch (granularity) {            case AccessibilityNodeInfo.MOVEMENT_GRANULARITY_CHARACTER: {                CharSequence text = getIterableTextForAccessibility();                if (text != null && text.length() > 0) {                    CharacterTextSegmentIterator iterator =                        CharacterTextSegmentIterator.getInstance(                                mContext.getResources().getConfiguration().locale);                    iterator.initialize(text.toString());                    return iterator;                }            } break;            case AccessibilityNodeInfo.MOVEMENT_GRANULARITY_WORD: {                CharSequence text = getIterableTextForAccessibility();                if (text != null && text.length() > 0) {                    WordTextSegmentIterator iterator =                        WordTextSegmentIterator.getInstance(                                mContext.getResources().getConfiguration().locale);                    iterator.initialize(text.toString());                    return iterator;                }            } break;            case AccessibilityNodeInfo.MOVEMENT_GRANULARITY_PARAGRAPH: {                CharSequence text = getIterableTextForAccessibility();                if (text != null && text.length() > 0) {                    ParagraphTextSegmentIterator iterator =                        ParagraphTextSegmentIterator.getInstance();                    iterator.initialize(text.toString());                    return iterator;                }            } break;        }        return null;    }    /**     * @hide     */    public void dispatchStartTemporaryDetach() {        clearDisplayList();        onStartTemporaryDetach();    }    /**     * This is called when a container is going to temporarily detach a child, with     * {@link ViewGroup#detachViewFromParent(View) ViewGroup.detachViewFromParent}.     * It will either be followed by {@link #onFinishTemporaryDetach()} or     * {@link #onDetachedFromWindow()} when the container is done.     */    public void onStartTemporaryDetach() {        removeUnsetPressCallback();        mPrivateFlags |= PFLAG_CANCEL_NEXT_UP_EVENT;    }    /**     * @hide     */    public void dispatchFinishTemporaryDetach() {        onFinishTemporaryDetach();    }    /**     * Called after {@link #onStartTemporaryDetach} when the container is done     * changing the view.     */    public void onFinishTemporaryDetach() {    }    /**     * Return the global {@link KeyEvent.DispatcherState KeyEvent.DispatcherState}     * for this view's window.  Returns null if the view is not currently attached     * to the window.  Normally you will not need to use this directly, but     * just use the standard high-level event callbacks like     * {@link #onKeyDown(int, KeyEvent)}.     */    public KeyEvent.DispatcherState getKeyDispatcherState() {        return mAttachInfo != null ? mAttachInfo.mKeyDispatchState : null;    }    /**     * Dispatch a key event before it is processed by any input method     * associated with the view hierarchy.  This can be used to intercept     * key events in special situations before the IME consumes them; a     * typical example would be handling the BACK key to update the application's     * UI instead of allowing the IME to see it and close itself.     *     * @param event The key event to be dispatched.     * @return True if the event was handled, false otherwise.     */    public boolean dispatchKeyEventPreIme(KeyEvent event) {        return onKeyPreIme(event.getKeyCode(), event);    }    /**     * Dispatch a key event to the next view on the focus path. This path runs     * from the top of the view tree down to the currently focused view. If this     * view has focus, it will dispatch to itself. Otherwise it will dispatch     * the next node down the focus path. This method also fires any key     * listeners.     *     * @param event The key event to be dispatched.     * @return True if the event was handled, false otherwise.     */    public boolean dispatchKeyEvent(KeyEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onKeyEvent(event, 0);        }        // Give any attached key listener a first crack at the event.        //noinspection SimplifiableIfStatement        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnKeyListener != null && (mViewFlags & ENABLED_MASK) == ENABLED                && li.mOnKeyListener.onKey(this, event.getKeyCode(), event)) {            return true;        }        if (event.dispatch(this, mAttachInfo != null                ? mAttachInfo.mKeyDispatchState : null, this)) {            return true;        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 0);        }        return false;    }    /**     * Dispatches a key shortcut event.     *     * @param event The key event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    public boolean dispatchKeyShortcutEvent(KeyEvent event) {        return onKeyShortcut(event.getKeyCode(), event);    }    /**     * Pass the touch screen motion event down to the target view, or this     * view if it is the target.     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    public boolean dispatchTouchEvent(MotionEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onTouchEvent(event, 0);        }        if (onFilterTouchEventForSecurity(event)) {            //noinspection SimplifiableIfStatement            ListenerInfo li = mListenerInfo;            if (li != null && li.mOnTouchListener != null && (mViewFlags & ENABLED_MASK) == ENABLED                    && li.mOnTouchListener.onTouch(this, event)) {                return true;            }            if (onTouchEvent(event)) {                return true;            }        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 0);        }        return false;    }    /**     * Filter the touch event to apply security policies.     *     * @param event The motion event to be filtered.     * @return True if the event should be dispatched, false if the event should be dropped.     *     * @see #getFilterTouchesWhenObscured     */    public boolean onFilterTouchEventForSecurity(MotionEvent event) {        //noinspection RedundantIfStatement        if ((mViewFlags & FILTER_TOUCHES_WHEN_OBSCURED) != 0                && (event.getFlags() & MotionEvent.FLAG_WINDOW_IS_OBSCURED) != 0) {            // Window is obscured, drop this touch.            return false;        }        return true;    }    /**     * Pass a trackball motion event down to the focused view.     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    public boolean dispatchTrackballEvent(MotionEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onTrackballEvent(event, 0);        }        return onTrackballEvent(event);    }    /**     * Dispatch a generic motion event.     * <p>     * Generic motion events with source class {@link InputDevice#SOURCE_CLASS_POINTER}     * are delivered to the view under the pointer.  All other generic motion events are     * delivered to the focused view.  Hover events are handled specially and are delivered     * to {@link #onHoverEvent(MotionEvent)}.     * </p>     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    public boolean dispatchGenericMotionEvent(MotionEvent event) {        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onGenericMotionEvent(event, 0);        }        final int source = event.getSource();        if ((source & InputDevice.SOURCE_CLASS_POINTER) != 0) {            final int action = event.getAction();            if (action == MotionEvent.ACTION_HOVER_ENTER                    || action == MotionEvent.ACTION_HOVER_MOVE                    || action == MotionEvent.ACTION_HOVER_EXIT) {                if (dispatchHoverEvent(event)) {                    return true;                }            } else if (dispatchGenericPointerEvent(event)) {                return true;            }        } else if (dispatchGenericFocusedEvent(event)) {            return true;        }        if (dispatchGenericMotionEventInternal(event)) {            return true;        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 0);        }        return false;    }    private boolean dispatchGenericMotionEventInternal(MotionEvent event) {        //noinspection SimplifiableIfStatement        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnGenericMotionListener != null                && (mViewFlags & ENABLED_MASK) == ENABLED                && li.mOnGenericMotionListener.onGenericMotion(this, event)) {            return true;        }        if (onGenericMotionEvent(event)) {            return true;        }        if (mInputEventConsistencyVerifier != null) {            mInputEventConsistencyVerifier.onUnhandledEvent(event, 0);        }        return false;    }    /**     * Dispatch a hover event.     * <p>     * Do not call this method directly.     * Call {@link #dispatchGenericMotionEvent(MotionEvent)} instead.     * </p>     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    protected boolean dispatchHoverEvent(MotionEvent event) {        ListenerInfo li = mListenerInfo;        //noinspection SimplifiableIfStatement        if (li != null && li.mOnHoverListener != null                && (mViewFlags & ENABLED_MASK) == ENABLED                && li.mOnHoverListener.onHover(this, event)) {            return true;        }        return onHoverEvent(event);    }    /**     * Returns true if the view has a child to which it has recently sent     * {@link MotionEvent#ACTION_HOVER_ENTER}.  If this view is hovered and     * it does not have a hovered child, then it must be the innermost hovered view.     * @hide     */    protected boolean hasHoveredChild() {        return false;    }    /**     * Dispatch a generic motion event to the view under the first pointer.     * <p>     * Do not call this method directly.     * Call {@link #dispatchGenericMotionEvent(MotionEvent)} instead.     * </p>     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    protected boolean dispatchGenericPointerEvent(MotionEvent event) {        return false;    }    /**     * Dispatch a generic motion event to the currently focused view.     * <p>     * Do not call this method directly.     * Call {@link #dispatchGenericMotionEvent(MotionEvent)} instead.     * </p>     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     */    protected boolean dispatchGenericFocusedEvent(MotionEvent event) {        return false;    }    /**     * Dispatch a pointer event.     * <p>     * Dispatches touch related pointer events to {@link #onTouchEvent(MotionEvent)} and all     * other events to {@link #onGenericMotionEvent(MotionEvent)}.  This separation of concerns     * reinforces the invariant that {@link #onTouchEvent(MotionEvent)} is really about touches     * and should not be expected to handle other pointing device features.     * </p>     *     * @param event The motion event to be dispatched.     * @return True if the event was handled by the view, false otherwise.     * @hide     */    public final boolean dispatchPointerEvent(MotionEvent event) {        if (event.isTouchEvent()) {            return dispatchTouchEvent(event);        } else {            return dispatchGenericMotionEvent(event);        }    }    /**     * Called when the window containing this view gains or loses window focus.     * ViewGroups should override to route to their children.     *     * @param hasFocus True if the window containing this view now has focus,     *        false otherwise.     */    public void dispatchWindowFocusChanged(boolean hasFocus) {        onWindowFocusChanged(hasFocus);    }    /**     * Called when the window containing this view gains or loses focus.  Note     * that this is separate from view focus: to receive key events, both     * your view and its window must have focus.  If a window is displayed     * on top of yours that takes input focus, then your own window will lose     * focus but the view focus will remain unchanged.     *     * @param hasWindowFocus True if the window containing this view now has     *        focus, false otherwise.     */    public void onWindowFocusChanged(boolean hasWindowFocus) {        InputMethodManager imm = InputMethodManager.peekInstance();        if (!hasWindowFocus) {            if (isPressed()) {                setPressed(false);            }            if (imm != null && (mPrivateFlags & PFLAG_FOCUSED) != 0) {                imm.focusOut(this);            }            removeLongPressCallback();            removeTapCallback();            onFocusLost();        } else if (imm != null && (mPrivateFlags & PFLAG_FOCUSED) != 0) {            imm.focusIn(this);        }        refreshDrawableState();    }    /**     * Returns true if this view is in a window that currently has window focus.     * Note that this is not the same as the view itself having focus.     *     * @return True if this view is in a window that currently has window focus.     */    public boolean hasWindowFocus() {        return mAttachInfo != null && mAttachInfo.mHasWindowFocus;    }    /**     * Dispatch a view visibility change down the view hierarchy.     * ViewGroups should override to route to their children.     * @param changedView The view whose visibility changed. Could be 'this' or     * an ancestor view.     * @param visibility The new visibility of changedView: {@link #VISIBLE},     * {@link #INVISIBLE} or {@link #GONE}.     */    protected void dispatchVisibilityChanged(View changedView, int visibility) {        onVisibilityChanged(changedView, visibility);    }    /**     * Called when the visibility of the view or an ancestor of the view is changed.     * @param changedView The view whose visibility changed. Could be 'this' or     * an ancestor view.     * @param visibility The new visibility of changedView: {@link #VISIBLE},     * {@link #INVISIBLE} or {@link #GONE}.     */    protected void onVisibilityChanged(View changedView, int visibility) {        if (visibility == VISIBLE) {            if (mAttachInfo != null) {                initialAwakenScrollBars();            } else {                mPrivateFlags |= PFLAG_AWAKEN_SCROLL_BARS_ON_ATTACH;            }        }    }    /**     * Dispatch a hint about whether this view is displayed. For instance, when     * a View moves out of the screen, it might receives a display hint indicating     * the view is not displayed. Applications should not <em>rely</em> on this hint     * as there is no guarantee that they will receive one.     *     * @param hint A hint about whether or not this view is displayed:     * {@link #VISIBLE} or {@link #INVISIBLE}.     */    public void dispatchDisplayHint(int hint) {        onDisplayHint(hint);    }    /**     * Gives this view a hint about whether is displayed or not. For instance, when     * a View moves out of the screen, it might receives a display hint indicating     * the view is not displayed. Applications should not <em>rely</em> on this hint     * as there is no guarantee that they will receive one.     *     * @param hint A hint about whether or not this view is displayed:     * {@link #VISIBLE} or {@link #INVISIBLE}.     */    protected void onDisplayHint(int hint) {    }    /**     * Dispatch a window visibility change down the view hierarchy.     * ViewGroups should override to route to their children.     *     * @param visibility The new visibility of the window.     *     * @see #onWindowVisibilityChanged(int)     */    public void dispatchWindowVisibilityChanged(int visibility) {        onWindowVisibilityChanged(visibility);    }    /**     * Called when the window containing has change its visibility     * (between {@link #GONE}, {@link #INVISIBLE}, and {@link #VISIBLE}).  Note     * that this tells you whether or not your window is being made visible     * to the window manager; this does <em>not</em> tell you whether or not     * your window is obscured by other windows on the screen, even if it     * is itself visible.     *     * @param visibility The new visibility of the window.     */    protected void onWindowVisibilityChanged(int visibility) {        if (visibility == VISIBLE) {            initialAwakenScrollBars();        }    }    /**     * Returns the current visibility of the window this view is attached to     * (either {@link #GONE}, {@link #INVISIBLE}, or {@link #VISIBLE}).     *     * @return Returns the current visibility of the view's window.     */    public int getWindowVisibility() {        return mAttachInfo != null ? mAttachInfo.mWindowVisibility : GONE;    }    /**     * Retrieve the overall visible display size in which the window this view is     * attached to has been positioned in.  This takes into account screen     * decorations above the window, for both cases where the window itself     * is being position inside of them or the window is being placed under     * then and covered insets are used for the window to position its content     * inside.  In effect, this tells you the available area where content can     * be placed and remain visible to users.     *     * <p>This function requires an IPC back to the window manager to retrieve     * the requested information, so should not be used in performance critical     * code like drawing.     *     * @param outRect Filled in with the visible display frame.  If the view     * is not attached to a window, this is simply the raw display size.     */    public void getWindowVisibleDisplayFrame(Rect outRect) {        if (mAttachInfo != null) {            try {                mAttachInfo.mSession.getDisplayFrame(mAttachInfo.mWindow, outRect);            } catch (RemoteException e) {                return;            }            // XXX This is really broken, and probably all needs to be done            // in the window manager, and we need to know more about whether            // we want the area behind or in front of the IME.            final Rect insets = mAttachInfo.mVisibleInsets;            outRect.left += insets.left;            outRect.top += insets.top;            outRect.right -= insets.right;            outRect.bottom -= insets.bottom;            return;        }        // The view is not attached to a display so we don't have a context.        // Make a best guess about the display size.        Display d = DisplayManagerGlobal.getInstance().getRealDisplay(Display.DEFAULT_DISPLAY);        d.getRectSize(outRect);    }    /**     * Dispatch a notification about a resource configuration change down     * the view hierarchy.     * ViewGroups should override to route to their children.     *     * @param newConfig The new resource configuration.     *     * @see #onConfigurationChanged(android.content.res.Configuration)     */    public void dispatchConfigurationChanged(Configuration newConfig) {        onConfigurationChanged(newConfig);    }    /**     * Called when the current configuration of the resources being used     * by the application have changed.  You can use this to decide when     * to reload resources that can changed based on orientation and other     * configuration characterstics.  You only need to use this if you are     * not relying on the normal {@link android.app.Activity} mechanism of     * recreating the activity instance upon a configuration change.     *     * @param newConfig The new resource configuration.     */    protected void onConfigurationChanged(Configuration newConfig) {    }    /**     * Private function to aggregate all per-view attributes in to the view     * root.     */    void dispatchCollectViewAttributes(AttachInfo attachInfo, int visibility) {        performCollectViewAttributes(attachInfo, visibility);    }    void performCollectViewAttributes(AttachInfo attachInfo, int visibility) {        if ((visibility & VISIBILITY_MASK) == VISIBLE) {            if ((mViewFlags & KEEP_SCREEN_ON) == KEEP_SCREEN_ON) {                attachInfo.mKeepScreenOn = true;            }            attachInfo.mSystemUiVisibility |= mSystemUiVisibility;            ListenerInfo li = mListenerInfo;            if (li != null && li.mOnSystemUiVisibilityChangeListener != null) {                attachInfo.mHasSystemUiListeners = true;            }        }    }    void needGlobalAttributesUpdate(boolean force) {        final AttachInfo ai = mAttachInfo;        if (ai != null && !ai.mRecomputeGlobalAttributes) {            if (force || ai.mKeepScreenOn || (ai.mSystemUiVisibility != 0)                    || ai.mHasSystemUiListeners) {                ai.mRecomputeGlobalAttributes = true;            }        }    }    /**     * Returns whether the device is currently in touch mode.  Touch mode is entered     * once the user begins interacting with the device by touch, and affects various     * things like whether focus is always visible to the user.     *     * @return Whether the device is in touch mode.     */    @ViewDebug.ExportedProperty    public boolean isInTouchMode() {        if (mAttachInfo != null) {            return mAttachInfo.mInTouchMode;        } else {            return ViewRootImpl.isInTouchMode();        }    }    /**     * Returns the context the view is running in, through which it can     * access the current theme, resources, etc.     *     * @return The view's Context.     */    @ViewDebug.CapturedViewProperty    public final Context getContext() {        return mContext;    }    /**     * Handle a key event before it is processed by any input method     * associated with the view hierarchy.  This can be used to intercept     * key events in special situations before the IME consumes them; a     * typical example would be handling the BACK key to update the application's     * UI instead of allowing the IME to see it and close itself.     *     * @param keyCode The value in event.getKeyCode().     * @param event Description of the key event.     * @return If you handled the event, return true. If you want to allow the     *         event to be handled by the next receiver, return false.     */    public boolean onKeyPreIme(int keyCode, KeyEvent event) {        return false;    }    /**     * Default implementation of {@link KeyEvent.Callback#onKeyDown(int, KeyEvent)     * KeyEvent.Callback.onKeyDown()}: perform press of the view     * when {@link KeyEvent#KEYCODE_DPAD_CENTER} or {@link KeyEvent#KEYCODE_ENTER}     * is released, if the view is enabled and clickable.     *     * <p>Key presses in software keyboards will generally NOT trigger this listener,     * although some may elect to do so in some situations. Do not rely on this to     * catch software key presses.     *     * @param keyCode A key code that represents the button pressed, from     *                {@link android.view.KeyEvent}.     * @param event   The KeyEvent object that defines the button action.     */    public boolean onKeyDown(int keyCode, KeyEvent event) {        boolean result = false;        if (KeyEvent.isConfirmKey(keyCode)) {            if ((mViewFlags & ENABLED_MASK) == DISABLED) {                return true;            }            // Long clickable items don't necessarily have to be clickable            if (((mViewFlags & CLICKABLE) == CLICKABLE ||                    (mViewFlags & LONG_CLICKABLE) == LONG_CLICKABLE) &&                    (event.getRepeatCount() == 0)) {                setPressed(true);                checkForLongClick(0);                return true;            }        }        return result;    }    /**     * Default implementation of {@link KeyEvent.Callback#onKeyLongPress(int, KeyEvent)     * KeyEvent.Callback.onKeyLongPress()}: always returns false (doesn't handle     * the event).     * <p>Key presses in software keyboards will generally NOT trigger this listener,     * although some may elect to do so in some situations. Do not rely on this to     * catch software key presses.     */    public boolean onKeyLongPress(int keyCode, KeyEvent event) {        return false;    }    /**     * Default implementation of {@link KeyEvent.Callback#onKeyUp(int, KeyEvent)     * KeyEvent.Callback.onKeyUp()}: perform clicking of the view     * when {@link KeyEvent#KEYCODE_DPAD_CENTER} or     * {@link KeyEvent#KEYCODE_ENTER} is released.     * <p>Key presses in software keyboards will generally NOT trigger this listener,     * although some may elect to do so in some situations. Do not rely on this to     * catch software key presses.     *     * @param keyCode A key code that represents the button pressed, from     *                {@link android.view.KeyEvent}.     * @param event   The KeyEvent object that defines the button action.     */    public boolean onKeyUp(int keyCode, KeyEvent event) {        if (KeyEvent.isConfirmKey(keyCode)) {            if ((mViewFlags & ENABLED_MASK) == DISABLED) {                return true;            }            if ((mViewFlags & CLICKABLE) == CLICKABLE && isPressed()) {                setPressed(false);                if (!mHasPerformedLongPress) {                    // This is a tap, so remove the longpress check                    removeLongPressCallback();                    return performClick();                }            }        }        return false;    }    /**     * Default implementation of {@link KeyEvent.Callback#onKeyMultiple(int, int, KeyEvent)     * KeyEvent.Callback.onKeyMultiple()}: always returns false (doesn't handle     * the event).     * <p>Key presses in software keyboards will generally NOT trigger this listener,     * although some may elect to do so in some situations. Do not rely on this to     * catch software key presses.     *     * @param keyCode     A key code that represents the button pressed, from     *                    {@link android.view.KeyEvent}.     * @param repeatCount The number of times the action was made.     * @param event       The KeyEvent object that defines the button action.     */    public boolean onKeyMultiple(int keyCode, int repeatCount, KeyEvent event) {        return false;    }    /**     * Called on the focused view when a key shortcut event is not handled.     * Override this method to implement local key shortcuts for the View.     * Key shortcuts can also be implemented by setting the     * {@link MenuItem#setShortcut(char, char) shortcut} property of menu items.     *     * @param keyCode The value in event.getKeyCode().     * @param event Description of the key event.     * @return If you handled the event, return true. If you want to allow the     *         event to be handled by the next receiver, return false.     */    public boolean onKeyShortcut(int keyCode, KeyEvent event) {        return false;    }    /**     * Check whether the called view is a text editor, in which case it     * would make sense to automatically display a soft input window for     * it.  Subclasses should override this if they implement     * {@link #onCreateInputConnection(EditorInfo)} to return true if     * a call on that method would return a non-null InputConnection, and     * they are really a first-class editor that the user would normally     * start typing on when the go into a window containing your view.     *     * <p>The default implementation always returns false.  This does     * <em>not</em> mean that its {@link #onCreateInputConnection(EditorInfo)}     * will not be called or the user can not otherwise perform edits on your     * view; it is just a hint to the system that this is not the primary     * purpose of this view.     *     * @return Returns true if this view is a text editor, else false.     */    public boolean onCheckIsTextEditor() {        return false;    }    /**     * Create a new InputConnection for an InputMethod to interact     * with the view.  The default implementation returns null, since it doesn't     * support input methods.  You can override this to implement such support.     * This is only needed for views that take focus and text input.     *     * <p>When implementing this, you probably also want to implement     * {@link #onCheckIsTextEditor()} to indicate you will return a     * non-null InputConnection.     *     * @param outAttrs Fill in with attribute information about the connection.     */    public InputConnection onCreateInputConnection(EditorInfo outAttrs) {        return null;    }    /**     * Called by the {@link android.view.inputmethod.InputMethodManager}     * when a view who is not the current     * input connection target is trying to make a call on the manager.  The     * default implementation returns false; you can override this to return     * true for certain views if you are performing InputConnection proxying     * to them.     * @param view The View that is making the InputMethodManager call.     * @return Return true to allow the call, false to reject.     */    public boolean checkInputConnectionProxy(View view) {        return false;    }    /**     * Show the context menu for this view. It is not safe to hold on to the     * menu after returning from this method.     *     * You should normally not overload this method. Overload     * {@link #onCreateContextMenu(ContextMenu)} or define an     * {@link OnCreateContextMenuListener} to add items to the context menu.     *     * @param menu The context menu to populate     */    public void createContextMenu(ContextMenu menu) {        ContextMenuInfo menuInfo = getContextMenuInfo();        // Sets the current menu info so all items added to menu will have        // my extra info set.        ((MenuBuilder)menu).setCurrentMenuInfo(menuInfo);        onCreateContextMenu(menu);        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnCreateContextMenuListener != null) {            li.mOnCreateContextMenuListener.onCreateContextMenu(menu, this, menuInfo);        }        // Clear the extra information so subsequent items that aren't mine don't        // have my extra info.        ((MenuBuilder)menu).setCurrentMenuInfo(null);        if (mParent != null) {            mParent.createContextMenu(menu);        }    }    /**     * Views should implement this if they have extra information to associate     * with the context menu. The return result is supplied as a parameter to     * the {@link OnCreateContextMenuListener#onCreateContextMenu(ContextMenu, View, ContextMenuInfo)}     * callback.     *     * @return Extra information about the item for which the context menu     *         should be shown. This information will vary across different     *         subclasses of View.     */    protected ContextMenuInfo getContextMenuInfo() {        return null;    }    /**     * Views should implement this if the view itself is going to add items to     * the context menu.     *     * @param menu the context menu to populate     */    protected void onCreateContextMenu(ContextMenu menu) {    }    /**     * Implement this method to handle trackball motion events.  The     * <em>relative</em> movement of the trackball since the last event     * can be retrieve with {@link MotionEvent#getX MotionEvent.getX()} and     * {@link MotionEvent#getY MotionEvent.getY()}.  These are normalized so     * that a movement of 1 corresponds to the user pressing one DPAD key (so     * they will often be fractional values, representing the more fine-grained     * movement information available from a trackball).     *     * @param event The motion event.     * @return True if the event was handled, false otherwise.     */    public boolean onTrackballEvent(MotionEvent event) {        return false;    }    /**     * Implement this method to handle generic motion events.     * <p>     * Generic motion events describe joystick movements, mouse hovers, track pad     * touches, scroll wheel movements and other input events.  The     * {@link MotionEvent#getSource() source} of the motion event specifies     * the class of input that was received.  Implementations of this method     * must examine the bits in the source before processing the event.     * The following code example shows how this is done.     * </p><p>     * Generic motion events with source class {@link InputDevice#SOURCE_CLASS_POINTER}     * are delivered to the view under the pointer.  All other generic motion events are     * delivered to the focused view.     * </p>     * <pre> public boolean onGenericMotionEvent(MotionEvent event) {     *     if (event.isFromSource(InputDevice.SOURCE_CLASS_JOYSTICK)) {     *         if (event.getAction() == MotionEvent.ACTION_MOVE) {     *             // process the joystick movement...     *             return true;     *         }     *     }     *     if (event.isFromSource(InputDevice.SOURCE_CLASS_POINTER)) {     *         switch (event.getAction()) {     *             case MotionEvent.ACTION_HOVER_MOVE:     *                 // process the mouse hover movement...     *                 return true;     *             case MotionEvent.ACTION_SCROLL:     *                 // process the scroll wheel movement...     *                 return true;     *         }     *     }     *     return super.onGenericMotionEvent(event);     * }</pre>     *     * @param event The generic motion event being processed.     * @return True if the event was handled, false otherwise.     */    public boolean onGenericMotionEvent(MotionEvent event) {        return false;    }    /**     * Implement this method to handle hover events.     * <p>     * This method is called whenever a pointer is hovering into, over, or out of the     * bounds of a view and the view is not currently being touched.     * Hover events are represented as pointer events with action     * {@link MotionEvent#ACTION_HOVER_ENTER}, {@link MotionEvent#ACTION_HOVER_MOVE},     * or {@link MotionEvent#ACTION_HOVER_EXIT}.     * </p>     * <ul>     * <li>The view receives a hover event with action {@link MotionEvent#ACTION_HOVER_ENTER}     * when the pointer enters the bounds of the view.</li>     * <li>The view receives a hover event with action {@link MotionEvent#ACTION_HOVER_MOVE}     * when the pointer has already entered the bounds of the view and has moved.</li>     * <li>The view receives a hover event with action {@link MotionEvent#ACTION_HOVER_EXIT}     * when the pointer has exited the bounds of the view or when the pointer is     * about to go down due to a button click, tap, or similar user action that     * causes the view to be touched.</li>     * </ul>     * <p>     * The view should implement this method to return true to indicate that it is     * handling the hover event, such as by changing its drawable state.     * </p><p>     * The default implementation calls {@link #setHovered} to update the hovered state     * of the view when a hover enter or hover exit event is received, if the view     * is enabled and is clickable.  The default implementation also sends hover     * accessibility events.     * </p>     *     * @param event The motion event that describes the hover.     * @return True if the view handled the hover event.     *     * @see #isHovered     * @see #setHovered     * @see #onHoverChanged     */    public boolean onHoverEvent(MotionEvent event) {        // The root view may receive hover (or touch) events that are outside the bounds of        // the window.  This code ensures that we only send accessibility events for        // hovers that are actually within the bounds of the root view.        final int action = event.getActionMasked();        if (!mSendingHoverAccessibilityEvents) {            if ((action == MotionEvent.ACTION_HOVER_ENTER                    || action == MotionEvent.ACTION_HOVER_MOVE)                    && !hasHoveredChild()                    && pointInView(event.getX(), event.getY())) {                sendAccessibilityHoverEvent(AccessibilityEvent.TYPE_VIEW_HOVER_ENTER);                mSendingHoverAccessibilityEvents = true;            }        } else {            if (action == MotionEvent.ACTION_HOVER_EXIT                    || (action == MotionEvent.ACTION_MOVE                            && !pointInView(event.getX(), event.getY()))) {                mSendingHoverAccessibilityEvents = false;                sendAccessibilityHoverEvent(AccessibilityEvent.TYPE_VIEW_HOVER_EXIT);                // If the window does not have input focus we take away accessibility                // focus as soon as the user stop hovering over the view.                if (mAttachInfo != null && !mAttachInfo.mHasWindowFocus) {                    getViewRootImpl().setAccessibilityFocus(null, null);                }            }        }        if (isHoverable()) {            switch (action) {                case MotionEvent.ACTION_HOVER_ENTER:                    setHovered(true);                    break;                case MotionEvent.ACTION_HOVER_EXIT:                    setHovered(false);                    break;            }            // Dispatch the event to onGenericMotionEvent before returning true.            // This is to provide compatibility with existing applications that            // handled HOVER_MOVE events in onGenericMotionEvent and that would            // break because of the new default handling for hoverable views            // in onHoverEvent.            // Note that onGenericMotionEvent will be called by default when            // onHoverEvent returns false (refer to dispatchGenericMotionEvent).            dispatchGenericMotionEventInternal(event);            // The event was already handled by calling setHovered(), so always            // return true.            return true;        }        return false;    }    /**     * Returns true if the view should handle {@link #onHoverEvent}     * by calling {@link #setHovered} to change its hovered state.     *     * @return True if the view is hoverable.     */    private boolean isHoverable() {        final int viewFlags = mViewFlags;        if ((viewFlags & ENABLED_MASK) == DISABLED) {            return false;        }        return (viewFlags & CLICKABLE) == CLICKABLE                || (viewFlags & LONG_CLICKABLE) == LONG_CLICKABLE;    }    /**     * Returns true if the view is currently hovered.     *     * @return True if the view is currently hovered.     *     * @see #setHovered     * @see #onHoverChanged     */    @ViewDebug.ExportedProperty    public boolean isHovered() {        return (mPrivateFlags & PFLAG_HOVERED) != 0;    }    /**     * Sets whether the view is currently hovered.     * <p>     * Calling this method also changes the drawable state of the view.  This     * enables the view to react to hover by using different drawable resources     * to change its appearance.     * </p><p>     * The {@link #onHoverChanged} method is called when the hovered state changes.     * </p>     *     * @param hovered True if the view is hovered.     *     * @see #isHovered     * @see #onHoverChanged     */    public void setHovered(boolean hovered) {        if (hovered) {            if ((mPrivateFlags & PFLAG_HOVERED) == 0) {                mPrivateFlags |= PFLAG_HOVERED;                refreshDrawableState();                onHoverChanged(true);            }        } else {            if ((mPrivateFlags & PFLAG_HOVERED) != 0) {                mPrivateFlags &= ~PFLAG_HOVERED;                refreshDrawableState();                onHoverChanged(false);            }        }    }    /**     * Implement this method to handle hover state changes.     * <p>     * This method is called whenever the hover state changes as a result of a     * call to {@link #setHovered}.     * </p>     *     * @param hovered The current hover state, as returned by {@link #isHovered}.     *     * @see #isHovered     * @see #setHovered     */    public void onHoverChanged(boolean hovered) {    }    /**     * Implement this method to handle touch screen motion events.     * <p>     * If this method is used to detect click actions, it is recommended that     * the actions be performed by implementing and calling     * {@link #performClick()}. This will ensure consistent system behavior,     * including:     * <ul>     * <li>obeying click sound preferences     * <li>dispatching OnClickListener calls     * <li>handling {@link AccessibilityNodeInfo#ACTION_CLICK ACTION_CLICK} when     * accessibility features are enabled     * </ul>     *     * @param event The motion event.     * @return True if the event was handled, false otherwise.     */    public boolean onTouchEvent(MotionEvent event) {        final int viewFlags = mViewFlags;        if ((viewFlags & ENABLED_MASK) == DISABLED) {            if (event.getAction() == MotionEvent.ACTION_UP && (mPrivateFlags & PFLAG_PRESSED) != 0) {                setPressed(false);            }            // A disabled view that is clickable still consumes the touch            // events, it just doesn't respond to them.            return (((viewFlags & CLICKABLE) == CLICKABLE ||                    (viewFlags & LONG_CLICKABLE) == LONG_CLICKABLE));        }        if (mTouchDelegate != null) {            if (mTouchDelegate.onTouchEvent(event)) {                return true;            }        }        if (((viewFlags & CLICKABLE) == CLICKABLE ||                (viewFlags & LONG_CLICKABLE) == LONG_CLICKABLE)) {            switch (event.getAction()) {                case MotionEvent.ACTION_UP:                    boolean prepressed = (mPrivateFlags & PFLAG_PREPRESSED) != 0;                    if ((mPrivateFlags & PFLAG_PRESSED) != 0 || prepressed) {                        // take focus if we don't have it already and we should in                        // touch mode.                        boolean focusTaken = false;                        if (isFocusable() && isFocusableInTouchMode() && !isFocused()) {                            focusTaken = requestFocus();                        }                        if (prepressed) {                            // The button is being released before we actually                            // showed it as pressed.  Make it show the pressed                            // state now (before scheduling the click) to ensure                            // the user sees it.                            setPressed(true);                       }                        if (!mHasPerformedLongPress) {                            // This is a tap, so remove the longpress check                            removeLongPressCallback();                            // Only perform take click actions if we were in the pressed state                            if (!focusTaken) {                                // Use a Runnable and post this rather than calling                                // performClick directly. This lets other visual state                                // of the view update before click actions start.                                if (mPerformClick == null) {                                    mPerformClick = new PerformClick();                                }                                if (!post(mPerformClick)) {                                    performClick();                                }                            }                        }                        if (mUnsetPressedState == null) {                            mUnsetPressedState = new UnsetPressedState();                        }                        if (prepressed) {                            postDelayed(mUnsetPressedState,                                    ViewConfiguration.getPressedStateDuration());                        } else if (!post(mUnsetPressedState)) {                            // If the post failed, unpress right now                            mUnsetPressedState.run();                        }                        removeTapCallback();                    }                    break;                case MotionEvent.ACTION_DOWN:                    mHasPerformedLongPress = false;                    if (performButtonActionOnTouchDown(event)) {                        break;                    }                    // Walk up the hierarchy to determine if we're inside a scrolling container.                    boolean isInScrollingContainer = isInScrollingContainer();                    // For views inside a scrolling container, delay the pressed feedback for                    // a short period in case this is a scroll.                    if (isInScrollingContainer) {                        mPrivateFlags |= PFLAG_PREPRESSED;                        if (mPendingCheckForTap == null) {                            mPendingCheckForTap = new CheckForTap();                        }                        postDelayed(mPendingCheckForTap, ViewConfiguration.getTapTimeout());                    } else {                        // Not inside a scrolling container, so show the feedback right away                        setPressed(true);                        checkForLongClick(0);                    }                    break;                case MotionEvent.ACTION_CANCEL:                    setPressed(false);                    removeTapCallback();                    removeLongPressCallback();                    break;                case MotionEvent.ACTION_MOVE:                    final int x = (int) event.getX();                    final int y = (int) event.getY();                    // Be lenient about moving outside of buttons                    if (!pointInView(x, y, mTouchSlop)) {                        // Outside button                        removeTapCallback();                        if ((mPrivateFlags & PFLAG_PRESSED) != 0) {                            // Remove any future long press/tap checks                            removeLongPressCallback();                            setPressed(false);                        }                    }                    break;            }            return true;        }        return false;    }    /**     * @hide     */    public boolean isInScrollingContainer() {        ViewParent p = getParent();        while (p != null && p instanceof ViewGroup) {            if (((ViewGroup) p).shouldDelayChildPressedState()) {                return true;            }            p = p.getParent();        }        return false;    }    /**     * Remove the longpress detection timer.     */    private void removeLongPressCallback() {        if (mPendingCheckForLongPress != null) {          removeCallbacks(mPendingCheckForLongPress);        }    }    /**     * Remove the pending click action     */    private void removePerformClickCallback() {        if (mPerformClick != null) {            removeCallbacks(mPerformClick);        }    }    /**     * Remove the prepress detection timer.     */    private void removeUnsetPressCallback() {        if ((mPrivateFlags & PFLAG_PRESSED) != 0 && mUnsetPressedState != null) {            setPressed(false);            removeCallbacks(mUnsetPressedState);        }    }    /**     * Remove the tap detection timer.     */    private void removeTapCallback() {        if (mPendingCheckForTap != null) {            mPrivateFlags &= ~PFLAG_PREPRESSED;            removeCallbacks(mPendingCheckForTap);        }    }    /**     * Cancels a pending long press.  Your subclass can use this if you     * want the context menu to come up if the user presses and holds     * at the same place, but you don't want it to come up if they press     * and then move around enough to cause scrolling.     */    public void cancelLongPress() {        removeLongPressCallback();        /*         * The prepressed state handled by the tap callback is a display         * construct, but the tap callback will post a long press callback         * less its own timeout. Remove it here.         */        removeTapCallback();    }    /**     * Remove the pending callback for sending a     * {@link AccessibilityEvent#TYPE_VIEW_SCROLLED} accessibility event.     */    private void removeSendViewScrolledAccessibilityEventCallback() {        if (mSendViewScrolledAccessibilityEvent != null) {            removeCallbacks(mSendViewScrolledAccessibilityEvent);            mSendViewScrolledAccessibilityEvent.mIsPending = false;        }    }    /**     * Sets the TouchDelegate for this View.     */    public void setTouchDelegate(TouchDelegate delegate) {        mTouchDelegate = delegate;    }    /**     * Gets the TouchDelegate for this View.     */    public TouchDelegate getTouchDelegate() {        return mTouchDelegate;    }    /**     * Set flags controlling behavior of this view.     *     * @param flags Constant indicating the value which should be set     * @param mask Constant indicating the bit range that should be changed     */    void setFlags(int flags, int mask) {        final boolean accessibilityEnabled =                AccessibilityManager.getInstance(mContext).isEnabled();        final boolean oldIncludeForAccessibility = accessibilityEnabled && includeForAccessibility();        int old = mViewFlags;        mViewFlags = (mViewFlags & ~mask) | (flags & mask);        int changed = mViewFlags ^ old;        if (changed == 0) {            return;        }        int privateFlags = mPrivateFlags;        /* Check if the FOCUSABLE bit has changed */        if (((changed & FOCUSABLE_MASK) != 0) &&                ((privateFlags & PFLAG_HAS_BOUNDS) !=0)) {            if (((old & FOCUSABLE_MASK) == FOCUSABLE)                    && ((privateFlags & PFLAG_FOCUSED) != 0)) {                /* Give up focus if we are no longer focusable */                clearFocus();            } else if (((old & FOCUSABLE_MASK) == NOT_FOCUSABLE)                    && ((privateFlags & PFLAG_FOCUSED) == 0)) {                /*                 * Tell the view system that we are now available to take focus                 * if no one else already has it.                 */                if (mParent != null) mParent.focusableViewAvailable(this);            }        }        final int newVisibility = flags & VISIBILITY_MASK;        if (newVisibility == VISIBLE) {            if ((changed & VISIBILITY_MASK) != 0) {                /*                 * If this view is becoming visible, invalidate it in case it changed while                 * it was not visible. Marking it drawn ensures that the invalidation will                 * go through.                 */                mPrivateFlags |= PFLAG_DRAWN;                invalidate(true);                needGlobalAttributesUpdate(true);                // a view becoming visible is worth notifying the parent                // about in case nothing has focus.  even if this specific view                // isn't focusable, it may contain something that is, so let                // the root view try to give this focus if nothing else does.                if ((mParent != null) && (mBottom > mTop) && (mRight > mLeft)) {                    mParent.focusableViewAvailable(this);                }            }        }        /* Check if the GONE bit has changed */        if ((changed & GONE) != 0) {            needGlobalAttributesUpdate(false);            requestLayout();            if (((mViewFlags & VISIBILITY_MASK) == GONE)) {                if (hasFocus()) clearFocus();                clearAccessibilityFocus();                destroyDrawingCache();                if (mParent instanceof View) {                    // GONE views noop invalidation, so invalidate the parent                    ((View) mParent).invalidate(true);                }                // Mark the view drawn to ensure that it gets invalidated properly the next                // time it is visible and gets invalidated                mPrivateFlags |= PFLAG_DRAWN;            }            if (mAttachInfo != null) {                mAttachInfo.mViewVisibilityChanged = true;            }        }        /* Check if the VISIBLE bit has changed */        if ((changed & INVISIBLE) != 0) {            needGlobalAttributesUpdate(false);            /*             * If this view is becoming invisible, set the DRAWN flag so that             * the next invalidate() will not be skipped.             */            mPrivateFlags |= PFLAG_DRAWN;            if (((mViewFlags & VISIBILITY_MASK) == INVISIBLE)) {                // root view becoming invisible shouldn't clear focus and accessibility focus                if (getRootView() != this) {                    if (hasFocus()) clearFocus();                    clearAccessibilityFocus();                }            }            if (mAttachInfo != null) {                mAttachInfo.mViewVisibilityChanged = true;            }        }        if ((changed & VISIBILITY_MASK) != 0) {            // If the view is invisible, cleanup its display list to free up resources            if (newVisibility != VISIBLE) {                cleanupDraw();            }            if (mParent instanceof ViewGroup) {                ((ViewGroup) mParent).onChildVisibilityChanged(this,                        (changed & VISIBILITY_MASK), newVisibility);                ((View) mParent).invalidate(true);            } else if (mParent != null) {                mParent.invalidateChild(this, null);            }            dispatchVisibilityChanged(this, newVisibility);        }        if ((changed & WILL_NOT_CACHE_DRAWING) != 0) {            destroyDrawingCache();        }        if ((changed & DRAWING_CACHE_ENABLED) != 0) {            destroyDrawingCache();            mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;            invalidateParentCaches();        }        if ((changed & DRAWING_CACHE_QUALITY_MASK) != 0) {            destroyDrawingCache();            mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;        }        if ((changed & DRAW_MASK) != 0) {            if ((mViewFlags & WILL_NOT_DRAW) != 0) {                if (mBackground != null) {                    mPrivateFlags &= ~PFLAG_SKIP_DRAW;                    mPrivateFlags |= PFLAG_ONLY_DRAWS_BACKGROUND;                } else {                    mPrivateFlags |= PFLAG_SKIP_DRAW;                }            } else {                mPrivateFlags &= ~PFLAG_SKIP_DRAW;            }            requestLayout();            invalidate(true);        }        if ((changed & KEEP_SCREEN_ON) != 0) {            if (mParent != null && mAttachInfo != null && !mAttachInfo.mRecomputeGlobalAttributes) {                mParent.recomputeViewAttributes(this);            }        }        if (accessibilityEnabled) {            if ((changed & FOCUSABLE_MASK) != 0 || (changed & VISIBILITY_MASK) != 0                    || (changed & CLICKABLE) != 0 || (changed & LONG_CLICKABLE) != 0) {                if (oldIncludeForAccessibility != includeForAccessibility()) {                    notifySubtreeAccessibilityStateChangedIfNeeded();                } else {                    notifyViewAccessibilityStateChangedIfNeeded(                            AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);                }            } else if ((changed & ENABLED_MASK) != 0) {                notifyViewAccessibilityStateChangedIfNeeded(                        AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);            }        }    }    /**     * Change the view's z order in the tree, so it's on top of other sibling     * views. This ordering change may affect layout, if the parent container     * uses an order-dependent layout scheme (e.g., LinearLayout). Prior     * to {@link android.os.Build.VERSION_CODES#KITKAT} this     * method should be followed by calls to {@link #requestLayout()} and     * {@link View#invalidate()} on the view's parent to force the parent to redraw     * with the new child ordering.     *     * @see ViewGroup#bringChildToFront(View)     */    public void bringToFront() {        if (mParent != null) {            mParent.bringChildToFront(this);        }    }    /**     * This is called in response to an internal scroll in this view (i.e., the     * view scrolled its own contents). This is typically as a result of     * {@link #scrollBy(int, int)} or {@link #scrollTo(int, int)} having been     * called.     *     * @param l Current horizontal scroll origin.     * @param t Current vertical scroll origin.     * @param oldl Previous horizontal scroll origin.     * @param oldt Previous vertical scroll origin.     */    protected void onScrollChanged(int l, int t, int oldl, int oldt) {        if (AccessibilityManager.getInstance(mContext).isEnabled()) {            postSendViewScrolledAccessibilityEventCallback();        }        mBackgroundSizeChanged = true;        final AttachInfo ai = mAttachInfo;        if (ai != null) {            ai.mViewScrollChanged = true;        }    }    /**     * Interface definition for a callback to be invoked when the layout bounds of a view     * changes due to layout processing.     */    public interface OnLayoutChangeListener {        /**         * Called when the focus state of a view has changed.         *         * @param v The view whose state has changed.         * @param left The new value of the view's left property.         * @param top The new value of the view's top property.         * @param right The new value of the view's right property.         * @param bottom The new value of the view's bottom property.         * @param oldLeft The previous value of the view's left property.         * @param oldTop The previous value of the view's top property.         * @param oldRight The previous value of the view's right property.         * @param oldBottom The previous value of the view's bottom property.         */        void onLayoutChange(View v, int left, int top, int right, int bottom,            int oldLeft, int oldTop, int oldRight, int oldBottom);    }    /**     * This is called during layout when the size of this view has changed. If     * you were just added to the view hierarchy, you're called with the old     * values of 0.     *     * @param w Current width of this view.     * @param h Current height of this view.     * @param oldw Old width of this view.     * @param oldh Old height of this view.     */    protected void onSizeChanged(int w, int h, int oldw, int oldh) {    }    /**     * Called by draw to draw the child views. This may be overridden     * by derived classes to gain control just before its children are drawn     * (but after its own view has been drawn).     * @param canvas the canvas on which to draw the view     */    protected void dispatchDraw(Canvas canvas) {    }    /**     * Gets the parent of this view. Note that the parent is a     * ViewParent and not necessarily a View.     *     * @return Parent of this view.     */    public final ViewParent getParent() {        return mParent;    }    /**     * Set the horizontal scrolled position of your view. This will cause a call to     * {@link #onScrollChanged(int, int, int, int)} and the view will be     * invalidated.     * @param value the x position to scroll to     */    public void setScrollX(int value) {        scrollTo(value, mScrollY);    }    /**     * Set the vertical scrolled position of your view. This will cause a call to     * {@link #onScrollChanged(int, int, int, int)} and the view will be     * invalidated.     * @param value the y position to scroll to     */    public void setScrollY(int value) {        scrollTo(mScrollX, value);    }    /**     * Return the scrolled left position of this view. This is the left edge of     * the displayed part of your view. You do not need to draw any pixels     * farther left, since those are outside of the frame of your view on     * screen.     *     * @return The left edge of the displayed part of your view, in pixels.     */    public final int getScrollX() {        return mScrollX;    }    /**     * Return the scrolled top position of this view. This is the top edge of     * the displayed part of your view. You do not need to draw any pixels above     * it, since those are outside of the frame of your view on screen.     *     * @return The top edge of the displayed part of your view, in pixels.     */    public final int getScrollY() {        return mScrollY;    }    /**     * Return the width of the your view.     *     * @return The width of your view, in pixels.     */    @ViewDebug.ExportedProperty(category = "layout")    public final int getWidth() {        return mRight - mLeft;    }    /**     * Return the height of your view.     *     * @return The height of your view, in pixels.     */    @ViewDebug.ExportedProperty(category = "layout")    public final int getHeight() {        return mBottom - mTop;    }    /**     * Return the visible drawing bounds of your view. Fills in the output     * rectangle with the values from getScrollX(), getScrollY(),     * getWidth(), and getHeight(). These bounds do not account for any     * transformation properties currently set on the view, such as     * {@link #setScaleX(float)} or {@link #setRotation(float)}.     *     * @param outRect The (scrolled) drawing bounds of the view.     */    public void getDrawingRect(Rect outRect) {        outRect.left = mScrollX;        outRect.top = mScrollY;        outRect.right = mScrollX + (mRight - mLeft);        outRect.bottom = mScrollY + (mBottom - mTop);    }    /**     * Like {@link #getMeasuredWidthAndState()}, but only returns the     * raw width component (that is the result is masked by     * {@link #MEASURED_SIZE_MASK}).     *     * @return The raw measured width of this view.     */    public final int getMeasuredWidth() {        return mMeasuredWidth & MEASURED_SIZE_MASK;    }    /**     * Return the full width measurement information for this view as computed     * by the most recent call to {@link #measure(int, int)}.  This result is a bit mask     * as defined by {@link #MEASURED_SIZE_MASK} and {@link #MEASURED_STATE_TOO_SMALL}.     * This should be used during measurement and layout calculations only. Use     * {@link #getWidth()} to see how wide a view is after layout.     *     * @return The measured width of this view as a bit mask.     */    public final int getMeasuredWidthAndState() {        return mMeasuredWidth;    }    /**     * Like {@link #getMeasuredHeightAndState()}, but only returns the     * raw width component (that is the result is masked by     * {@link #MEASURED_SIZE_MASK}).     *     * @return The raw measured height of this view.     */    public final int getMeasuredHeight() {        return mMeasuredHeight & MEASURED_SIZE_MASK;    }    /**     * Return the full height measurement information for this view as computed     * by the most recent call to {@link #measure(int, int)}.  This result is a bit mask     * as defined by {@link #MEASURED_SIZE_MASK} and {@link #MEASURED_STATE_TOO_SMALL}.     * This should be used during measurement and layout calculations only. Use     * {@link #getHeight()} to see how wide a view is after layout.     *     * @return The measured width of this view as a bit mask.     */    public final int getMeasuredHeightAndState() {        return mMeasuredHeight;    }    /**     * Return only the state bits of {@link #getMeasuredWidthAndState()}     * and {@link #getMeasuredHeightAndState()}, combined into one integer.     * The width component is in the regular bits {@link #MEASURED_STATE_MASK}     * and the height component is at the shifted bits     * {@link #MEASURED_HEIGHT_STATE_SHIFT}>>{@link #MEASURED_STATE_MASK}.     */    public final int getMeasuredState() {        return (mMeasuredWidth&MEASURED_STATE_MASK)                | ((mMeasuredHeight>>MEASURED_HEIGHT_STATE_SHIFT)                        & (MEASURED_STATE_MASK>>MEASURED_HEIGHT_STATE_SHIFT));    }    /**     * The transform matrix of this view, which is calculated based on the current     * roation, scale, and pivot properties.     *     * @see #getRotation()     * @see #getScaleX()     * @see #getScaleY()     * @see #getPivotX()     * @see #getPivotY()     * @return The current transform matrix for the view     */    public Matrix getMatrix() {        if (mTransformationInfo != null) {            updateMatrix();            return mTransformationInfo.mMatrix;        }        return Matrix.IDENTITY_MATRIX;    }    /**     * Utility function to determine if the value is far enough away from zero to be     * considered non-zero.     * @param value A floating point value to check for zero-ness     * @return whether the passed-in value is far enough away from zero to be considered non-zero     */    private static boolean nonzero(float value) {        return (value < -NONZERO_EPSILON || value > NONZERO_EPSILON);    }    /**     * Returns true if the transform matrix is the identity matrix.     * Recomputes the matrix if necessary.     *     * @return True if the transform matrix is the identity matrix, false otherwise.     */    final boolean hasIdentityMatrix() {        if (mTransformationInfo != null) {            updateMatrix();            return mTransformationInfo.mMatrixIsIdentity;        }        return true;    }    void ensureTransformationInfo() {        if (mTransformationInfo == null) {            mTransformationInfo = new TransformationInfo();        }    }    /**     * Recomputes the transform matrix if necessary.     */    private void updateMatrix() {        final TransformationInfo info = mTransformationInfo;        if (info == null) {            return;        }        if (info.mMatrixDirty) {            // transform-related properties have changed since the last time someone            // asked for the matrix; recalculate it with the current values            // Figure out if we need to update the pivot point            if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                if ((mRight - mLeft) != info.mPrevWidth || (mBottom - mTop) != info.mPrevHeight) {                    info.mPrevWidth = mRight - mLeft;                    info.mPrevHeight = mBottom - mTop;                    info.mPivotX = info.mPrevWidth / 2f;                    info.mPivotY = info.mPrevHeight / 2f;                }            }            info.mMatrix.reset();            if (!nonzero(info.mRotationX) && !nonzero(info.mRotationY)) {                info.mMatrix.setTranslate(info.mTranslationX, info.mTranslationY);                info.mMatrix.preRotate(info.mRotation, info.mPivotX, info.mPivotY);                info.mMatrix.preScale(info.mScaleX, info.mScaleY, info.mPivotX, info.mPivotY);            } else {                if (info.mCamera == null) {                    info.mCamera = new Camera();                    info.matrix3D = new Matrix();                }                info.mCamera.save();                info.mMatrix.preScale(info.mScaleX, info.mScaleY, info.mPivotX, info.mPivotY);                info.mCamera.rotate(info.mRotationX, info.mRotationY, -info.mRotation);                info.mCamera.getMatrix(info.matrix3D);                info.matrix3D.preTranslate(-info.mPivotX, -info.mPivotY);                info.matrix3D.postTranslate(info.mPivotX + info.mTranslationX,                        info.mPivotY + info.mTranslationY);                info.mMatrix.postConcat(info.matrix3D);                info.mCamera.restore();            }            info.mMatrixDirty = false;            info.mMatrixIsIdentity = info.mMatrix.isIdentity();            info.mInverseMatrixDirty = true;        }    }   /**     * Utility method to retrieve the inverse of the current mMatrix property.     * We cache the matrix to avoid recalculating it when transform properties     * have not changed.     *     * @return The inverse of the current matrix of this view.     */    final Matrix getInverseMatrix() {        final TransformationInfo info = mTransformationInfo;        if (info != null) {            updateMatrix();            if (info.mInverseMatrixDirty) {                if (info.mInverseMatrix == null) {                    info.mInverseMatrix = new Matrix();                }                info.mMatrix.invert(info.mInverseMatrix);                info.mInverseMatrixDirty = false;            }            return info.mInverseMatrix;        }        return Matrix.IDENTITY_MATRIX;    }    /**     * Gets the distance along the Z axis from the camera to this view.     *     * @see #setCameraDistance(float)     *     * @return The distance along the Z axis.     */    public float getCameraDistance() {        ensureTransformationInfo();        final float dpi = mResources.getDisplayMetrics().densityDpi;        final TransformationInfo info = mTransformationInfo;        if (info.mCamera == null) {            info.mCamera = new Camera();            info.matrix3D = new Matrix();        }        return -(info.mCamera.getLocationZ() * dpi);    }    /**     * <p>Sets the distance along the Z axis (orthogonal to the X/Y plane on which     * views are drawn) from the camera to this view. The camera's distance     * affects 3D transformations, for instance rotations around the X and Y     * axis. If the rotationX or rotationY properties are changed and this view is     * large (more than half the size of the screen), it is recommended to always     * use a camera distance that's greater than the height (X axis rotation) or     * the width (Y axis rotation) of this view.</p>     *     * <p>The distance of the camera from the view plane can have an affect on the     * perspective distortion of the view when it is rotated around the x or y axis.     * For example, a large distance will result in a large viewing angle, and there     * will not be much perspective distortion of the view as it rotates. A short     * distance may cause much more perspective distortion upon rotation, and can     * also result in some drawing artifacts if the rotated view ends up partially     * behind the camera (which is why the recommendation is to use a distance at     * least as far as the size of the view, if the view is to be rotated.)</p>     *     * <p>The distance is expressed in "depth pixels." The default distance depends     * on the screen density. For instance, on a medium density display, the     * default distance is 1280. On a high density display, the default distance     * is 1920.</p>     *     * <p>If you want to specify a distance that leads to visually consistent     * results across various densities, use the following formula:</p>     * <pre>     * float scale = context.getResources().getDisplayMetrics().density;     * view.setCameraDistance(distance * scale);     * </pre>     *     * <p>The density scale factor of a high density display is 1.5,     * and 1920 = 1280 * 1.5.</p>     *     * @param distance The distance in "depth pixels", if negative the opposite     *        value is used     *     * @see #setRotationX(float)     * @see #setRotationY(float)     */    public void setCameraDistance(float distance) {        invalidateViewProperty(true, false);        ensureTransformationInfo();        final float dpi = mResources.getDisplayMetrics().densityDpi;        final TransformationInfo info = mTransformationInfo;        if (info.mCamera == null) {            info.mCamera = new Camera();            info.matrix3D = new Matrix();        }        info.mCamera.setLocation(0.0f, 0.0f, -Math.abs(distance) / dpi);        info.mMatrixDirty = true;        invalidateViewProperty(false, false);        if (mDisplayList != null) {            mDisplayList.setCameraDistance(-Math.abs(distance) / dpi);        }        if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {            // View was rejected last time it was drawn by its parent; this may have changed            invalidateParentIfNeeded();        }    }    /**     * The degrees that the view is rotated around the pivot point.     *     * @see #setRotation(float)     * @see #getPivotX()     * @see #getPivotY()     *     * @return The degrees of rotation.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getRotation() {        return mTransformationInfo != null ? mTransformationInfo.mRotation : 0;    }    /**     * Sets the degrees that the view is rotated around the pivot point. Increasing values     * result in clockwise rotation.     *     * @param rotation The degrees of rotation.     *     * @see #getRotation()     * @see #getPivotX()     * @see #getPivotY()     * @see #setRotationX(float)     * @see #setRotationY(float)     *     * @attr ref android.R.styleable#View_rotation     */    public void setRotation(float rotation) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mRotation != rotation) {            // Double-invalidation is necessary to capture view's old and new areas            invalidateViewProperty(true, false);            info.mRotation = rotation;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setRotation(rotation);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The degrees that the view is rotated around the vertical axis through the pivot point.     *     * @see #getPivotX()     * @see #getPivotY()     * @see #setRotationY(float)     *     * @return The degrees of Y rotation.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getRotationY() {        return mTransformationInfo != null ? mTransformationInfo.mRotationY : 0;    }    /**     * Sets the degrees that the view is rotated around the vertical axis through the pivot point.     * Increasing values result in counter-clockwise rotation from the viewpoint of looking     * down the y axis.     *     * When rotating large views, it is recommended to adjust the camera distance     * accordingly. Refer to {@link #setCameraDistance(float)} for more information.     *     * @param rotationY The degrees of Y rotation.     *     * @see #getRotationY()     * @see #getPivotX()     * @see #getPivotY()     * @see #setRotation(float)     * @see #setRotationX(float)     * @see #setCameraDistance(float)     *     * @attr ref android.R.styleable#View_rotationY     */    public void setRotationY(float rotationY) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mRotationY != rotationY) {            invalidateViewProperty(true, false);            info.mRotationY = rotationY;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setRotationY(rotationY);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The degrees that the view is rotated around the horizontal axis through the pivot point.     *     * @see #getPivotX()     * @see #getPivotY()     * @see #setRotationX(float)     *     * @return The degrees of X rotation.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getRotationX() {        return mTransformationInfo != null ? mTransformationInfo.mRotationX : 0;    }    /**     * Sets the degrees that the view is rotated around the horizontal axis through the pivot point.     * Increasing values result in clockwise rotation from the viewpoint of looking down the     * x axis.     *     * When rotating large views, it is recommended to adjust the camera distance     * accordingly. Refer to {@link #setCameraDistance(float)} for more information.     *     * @param rotationX The degrees of X rotation.     *     * @see #getRotationX()     * @see #getPivotX()     * @see #getPivotY()     * @see #setRotation(float)     * @see #setRotationY(float)     * @see #setCameraDistance(float)     *     * @attr ref android.R.styleable#View_rotationX     */    public void setRotationX(float rotationX) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mRotationX != rotationX) {            invalidateViewProperty(true, false);            info.mRotationX = rotationX;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setRotationX(rotationX);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The amount that the view is scaled in x around the pivot point, as a proportion of     * the view's unscaled width. A value of 1, the default, means that no scaling is applied.     *     * <p>By default, this is 1.0f.     *     * @see #getPivotX()     * @see #getPivotY()     * @return The scaling factor.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getScaleX() {        return mTransformationInfo != null ? mTransformationInfo.mScaleX : 1;    }    /**     * Sets the amount that the view is scaled in x around the pivot point, as a proportion of     * the view's unscaled width. A value of 1 means that no scaling is applied.     *     * @param scaleX The scaling factor.     * @see #getPivotX()     * @see #getPivotY()     *     * @attr ref android.R.styleable#View_scaleX     */    public void setScaleX(float scaleX) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mScaleX != scaleX) {            invalidateViewProperty(true, false);            info.mScaleX = scaleX;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setScaleX(scaleX);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The amount that the view is scaled in y around the pivot point, as a proportion of     * the view's unscaled height. A value of 1, the default, means that no scaling is applied.     *     * <p>By default, this is 1.0f.     *     * @see #getPivotX()     * @see #getPivotY()     * @return The scaling factor.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getScaleY() {        return mTransformationInfo != null ? mTransformationInfo.mScaleY : 1;    }    /**     * Sets the amount that the view is scaled in Y around the pivot point, as a proportion of     * the view's unscaled width. A value of 1 means that no scaling is applied.     *     * @param scaleY The scaling factor.     * @see #getPivotX()     * @see #getPivotY()     *     * @attr ref android.R.styleable#View_scaleY     */    public void setScaleY(float scaleY) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mScaleY != scaleY) {            invalidateViewProperty(true, false);            info.mScaleY = scaleY;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setScaleY(scaleY);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The x location of the point around which the view is {@link #setRotation(float) rotated}     * and {@link #setScaleX(float) scaled}.     *     * @see #getRotation()     * @see #getScaleX()     * @see #getScaleY()     * @see #getPivotY()     * @return The x location of the pivot point.     *     * @attr ref android.R.styleable#View_transformPivotX     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getPivotX() {        return mTransformationInfo != null ? mTransformationInfo.mPivotX : 0;    }    /**     * Sets the x location of the point around which the view is     * {@link #setRotation(float) rotated} and {@link #setScaleX(float) scaled}.     * By default, the pivot point is centered on the object.     * Setting this property disables this behavior and causes the view to use only the     * explicitly set pivotX and pivotY values.     *     * @param pivotX The x location of the pivot point.     * @see #getRotation()     * @see #getScaleX()     * @see #getScaleY()     * @see #getPivotY()     *     * @attr ref android.R.styleable#View_transformPivotX     */    public void setPivotX(float pivotX) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        boolean pivotSet = (mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) ==                PFLAG_PIVOT_EXPLICITLY_SET;        if (info.mPivotX != pivotX || !pivotSet) {            mPrivateFlags |= PFLAG_PIVOT_EXPLICITLY_SET;            invalidateViewProperty(true, false);            info.mPivotX = pivotX;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setPivotX(pivotX);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The y location of the point around which the view is {@link #setRotation(float) rotated}     * and {@link #setScaleY(float) scaled}.     *     * @see #getRotation()     * @see #getScaleX()     * @see #getScaleY()     * @see #getPivotY()     * @return The y location of the pivot point.     *     * @attr ref android.R.styleable#View_transformPivotY     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getPivotY() {        return mTransformationInfo != null ? mTransformationInfo.mPivotY : 0;    }    /**     * Sets the y location of the point around which the view is {@link #setRotation(float) rotated}     * and {@link #setScaleY(float) scaled}. By default, the pivot point is centered on the object.     * Setting this property disables this behavior and causes the view to use only the     * explicitly set pivotX and pivotY values.     *     * @param pivotY The y location of the pivot point.     * @see #getRotation()     * @see #getScaleX()     * @see #getScaleY()     * @see #getPivotY()     *     * @attr ref android.R.styleable#View_transformPivotY     */    public void setPivotY(float pivotY) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        boolean pivotSet = (mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) ==                PFLAG_PIVOT_EXPLICITLY_SET;        if (info.mPivotY != pivotY || !pivotSet) {            mPrivateFlags |= PFLAG_PIVOT_EXPLICITLY_SET;            invalidateViewProperty(true, false);            info.mPivotY = pivotY;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setPivotY(pivotY);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The opacity of the view. This is a value from 0 to 1, where 0 means the view is     * completely transparent and 1 means the view is completely opaque.     *     * <p>By default this is 1.0f.     * @return The opacity of the view.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getAlpha() {        return mTransformationInfo != null ? mTransformationInfo.mAlpha : 1;    }    /**     * Returns whether this View has content which overlaps.     *     * <p>This function, intended to be overridden by specific View types, is an optimization when     * alpha is set on a view. If rendering overlaps in a view with alpha < 1, that view is drawn to     * an offscreen buffer and then composited into place, which can be expensive. If the view has     * no overlapping rendering, the view can draw each primitive with the appropriate alpha value     * directly. An example of overlapping rendering is a TextView with a background image, such as     * a Button. An example of non-overlapping rendering is a TextView with no background, or an     * ImageView with only the foreground image. The default implementation returns true; subclasses     * should override if they have cases which can be optimized.</p>     *     * <p>The current implementation of the saveLayer and saveLayerAlpha methods in {@link Canvas}     * necessitates that a View return true if it uses the methods internally without passing the     * {@link Canvas#CLIP_TO_LAYER_SAVE_FLAG}.</p>     *     * @return true if the content in this view might overlap, false otherwise.     */    public boolean hasOverlappingRendering() {        return true;    }    /**     * <p>Sets the opacity of the view. This is a value from 0 to 1, where 0 means the view is     * completely transparent and 1 means the view is completely opaque.</p>     *     * <p> Note that setting alpha to a translucent value (0 < alpha < 1) can have significant     * performance implications, especially for large views. It is best to use the alpha property     * sparingly and transiently, as in the case of fading animations.</p>     *     * <p>For a view with a frequently changing alpha, such as during a fading animation, it is     * strongly recommended for performance reasons to either override     * {@link #hasOverlappingRendering()} to return false if appropriate, or setting a     * {@link #setLayerType(int, android.graphics.Paint) layer type} on the view.</p>     *     * <p>If this view overrides {@link #onSetAlpha(int)} to return true, then this view is     * responsible for applying the opacity itself.</p>     *     * <p>Note that if the view is backed by a     * {@link #setLayerType(int, android.graphics.Paint) layer} and is associated with a     * {@link #setLayerPaint(android.graphics.Paint) layer paint}, setting an alpha value less than     * 1.0 will supercede the alpha of the layer paint.</p>     *     * @param alpha The opacity of the view.     *     * @see #hasOverlappingRendering()     * @see #setLayerType(int, android.graphics.Paint)     *     * @attr ref android.R.styleable#View_alpha     */    public void setAlpha(float alpha) {        ensureTransformationInfo();        if (mTransformationInfo.mAlpha != alpha) {            mTransformationInfo.mAlpha = alpha;            if (onSetAlpha((int) (alpha * 255))) {                mPrivateFlags |= PFLAG_ALPHA_SET;                // subclass is handling alpha - don't optimize rendering cache invalidation                invalidateParentCaches();                invalidate(true);            } else {                mPrivateFlags &= ~PFLAG_ALPHA_SET;                invalidateViewProperty(true, false);                if (mDisplayList != null) {                    mDisplayList.setAlpha(getFinalAlpha());                }            }        }    }    /**     * Faster version of setAlpha() which performs the same steps except there are     * no calls to invalidate(). The caller of this function should perform proper invalidation     * on the parent and this object. The return value indicates whether the subclass handles     * alpha (the return value for onSetAlpha()).     *     * @param alpha The new value for the alpha property     * @return true if the View subclass handles alpha (the return value for onSetAlpha()) and     *         the new value for the alpha property is different from the old value     */    boolean setAlphaNoInvalidation(float alpha) {        ensureTransformationInfo();        if (mTransformationInfo.mAlpha != alpha) {            mTransformationInfo.mAlpha = alpha;            boolean subclassHandlesAlpha = onSetAlpha((int) (alpha * 255));            if (subclassHandlesAlpha) {                mPrivateFlags |= PFLAG_ALPHA_SET;                return true;            } else {                mPrivateFlags &= ~PFLAG_ALPHA_SET;                if (mDisplayList != null) {                    mDisplayList.setAlpha(getFinalAlpha());                }            }        }        return false;    }    /**     * This property is hidden and intended only for use by the Fade transition, which     * animates it to produce a visual translucency that does not side-effect (or get     * affected by) the real alpha property. This value is composited with the other     * alpha value (and the AlphaAnimation value, when that is present) to produce     * a final visual translucency result, which is what is passed into the DisplayList.     *     * @hide     */    public void setTransitionAlpha(float alpha) {        ensureTransformationInfo();        if (mTransformationInfo.mTransitionAlpha != alpha) {            mTransformationInfo.mTransitionAlpha = alpha;            mPrivateFlags &= ~PFLAG_ALPHA_SET;            invalidateViewProperty(true, false);            if (mDisplayList != null) {                mDisplayList.setAlpha(getFinalAlpha());            }        }    }    /**     * Calculates the visual alpha of this view, which is a combination of the actual     * alpha value and the transitionAlpha value (if set).     */    private float getFinalAlpha() {        if (mTransformationInfo != null) {            return mTransformationInfo.mAlpha * mTransformationInfo.mTransitionAlpha;        }        return 1;    }    /**     * This property is hidden and intended only for use by the Fade transition, which     * animates it to produce a visual translucency that does not side-effect (or get     * affected by) the real alpha property. This value is composited with the other     * alpha value (and the AlphaAnimation value, when that is present) to produce     * a final visual translucency result, which is what is passed into the DisplayList.     *     * @hide     */    public float getTransitionAlpha() {        return mTransformationInfo != null ? mTransformationInfo.mTransitionAlpha : 1;    }    /**     * Top position of this view relative to its parent.     *     * @return The top of this view, in pixels.     */    @ViewDebug.CapturedViewProperty    public final int getTop() {        return mTop;    }    /**     * Sets the top position of this view relative to its parent. This method is meant to be called     * by the layout system and should not generally be called otherwise, because the property     * may be changed at any time by the layout.     *     * @param top The top of this view, in pixels.     */    public final void setTop(int top) {        if (top != mTop) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mAttachInfo != null) {                    int minTop;                    int yLoc;                    if (top < mTop) {                        minTop = top;                        yLoc = top - mTop;                    } else {                        minTop = mTop;                        yLoc = 0;                    }                    invalidate(0, yLoc, mRight - mLeft, mBottom - minTop);                }            } else {                // Double-invalidation is necessary to capture view's old and new areas                invalidate(true);            }            int width = mRight - mLeft;            int oldHeight = mBottom - mTop;            mTop = top;            if (mDisplayList != null) {                mDisplayList.setTop(mTop);            }            sizeChange(width, mBottom - mTop, width, oldHeight);            if (!matrixIsIdentity) {                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                    // A change in dimension means an auto-centered pivot point changes, too                    mTransformationInfo.mMatrixDirty = true;                }                mPrivateFlags |= PFLAG_DRAWN; // force another invalidation with the new orientation                invalidate(true);            }            mBackgroundSizeChanged = true;            invalidateParentIfNeeded();            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * Bottom position of this view relative to its parent.     *     * @return The bottom of this view, in pixels.     */    @ViewDebug.CapturedViewProperty    public final int getBottom() {        return mBottom;    }    /**     * True if this view has changed since the last time being drawn.     *     * @return The dirty state of this view.     */    public boolean isDirty() {        return (mPrivateFlags & PFLAG_DIRTY_MASK) != 0;    }    /**     * Sets the bottom position of this view relative to its parent. This method is meant to be     * called by the layout system and should not generally be called otherwise, because the     * property may be changed at any time by the layout.     *     * @param bottom The bottom of this view, in pixels.     */    public final void setBottom(int bottom) {        if (bottom != mBottom) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mAttachInfo != null) {                    int maxBottom;                    if (bottom < mBottom) {                        maxBottom = mBottom;                    } else {                        maxBottom = bottom;                    }                    invalidate(0, 0, mRight - mLeft, maxBottom - mTop);                }            } else {                // Double-invalidation is necessary to capture view's old and new areas                invalidate(true);            }            int width = mRight - mLeft;            int oldHeight = mBottom - mTop;            mBottom = bottom;            if (mDisplayList != null) {                mDisplayList.setBottom(mBottom);            }            sizeChange(width, mBottom - mTop, width, oldHeight);            if (!matrixIsIdentity) {                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                    // A change in dimension means an auto-centered pivot point changes, too                    mTransformationInfo.mMatrixDirty = true;                }                mPrivateFlags |= PFLAG_DRAWN; // force another invalidation with the new orientation                invalidate(true);            }            mBackgroundSizeChanged = true;            invalidateParentIfNeeded();            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * Left position of this view relative to its parent.     *     * @return The left edge of this view, in pixels.     */    @ViewDebug.CapturedViewProperty    public final int getLeft() {        return mLeft;    }    /**     * Sets the left position of this view relative to its parent. This method is meant to be called     * by the layout system and should not generally be called otherwise, because the property     * may be changed at any time by the layout.     *     * @param left The bottom of this view, in pixels.     */    public final void setLeft(int left) {        if (left != mLeft) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mAttachInfo != null) {                    int minLeft;                    int xLoc;                    if (left < mLeft) {                        minLeft = left;                        xLoc = left - mLeft;                    } else {                        minLeft = mLeft;                        xLoc = 0;                    }                    invalidate(xLoc, 0, mRight - minLeft, mBottom - mTop);                }            } else {                // Double-invalidation is necessary to capture view's old and new areas                invalidate(true);            }            int oldWidth = mRight - mLeft;            int height = mBottom - mTop;            mLeft = left;            if (mDisplayList != null) {                mDisplayList.setLeft(left);            }            sizeChange(mRight - mLeft, height, oldWidth, height);            if (!matrixIsIdentity) {                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                    // A change in dimension means an auto-centered pivot point changes, too                    mTransformationInfo.mMatrixDirty = true;                }                mPrivateFlags |= PFLAG_DRAWN; // force another invalidation with the new orientation                invalidate(true);            }            mBackgroundSizeChanged = true;            invalidateParentIfNeeded();            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * Right position of this view relative to its parent.     *     * @return The right edge of this view, in pixels.     */    @ViewDebug.CapturedViewProperty    public final int getRight() {        return mRight;    }    /**     * Sets the right position of this view relative to its parent. This method is meant to be called     * by the layout system and should not generally be called otherwise, because the property     * may be changed at any time by the layout.     *     * @param right The bottom of this view, in pixels.     */    public final void setRight(int right) {        if (right != mRight) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mAttachInfo != null) {                    int maxRight;                    if (right < mRight) {                        maxRight = mRight;                    } else {                        maxRight = right;                    }                    invalidate(0, 0, maxRight - mLeft, mBottom - mTop);                }            } else {                // Double-invalidation is necessary to capture view's old and new areas                invalidate(true);            }            int oldWidth = mRight - mLeft;            int height = mBottom - mTop;            mRight = right;            if (mDisplayList != null) {                mDisplayList.setRight(mRight);            }            sizeChange(mRight - mLeft, height, oldWidth, height);            if (!matrixIsIdentity) {                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                    // A change in dimension means an auto-centered pivot point changes, too                    mTransformationInfo.mMatrixDirty = true;                }                mPrivateFlags |= PFLAG_DRAWN; // force another invalidation with the new orientation                invalidate(true);            }            mBackgroundSizeChanged = true;            invalidateParentIfNeeded();            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The visual x position of this view, in pixels. This is equivalent to the     * {@link #setTranslationX(float) translationX} property plus the current     * {@link #getLeft() left} property.     *     * @return The visual x position of this view, in pixels.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getX() {        return mLeft + (mTransformationInfo != null ? mTransformationInfo.mTranslationX : 0);    }    /**     * Sets the visual x position of this view, in pixels. This is equivalent to setting the     * {@link #setTranslationX(float) translationX} property to be the difference between     * the x value passed in and the current {@link #getLeft() left} property.     *     * @param x The visual x position of this view, in pixels.     */    public void setX(float x) {        setTranslationX(x - mLeft);    }    /**     * The visual y position of this view, in pixels. This is equivalent to the     * {@link #setTranslationY(float) translationY} property plus the current     * {@link #getTop() top} property.     *     * @return The visual y position of this view, in pixels.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getY() {        return mTop + (mTransformationInfo != null ? mTransformationInfo.mTranslationY : 0);    }    /**     * Sets the visual y position of this view, in pixels. This is equivalent to setting the     * {@link #setTranslationY(float) translationY} property to be the difference between     * the y value passed in and the current {@link #getTop() top} property.     *     * @param y The visual y position of this view, in pixels.     */    public void setY(float y) {        setTranslationY(y - mTop);    }    /**     * The horizontal location of this view relative to its {@link #getLeft() left} position.     * This position is post-layout, in addition to wherever the object's     * layout placed it.     *     * @return The horizontal position of this view relative to its left position, in pixels.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getTranslationX() {        return mTransformationInfo != null ? mTransformationInfo.mTranslationX : 0;    }    /**     * Sets the horizontal location of this view relative to its {@link #getLeft() left} position.     * This effectively positions the object post-layout, in addition to wherever the object's     * layout placed it.     *     * @param translationX The horizontal position of this view relative to its left position,     * in pixels.     *     * @attr ref android.R.styleable#View_translationX     */    public void setTranslationX(float translationX) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mTranslationX != translationX) {            // Double-invalidation is necessary to capture view's old and new areas            invalidateViewProperty(true, false);            info.mTranslationX = translationX;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setTranslationX(translationX);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * The horizontal location of this view relative to its {@link #getTop() top} position.     * This position is post-layout, in addition to wherever the object's     * layout placed it.     *     * @return The vertical position of this view relative to its top position,     * in pixels.     */    @ViewDebug.ExportedProperty(category = "drawing")    public float getTranslationY() {        return mTransformationInfo != null ? mTransformationInfo.mTranslationY : 0;    }    /**     * Sets the vertical location of this view relative to its {@link #getTop() top} position.     * This effectively positions the object post-layout, in addition to wherever the object's     * layout placed it.     *     * @param translationY The vertical position of this view relative to its top position,     * in pixels.     *     * @attr ref android.R.styleable#View_translationY     */    public void setTranslationY(float translationY) {        ensureTransformationInfo();        final TransformationInfo info = mTransformationInfo;        if (info.mTranslationY != translationY) {            invalidateViewProperty(true, false);            info.mTranslationY = translationY;            info.mMatrixDirty = true;            invalidateViewProperty(false, true);            if (mDisplayList != null) {                mDisplayList.setTranslationY(translationY);            }            if ((mPrivateFlags2 & PFLAG2_VIEW_QUICK_REJECTED) == PFLAG2_VIEW_QUICK_REJECTED) {                // View was rejected last time it was drawn by its parent; this may have changed                invalidateParentIfNeeded();            }        }    }    /**     * Hit rectangle in parent's coordinates     *     * @param outRect The hit rectangle of the view.     */    public void getHitRect(Rect outRect) {        updateMatrix();        final TransformationInfo info = mTransformationInfo;        if (info == null || info.mMatrixIsIdentity || mAttachInfo == null) {            outRect.set(mLeft, mTop, mRight, mBottom);        } else {            final RectF tmpRect = mAttachInfo.mTmpTransformRect;            tmpRect.set(0, 0, getWidth(), getHeight());            info.mMatrix.mapRect(tmpRect);            outRect.set((int) tmpRect.left + mLeft, (int) tmpRect.top + mTop,                    (int) tmpRect.right + mLeft, (int) tmpRect.bottom + mTop);        }    }    /**     * Determines whether the given point, in local coordinates is inside the view.     */    /*package*/ final boolean pointInView(float localX, float localY) {        return localX >= 0 && localX < (mRight - mLeft)                && localY >= 0 && localY < (mBottom - mTop);    }    /**     * Utility method to determine whether the given point, in local coordinates,     * is inside the view, where the area of the view is expanded by the slop factor.     * This method is called while processing touch-move events to determine if the event     * is still within the view.     *     * @hide     */    public boolean pointInView(float localX, float localY, float slop) {        return localX >= -slop && localY >= -slop && localX < ((mRight - mLeft) + slop) &&                localY < ((mBottom - mTop) + slop);    }    /**     * When a view has focus and the user navigates away from it, the next view is searched for     * starting from the rectangle filled in by this method.     *     * By default, the rectangle is the {@link #getDrawingRect(android.graphics.Rect)})     * of the view.  However, if your view maintains some idea of internal selection,     * such as a cursor, or a selected row or column, you should override this method and     * fill in a more specific rectangle.     *     * @param r The rectangle to fill in, in this view's coordinates.     */    public void getFocusedRect(Rect r) {        getDrawingRect(r);    }    /**     * If some part of this view is not clipped by any of its parents, then     * return that area in r in global (root) coordinates. To convert r to local     * coordinates (without taking possible View rotations into account), offset     * it by -globalOffset (e.g. r.offset(-globalOffset.x, -globalOffset.y)).     * If the view is completely clipped or translated out, return false.     *     * @param r If true is returned, r holds the global coordinates of the     *        visible portion of this view.     * @param globalOffset If true is returned, globalOffset holds the dx,dy     *        between this view and its root. globalOffet may be null.     * @return true if r is non-empty (i.e. part of the view is visible at the     *         root level.     */    public boolean getGlobalVisibleRect(Rect r, Point globalOffset) {        int width = mRight - mLeft;        int height = mBottom - mTop;        if (width > 0 && height > 0) {            r.set(0, 0, width, height);            if (globalOffset != null) {                globalOffset.set(-mScrollX, -mScrollY);            }            return mParent == null || mParent.getChildVisibleRect(this, r, globalOffset);        }        return false;    }    public final boolean getGlobalVisibleRect(Rect r) {        return getGlobalVisibleRect(r, null);    }    public final boolean getLocalVisibleRect(Rect r) {        final Point offset = mAttachInfo != null ? mAttachInfo.mPoint : new Point();        if (getGlobalVisibleRect(r, offset)) {            r.offset(-offset.x, -offset.y); // make r local            return true;        }        return false;    }    /**     * Offset this view's vertical location by the specified number of pixels.     *     * @param offset the number of pixels to offset the view by     */    public void offsetTopAndBottom(int offset) {        if (offset != 0) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mDisplayList != null) {                    invalidateViewProperty(false, false);                } else {                    final ViewParent p = mParent;                    if (p != null && mAttachInfo != null) {                        final Rect r = mAttachInfo.mTmpInvalRect;                        int minTop;                        int maxBottom;                        int yLoc;                        if (offset < 0) {                            minTop = mTop + offset;                            maxBottom = mBottom;                            yLoc = offset;                        } else {                            minTop = mTop;                            maxBottom = mBottom + offset;                            yLoc = 0;                        }                        r.set(0, yLoc, mRight - mLeft, maxBottom - minTop);                        p.invalidateChild(this, r);                    }                }            } else {                invalidateViewProperty(false, false);            }            mTop += offset;            mBottom += offset;            if (mDisplayList != null) {                mDisplayList.offsetTopAndBottom(offset);                invalidateViewProperty(false, false);            } else {                if (!matrixIsIdentity) {                    invalidateViewProperty(false, true);                }                invalidateParentIfNeeded();            }        }    }    /**     * Offset this view's horizontal location by the specified amount of pixels.     *     * @param offset the number of pixels to offset the view by     */    public void offsetLeftAndRight(int offset) {        if (offset != 0) {            updateMatrix();            final boolean matrixIsIdentity = mTransformationInfo == null                    || mTransformationInfo.mMatrixIsIdentity;            if (matrixIsIdentity) {                if (mDisplayList != null) {                    invalidateViewProperty(false, false);                } else {                    final ViewParent p = mParent;                    if (p != null && mAttachInfo != null) {                        final Rect r = mAttachInfo.mTmpInvalRect;                        int minLeft;                        int maxRight;                        if (offset < 0) {                            minLeft = mLeft + offset;                            maxRight = mRight;                        } else {                            minLeft = mLeft;                            maxRight = mRight + offset;                        }                        r.set(0, 0, maxRight - minLeft, mBottom - mTop);                        p.invalidateChild(this, r);                    }                }            } else {                invalidateViewProperty(false, false);            }            mLeft += offset;            mRight += offset;            if (mDisplayList != null) {                mDisplayList.offsetLeftAndRight(offset);                invalidateViewProperty(false, false);            } else {                if (!matrixIsIdentity) {                    invalidateViewProperty(false, true);                }                invalidateParentIfNeeded();            }        }    }    /**     * Get the LayoutParams associated with this view. All views should have     * layout parameters. These supply parameters to the <i>parent</i> of this     * view specifying how it should be arranged. There are many subclasses of     * ViewGroup.LayoutParams, and these correspond to the different subclasses     * of ViewGroup that are responsible for arranging their children.     *     * This method may return null if this View is not attached to a parent     * ViewGroup or {@link #setLayoutParams(android.view.ViewGroup.LayoutParams)}     * was not invoked successfully. When a View is attached to a parent     * ViewGroup, this method must not return null.     *     * @return The LayoutParams associated with this view, or null if no     *         parameters have been set yet     */    @ViewDebug.ExportedProperty(deepExport = true, prefix = "layout_")    public ViewGroup.LayoutParams getLayoutParams() {        return mLayoutParams;    }    /**     * Set the layout parameters associated with this view. These supply     * parameters to the <i>parent</i> of this view specifying how it should be     * arranged. There are many subclasses of ViewGroup.LayoutParams, and these     * correspond to the different subclasses of ViewGroup that are responsible     * for arranging their children.     *     * @param params The layout parameters for this view, cannot be null     */    public void setLayoutParams(ViewGroup.LayoutParams params) {        if (params == null) {            throw new NullPointerException("Layout parameters cannot be null");        }        mLayoutParams = params;        resolveLayoutParams();        if (mParent instanceof ViewGroup) {            ((ViewGroup) mParent).onSetLayoutParams(this, params);        }        requestLayout();    }    /**     * Resolve the layout parameters depending on the resolved layout direction     *     * @hide     */    public void resolveLayoutParams() {        if (mLayoutParams != null) {            mLayoutParams.resolveLayoutDirection(getLayoutDirection());        }    }    /**     * Set the scrolled position of your view. This will cause a call to     * {@link #onScrollChanged(int, int, int, int)} and the view will be     * invalidated.     * @param x the x position to scroll to     * @param y the y position to scroll to     */    public void scrollTo(int x, int y) {        if (mScrollX != x || mScrollY != y) {            int oldX = mScrollX;            int oldY = mScrollY;            mScrollX = x;            mScrollY = y;            invalidateParentCaches();            onScrollChanged(mScrollX, mScrollY, oldX, oldY);            if (!awakenScrollBars()) {                postInvalidateOnAnimation();            }        }    }    /**     * Move the scrolled position of your view. This will cause a call to     * {@link #onScrollChanged(int, int, int, int)} and the view will be     * invalidated.     * @param x the amount of pixels to scroll by horizontally     * @param y the amount of pixels to scroll by vertically     */    public void scrollBy(int x, int y) {        scrollTo(mScrollX + x, mScrollY + y);    }    /**     * <p>Trigger the scrollbars to draw. When invoked this method starts an     * animation to fade the scrollbars out after a default delay. If a subclass     * provides animated scrolling, the start delay should equal the duration     * of the scrolling animation.</p>     *     * <p>The animation starts only if at least one of the scrollbars is     * enabled, as specified by {@link #isHorizontalScrollBarEnabled()} and     * {@link #isVerticalScrollBarEnabled()}. When the animation is started,     * this method returns true, and false otherwise. If the animation is     * started, this method calls {@link #invalidate()}; in that case the     * caller should not call {@link #invalidate()}.</p>     *     * <p>This method should be invoked every time a subclass directly updates     * the scroll parameters.</p>     *     * <p>This method is automatically invoked by {@link #scrollBy(int, int)}     * and {@link #scrollTo(int, int)}.</p>     *     * @return true if the animation is played, false otherwise     *     * @see #awakenScrollBars(int)     * @see #scrollBy(int, int)     * @see #scrollTo(int, int)     * @see #isHorizontalScrollBarEnabled()     * @see #isVerticalScrollBarEnabled()     * @see #setHorizontalScrollBarEnabled(boolean)     * @see #setVerticalScrollBarEnabled(boolean)     */    protected boolean awakenScrollBars() {        return mScrollCache != null &&                awakenScrollBars(mScrollCache.scrollBarDefaultDelayBeforeFade, true);    }    /**     * Trigger the scrollbars to draw.     * This method differs from awakenScrollBars() only in its default duration.     * initialAwakenScrollBars() will show the scroll bars for longer than     * usual to give the user more of a chance to notice them.     *     * @return true if the animation is played, false otherwise.     */    private boolean initialAwakenScrollBars() {        return mScrollCache != null &&                awakenScrollBars(mScrollCache.scrollBarDefaultDelayBeforeFade * 4, true);    }    /**     * <p>     * Trigger the scrollbars to draw. When invoked this method starts an     * animation to fade the scrollbars out after a fixed delay. If a subclass     * provides animated scrolling, the start delay should equal the duration of     * the scrolling animation.     * </p>     *     * <p>     * The animation starts only if at least one of the scrollbars is enabled,     * as specified by {@link #isHorizontalScrollBarEnabled()} and     * {@link #isVerticalScrollBarEnabled()}. When the animation is started,     * this method returns true, and false otherwise. If the animation is     * started, this method calls {@link #invalidate()}; in that case the caller     * should not call {@link #invalidate()}.     * </p>     *     * <p>     * This method should be invoked everytime a subclass directly updates the     * scroll parameters.     * </p>     *     * @param startDelay the delay, in milliseconds, after which the animation     *        should start; when the delay is 0, the animation starts     *        immediately     * @return true if the animation is played, false otherwise     *     * @see #scrollBy(int, int)     * @see #scrollTo(int, int)     * @see #isHorizontalScrollBarEnabled()     * @see #isVerticalScrollBarEnabled()     * @see #setHorizontalScrollBarEnabled(boolean)     * @see #setVerticalScrollBarEnabled(boolean)     */    protected boolean awakenScrollBars(int startDelay) {        return awakenScrollBars(startDelay, true);    }    /**     * <p>     * Trigger the scrollbars to draw. When invoked this method starts an     * animation to fade the scrollbars out after a fixed delay. If a subclass     * provides animated scrolling, the start delay should equal the duration of     * the scrolling animation.     * </p>     *     * <p>     * The animation starts only if at least one of the scrollbars is enabled,     * as specified by {@link #isHorizontalScrollBarEnabled()} and     * {@link #isVerticalScrollBarEnabled()}. When the animation is started,     * this method returns true, and false otherwise. If the animation is     * started, this method calls {@link #invalidate()} if the invalidate parameter     * is set to true; in that case the caller     * should not call {@link #invalidate()}.     * </p>     *     * <p>     * This method should be invoked everytime a subclass directly updates the     * scroll parameters.     * </p>     *     * @param startDelay the delay, in milliseconds, after which the animation     *        should start; when the delay is 0, the animation starts     *        immediately     *     * @param invalidate Wheter this method should call invalidate     *     * @return true if the animation is played, false otherwise     *     * @see #scrollBy(int, int)     * @see #scrollTo(int, int)     * @see #isHorizontalScrollBarEnabled()     * @see #isVerticalScrollBarEnabled()     * @see #setHorizontalScrollBarEnabled(boolean)     * @see #setVerticalScrollBarEnabled(boolean)     */    protected boolean awakenScrollBars(int startDelay, boolean invalidate) {        final ScrollabilityCache scrollCache = mScrollCache;        if (scrollCache == null || !scrollCache.fadeScrollBars) {            return false;        }        if (scrollCache.scrollBar == null) {            scrollCache.scrollBar = new ScrollBarDrawable();        }        if (isHorizontalScrollBarEnabled() || isVerticalScrollBarEnabled()) {            if (invalidate) {                // Invalidate to show the scrollbars                postInvalidateOnAnimation();            }            if (scrollCache.state == ScrollabilityCache.OFF) {                // FIXME: this is copied from WindowManagerService.                // We should get this value from the system when it                // is possible to do so.                final int KEY_REPEAT_FIRST_DELAY = 750;                startDelay = Math.max(KEY_REPEAT_FIRST_DELAY, startDelay);            }            // Tell mScrollCache when we should start fading. This may            // extend the fade start time if one was already scheduled            long fadeStartTime = AnimationUtils.currentAnimationTimeMillis() + startDelay;            scrollCache.fadeStartTime = fadeStartTime;            scrollCache.state = ScrollabilityCache.ON;            // Schedule our fader to run, unscheduling any old ones first            if (mAttachInfo != null) {                mAttachInfo.mHandler.removeCallbacks(scrollCache);                mAttachInfo.mHandler.postAtTime(scrollCache, fadeStartTime);            }            return true;        }        return false;    }    /**     * Do not invalidate views which are not visible and which are not running an animation. They     * will not get drawn and they should not set dirty flags as if they will be drawn     */    private boolean skipInvalidate() {        return (mViewFlags & VISIBILITY_MASK) != VISIBLE && mCurrentAnimation == null &&                (!(mParent instanceof ViewGroup) ||                        !((ViewGroup) mParent).isViewTransitioning(this));    }    /**     * Mark the area defined by dirty as needing to be drawn. If the view is     * visible, {@link #onDraw(android.graphics.Canvas)} will be called at some point     * in the future. This must be called from a UI thread. To call from a non-UI     * thread, call {@link #postInvalidate()}.     *     * WARNING: This method is destructive to dirty.     * @param dirty the rectangle representing the bounds of the dirty region     */    public void invalidate(Rect dirty) {        if (skipInvalidate()) {            return;        }        if ((mPrivateFlags & (PFLAG_DRAWN | PFLAG_HAS_BOUNDS)) == (PFLAG_DRAWN | PFLAG_HAS_BOUNDS) ||                (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID ||                (mPrivateFlags & PFLAG_INVALIDATED) != PFLAG_INVALIDATED) {            mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;            mPrivateFlags |= PFLAG_INVALIDATED;            mPrivateFlags |= PFLAG_DIRTY;            final ViewParent p = mParent;            final AttachInfo ai = mAttachInfo;            //noinspection PointlessBooleanExpression,ConstantConditions            if (!HardwareRenderer.RENDER_DIRTY_REGIONS) {                if (p != null && ai != null && ai.mHardwareAccelerated) {                    // fast-track for GL-enabled applications; just invalidate the whole hierarchy                    // with a null dirty rect, which tells the ViewAncestor to redraw everything                    p.invalidateChild(this, null);                    return;                }            }            if (p != null && ai != null) {                final int scrollX = mScrollX;                final int scrollY = mScrollY;                final Rect r = ai.mTmpInvalRect;                r.set(dirty.left - scrollX, dirty.top - scrollY,                        dirty.right - scrollX, dirty.bottom - scrollY);                mParent.invalidateChild(this, r);            }        }    }    /**     * Mark the area defined by the rect (l,t,r,b) as needing to be drawn.     * The coordinates of the dirty rect are relative to the view.     * If the view is visible, {@link #onDraw(android.graphics.Canvas)}     * will be called at some point in the future. This must be called from     * a UI thread. To call from a non-UI thread, call {@link #postInvalidate()}.     * @param l the left position of the dirty region     * @param t the top position of the dirty region     * @param r the right position of the dirty region     * @param b the bottom position of the dirty region     */    public void invalidate(int l, int t, int r, int b) {        if (skipInvalidate()) {            return;        }        if ((mPrivateFlags & (PFLAG_DRAWN | PFLAG_HAS_BOUNDS)) == (PFLAG_DRAWN | PFLAG_HAS_BOUNDS) ||                (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID ||                (mPrivateFlags & PFLAG_INVALIDATED) != PFLAG_INVALIDATED) {            mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;            mPrivateFlags |= PFLAG_INVALIDATED;            mPrivateFlags |= PFLAG_DIRTY;            final ViewParent p = mParent;            final AttachInfo ai = mAttachInfo;            //noinspection PointlessBooleanExpression,ConstantConditions            if (!HardwareRenderer.RENDER_DIRTY_REGIONS) {                if (p != null && ai != null && ai.mHardwareAccelerated) {                    // fast-track for GL-enabled applications; just invalidate the whole hierarchy                    // with a null dirty rect, which tells the ViewAncestor to redraw everything                    p.invalidateChild(this, null);                    return;                }            }            if (p != null && ai != null && l < r && t < b) {                final int scrollX = mScrollX;                final int scrollY = mScrollY;                final Rect tmpr = ai.mTmpInvalRect;                tmpr.set(l - scrollX, t - scrollY, r - scrollX, b - scrollY);                p.invalidateChild(this, tmpr);            }        }    }    /**     * Invalidate the whole view. If the view is visible,     * {@link #onDraw(android.graphics.Canvas)} will be called at some point in     * the future. This must be called from a UI thread. To call from a non-UI thread,     * call {@link #postInvalidate()}.     */    public void invalidate() {        invalidate(true);    }    /**     * This is where the invalidate() work actually happens. A full invalidate()     * causes the drawing cache to be invalidated, but this function can be called with     * invalidateCache set to false to skip that invalidation step for cases that do not     * need it (for example, a component that remains at the same dimensions with the same     * content).     *     * @param invalidateCache Whether the drawing cache for this view should be invalidated as     * well. This is usually true for a full invalidate, but may be set to false if the     * View's contents or dimensions have not changed.     */    void invalidate(boolean invalidateCache) {        if (skipInvalidate()) {            return;        }        if ((mPrivateFlags & (PFLAG_DRAWN | PFLAG_HAS_BOUNDS)) == (PFLAG_DRAWN | PFLAG_HAS_BOUNDS) ||                (invalidateCache && (mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == PFLAG_DRAWING_CACHE_VALID) ||                (mPrivateFlags & PFLAG_INVALIDATED) != PFLAG_INVALIDATED || isOpaque() != mLastIsOpaque) {            mLastIsOpaque = isOpaque();            mPrivateFlags &= ~PFLAG_DRAWN;            mPrivateFlags |= PFLAG_DIRTY;            if (invalidateCache) {                mPrivateFlags |= PFLAG_INVALIDATED;                mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;            }            final AttachInfo ai = mAttachInfo;            final ViewParent p = mParent;            //noinspection PointlessBooleanExpression,ConstantConditions            if (!HardwareRenderer.RENDER_DIRTY_REGIONS) {                if (p != null && ai != null && ai.mHardwareAccelerated) {                    // fast-track for GL-enabled applications; just invalidate the whole hierarchy                    // with a null dirty rect, which tells the ViewAncestor to redraw everything                    p.invalidateChild(this, null);                    return;                }            }            if (p != null && ai != null) {                final Rect r = ai.mTmpInvalRect;                r.set(0, 0, mRight - mLeft, mBottom - mTop);                // Don't call invalidate -- we don't want to internally scroll                // our own bounds                p.invalidateChild(this, r);            }        }    }    /**     * Quick invalidation for View property changes (alpha, translationXY, etc.). We don't want to     * set any flags or handle all of the cases handled by the default invalidation methods.     * Instead, we just want to schedule a traversal in ViewRootImpl with the appropriate     * dirty rect. This method calls into fast invalidation methods in ViewGroup that     * walk up the hierarchy, transforming the dirty rect as necessary.     *     * The method also handles normal invalidation logic if display list properties are not     * being used in this view. The invalidateParent and forceRedraw flags are used by that     * backup approach, to handle these cases used in the various property-setting methods.     *     * @param invalidateParent Force a call to invalidateParentCaches() if display list properties     * are not being used in this view     * @param forceRedraw Mark the view as DRAWN to force the invalidation to propagate, if display     * list properties are not being used in this view     */    void invalidateViewProperty(boolean invalidateParent, boolean forceRedraw) {        if (mDisplayList == null || (mPrivateFlags & PFLAG_DRAW_ANIMATION) == PFLAG_DRAW_ANIMATION) {            if (invalidateParent) {                invalidateParentCaches();            }            if (forceRedraw) {                mPrivateFlags |= PFLAG_DRAWN; // force another invalidation with the new orientation            }            invalidate(false);        } else {            final AttachInfo ai = mAttachInfo;            final ViewParent p = mParent;            if (p != null && ai != null) {                final Rect r = ai.mTmpInvalRect;                r.set(0, 0, mRight - mLeft, mBottom - mTop);                if (mParent instanceof ViewGroup) {                    ((ViewGroup) mParent).invalidateChildFast(this, r);                } else {                    mParent.invalidateChild(this, r);                }            }        }    }    /**     * Utility method to transform a given Rect by the current matrix of this view.     */    void transformRect(final Rect rect) {        if (!getMatrix().isIdentity()) {            RectF boundingRect = mAttachInfo.mTmpTransformRect;            boundingRect.set(rect);            getMatrix().mapRect(boundingRect);            rect.set((int) Math.floor(boundingRect.left),                    (int) Math.floor(boundingRect.top),                    (int) Math.ceil(boundingRect.right),                    (int) Math.ceil(boundingRect.bottom));        }    }    /**     * Used to indicate that the parent of this view should clear its caches. This functionality     * is used to force the parent to rebuild its display list (when hardware-accelerated),     * which is necessary when various parent-managed properties of the view change, such as     * alpha, translationX/Y, scrollX/Y, scaleX/Y, and rotation/X/Y. This method only     * clears the parent caches and does not causes an invalidate event.     *     * @hide     */    protected void invalidateParentCaches() {        if (mParent instanceof View) {            ((View) mParent).mPrivateFlags |= PFLAG_INVALIDATED;        }    }    /**     * Used to indicate that the parent of this view should be invalidated. This functionality     * is used to force the parent to rebuild its display list (when hardware-accelerated),     * which is necessary when various parent-managed properties of the view change, such as     * alpha, translationX/Y, scrollX/Y, scaleX/Y, and rotation/X/Y. This method will propagate     * an invalidation event to the parent.     *     * @hide     */    protected void invalidateParentIfNeeded() {        if (isHardwareAccelerated() && mParent instanceof View) {            ((View) mParent).invalidate(true);        }    }    /**     * Indicates whether this View is opaque. An opaque View guarantees that it will     * draw all the pixels overlapping its bounds using a fully opaque color.     *     * Subclasses of View should override this method whenever possible to indicate     * whether an instance is opaque. Opaque Views are treated in a special way by     * the View hierarchy, possibly allowing it to perform optimizations during     * invalidate/draw passes.     *     * @return True if this View is guaranteed to be fully opaque, false otherwise.     */    @ViewDebug.ExportedProperty(category = "drawing")    public boolean isOpaque() {        return (mPrivateFlags & PFLAG_OPAQUE_MASK) == PFLAG_OPAQUE_MASK &&                getFinalAlpha() >= 1.0f;    }    /**     * @hide     */    protected void computeOpaqueFlags() {        // Opaque if:        //   - Has a background        //   - Background is opaque        //   - Doesn't have scrollbars or scrollbars overlay        if (mBackground != null && mBackground.getOpacity() == PixelFormat.OPAQUE) {            mPrivateFlags |= PFLAG_OPAQUE_BACKGROUND;        } else {            mPrivateFlags &= ~PFLAG_OPAQUE_BACKGROUND;        }        final int flags = mViewFlags;        if (((flags & SCROLLBARS_VERTICAL) == 0 && (flags & SCROLLBARS_HORIZONTAL) == 0) ||                (flags & SCROLLBARS_STYLE_MASK) == SCROLLBARS_INSIDE_OVERLAY ||                (flags & SCROLLBARS_STYLE_MASK) == SCROLLBARS_OUTSIDE_OVERLAY) {            mPrivateFlags |= PFLAG_OPAQUE_SCROLLBARS;        } else {            mPrivateFlags &= ~PFLAG_OPAQUE_SCROLLBARS;        }    }    /**     * @hide     */    protected boolean hasOpaqueScrollbars() {        return (mPrivateFlags & PFLAG_OPAQUE_SCROLLBARS) == PFLAG_OPAQUE_SCROLLBARS;    }    /**     * @return A handler associated with the thread running the View. This     * handler can be used to pump events in the UI events queue.     */    public Handler getHandler() {        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            return attachInfo.mHandler;        }        return null;    }    /**     * Gets the view root associated with the View.     * @return The view root, or null if none.     * @hide     */    public ViewRootImpl getViewRootImpl() {        if (mAttachInfo != null) {            return mAttachInfo.mViewRootImpl;        }        return null;    }    /**     * <p>Causes the Runnable to be added to the message queue.     * The runnable will be run on the user interface thread.</p>     *     * @param action The Runnable that will be executed.     *     * @return Returns true if the Runnable was successfully placed in to the     *         message queue.  Returns false on failure, usually because the     *         looper processing the message queue is exiting.     *     * @see #postDelayed     * @see #removeCallbacks     */    public boolean post(Runnable action) {        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            return attachInfo.mHandler.post(action);        }        // Assume that post will succeed later        ViewRootImpl.getRunQueue().post(action);        return true;    }    /**     * <p>Causes the Runnable to be added to the message queue, to be run     * after the specified amount of time elapses.     * The runnable will be run on the user interface thread.</p>     *     * @param action The Runnable that will be executed.     * @param delayMillis The delay (in milliseconds) until the Runnable     *        will be executed.     *     * @return true if the Runnable was successfully placed in to the     *         message queue.  Returns false on failure, usually because the     *         looper processing the message queue is exiting.  Note that a     *         result of true does not mean the Runnable will be processed --     *         if the looper is quit before the delivery time of the message     *         occurs then the message will be dropped.     *     * @see #post     * @see #removeCallbacks     */    public boolean postDelayed(Runnable action, long delayMillis) {        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            return attachInfo.mHandler.postDelayed(action, delayMillis);        }        // Assume that post will succeed later        ViewRootImpl.getRunQueue().postDelayed(action, delayMillis);        return true;    }    /**     * <p>Causes the Runnable to execute on the next animation time step.     * The runnable will be run on the user interface thread.</p>     *     * @param action The Runnable that will be executed.     *     * @see #postOnAnimationDelayed     * @see #removeCallbacks     */    public void postOnAnimation(Runnable action) {        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            attachInfo.mViewRootImpl.mChoreographer.postCallback(                    Choreographer.CALLBACK_ANIMATION, action, null);        } else {            // Assume that post will succeed later            ViewRootImpl.getRunQueue().post(action);        }    }    /**     * <p>Causes the Runnable to execute on the next animation time step,     * after the specified amount of time elapses.     * The runnable will be run on the user interface thread.</p>     *     * @param action The Runnable that will be executed.     * @param delayMillis The delay (in milliseconds) until the Runnable     *        will be executed.     *     * @see #postOnAnimation     * @see #removeCallbacks     */    public void postOnAnimationDelayed(Runnable action, long delayMillis) {        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            attachInfo.mViewRootImpl.mChoreographer.postCallbackDelayed(                    Choreographer.CALLBACK_ANIMATION, action, null, delayMillis);        } else {            // Assume that post will succeed later            ViewRootImpl.getRunQueue().postDelayed(action, delayMillis);        }    }    /**     * <p>Removes the specified Runnable from the message queue.</p>     *     * @param action The Runnable to remove from the message handling queue     *     * @return true if this view could ask the Handler to remove the Runnable,     *         false otherwise. When the returned value is true, the Runnable     *         may or may not have been actually removed from the message queue     *         (for instance, if the Runnable was not in the queue already.)     *     * @see #post     * @see #postDelayed     * @see #postOnAnimation     * @see #postOnAnimationDelayed     */    public boolean removeCallbacks(Runnable action) {        if (action != null) {            final AttachInfo attachInfo = mAttachInfo;            if (attachInfo != null) {                attachInfo.mHandler.removeCallbacks(action);                attachInfo.mViewRootImpl.mChoreographer.removeCallbacks(                        Choreographer.CALLBACK_ANIMATION, action, null);            } else {                // Assume that post will succeed later                ViewRootImpl.getRunQueue().removeCallbacks(action);            }        }        return true;    }    /**     * <p>Cause an invalidate to happen on a subsequent cycle through the event loop.     * Use this to invalidate the View from a non-UI thread.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @see #invalidate()     * @see #postInvalidateDelayed(long)     */    public void postInvalidate() {        postInvalidateDelayed(0);    }    /**     * <p>Cause an invalidate of the specified area to happen on a subsequent cycle     * through the event loop. Use this to invalidate the View from a non-UI thread.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @param left The left coordinate of the rectangle to invalidate.     * @param top The top coordinate of the rectangle to invalidate.     * @param right The right coordinate of the rectangle to invalidate.     * @param bottom The bottom coordinate of the rectangle to invalidate.     *     * @see #invalidate(int, int, int, int)     * @see #invalidate(Rect)     * @see #postInvalidateDelayed(long, int, int, int, int)     */    public void postInvalidate(int left, int top, int right, int bottom) {        postInvalidateDelayed(0, left, top, right, bottom);    }    /**     * <p>Cause an invalidate to happen on a subsequent cycle through the event     * loop. Waits for the specified amount of time.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @param delayMilliseconds the duration in milliseconds to delay the     *         invalidation by     *     * @see #invalidate()     * @see #postInvalidate()     */    public void postInvalidateDelayed(long delayMilliseconds) {        // We try only with the AttachInfo because there's no point in invalidating        // if we are not attached to our window        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            attachInfo.mViewRootImpl.dispatchInvalidateDelayed(this, delayMilliseconds);        }    }    /**     * <p>Cause an invalidate of the specified area to happen on a subsequent cycle     * through the event loop. Waits for the specified amount of time.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @param delayMilliseconds the duration in milliseconds to delay the     *         invalidation by     * @param left The left coordinate of the rectangle to invalidate.     * @param top The top coordinate of the rectangle to invalidate.     * @param right The right coordinate of the rectangle to invalidate.     * @param bottom The bottom coordinate of the rectangle to invalidate.     *     * @see #invalidate(int, int, int, int)     * @see #invalidate(Rect)     * @see #postInvalidate(int, int, int, int)     */    public void postInvalidateDelayed(long delayMilliseconds, int left, int top,            int right, int bottom) {        // We try only with the AttachInfo because there's no point in invalidating        // if we are not attached to our window        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            final AttachInfo.InvalidateInfo info = AttachInfo.InvalidateInfo.obtain();            info.target = this;            info.left = left;            info.top = top;            info.right = right;            info.bottom = bottom;            attachInfo.mViewRootImpl.dispatchInvalidateRectDelayed(info, delayMilliseconds);        }    }    /**     * <p>Cause an invalidate to happen on the next animation time step, typically the     * next display frame.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @see #invalidate()     */    public void postInvalidateOnAnimation() {        // We try only with the AttachInfo because there's no point in invalidating        // if we are not attached to our window        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            attachInfo.mViewRootImpl.dispatchInvalidateOnAnimation(this);        }    }    /**     * <p>Cause an invalidate of the specified area to happen on the next animation     * time step, typically the next display frame.</p>     *     * <p>This method can be invoked from outside of the UI thread     * only when this View is attached to a window.</p>     *     * @param left The left coordinate of the rectangle to invalidate.     * @param top The top coordinate of the rectangle to invalidate.     * @param right The right coordinate of the rectangle to invalidate.     * @param bottom The bottom coordinate of the rectangle to invalidate.     *     * @see #invalidate(int, int, int, int)     * @see #invalidate(Rect)     */    public void postInvalidateOnAnimation(int left, int top, int right, int bottom) {        // We try only with the AttachInfo because there's no point in invalidating        // if we are not attached to our window        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo != null) {            final AttachInfo.InvalidateInfo info = AttachInfo.InvalidateInfo.obtain();            info.target = this;            info.left = left;            info.top = top;            info.right = right;            info.bottom = bottom;            attachInfo.mViewRootImpl.dispatchInvalidateRectOnAnimation(info);        }    }    /**     * Post a callback to send a {@link AccessibilityEvent#TYPE_VIEW_SCROLLED} event.     * This event is sent at most once every     * {@link ViewConfiguration#getSendRecurringAccessibilityEventsInterval()}.     */    private void postSendViewScrolledAccessibilityEventCallback() {        if (mSendViewScrolledAccessibilityEvent == null) {            mSendViewScrolledAccessibilityEvent = new SendViewScrolledAccessibilityEvent();        }        if (!mSendViewScrolledAccessibilityEvent.mIsPending) {            mSendViewScrolledAccessibilityEvent.mIsPending = true;            postDelayed(mSendViewScrolledAccessibilityEvent,                    ViewConfiguration.getSendRecurringAccessibilityEventsInterval());        }    }    /**     * Called by a parent to request that a child update its values for mScrollX     * and mScrollY if necessary. This will typically be done if the child is     * animating a scroll using a {@link android.widget.Scroller Scroller}     * object.     */    public void computeScroll() {    }    /**     * <p>Indicate whether the horizontal edges are faded when the view is     * scrolled horizontally.</p>     *     * @return true if the horizontal edges should are faded on scroll, false     *         otherwise     *     * @see #setHorizontalFadingEdgeEnabled(boolean)     *     * @attr ref android.R.styleable#View_requiresFadingEdge     */    public boolean isHorizontalFadingEdgeEnabled() {        return (mViewFlags & FADING_EDGE_HORIZONTAL) == FADING_EDGE_HORIZONTAL;    }    /**     * <p>Define whether the horizontal edges should be faded when this view     * is scrolled horizontally.</p>     *     * @param horizontalFadingEdgeEnabled true if the horizontal edges should     *                                    be faded when the view is scrolled     *                                    horizontally     *     * @see #isHorizontalFadingEdgeEnabled()     *     * @attr ref android.R.styleable#View_requiresFadingEdge     */    public void setHorizontalFadingEdgeEnabled(boolean horizontalFadingEdgeEnabled) {        if (isHorizontalFadingEdgeEnabled() != horizontalFadingEdgeEnabled) {            if (horizontalFadingEdgeEnabled) {                initScrollCache();            }            mViewFlags ^= FADING_EDGE_HORIZONTAL;        }    }    /**     * <p>Indicate whether the vertical edges are faded when the view is     * scrolled horizontally.</p>     *     * @return true if the vertical edges should are faded on scroll, false     *         otherwise     *     * @see #setVerticalFadingEdgeEnabled(boolean)     *     * @attr ref android.R.styleable#View_requiresFadingEdge     */    public boolean isVerticalFadingEdgeEnabled() {        return (mViewFlags & FADING_EDGE_VERTICAL) == FADING_EDGE_VERTICAL;    }    /**     * <p>Define whether the vertical edges should be faded when this view     * is scrolled vertically.</p>     *     * @param verticalFadingEdgeEnabled true if the vertical edges should     *                                  be faded when the view is scrolled     *                                  vertically     *     * @see #isVerticalFadingEdgeEnabled()     *     * @attr ref android.R.styleable#View_requiresFadingEdge     */    public void setVerticalFadingEdgeEnabled(boolean verticalFadingEdgeEnabled) {        if (isVerticalFadingEdgeEnabled() != verticalFadingEdgeEnabled) {            if (verticalFadingEdgeEnabled) {                initScrollCache();            }            mViewFlags ^= FADING_EDGE_VERTICAL;        }    }    /**     * Returns the strength, or intensity, of the top faded edge. The strength is     * a value between 0.0 (no fade) and 1.0 (full fade). The default implementation     * returns 0.0 or 1.0 but no value in between.     *     * Subclasses should override this method to provide a smoother fade transition     * when scrolling occurs.     *     * @return the intensity of the top fade as a float between 0.0f and 1.0f     */    protected float getTopFadingEdgeStrength() {        return computeVerticalScrollOffset() > 0 ? 1.0f : 0.0f;    }    /**     * Returns the strength, or intensity, of the bottom faded edge. The strength is     * a value between 0.0 (no fade) and 1.0 (full fade). The default implementation     * returns 0.0 or 1.0 but no value in between.     *     * Subclasses should override this method to provide a smoother fade transition     * when scrolling occurs.     *     * @return the intensity of the bottom fade as a float between 0.0f and 1.0f     */    protected float getBottomFadingEdgeStrength() {        return computeVerticalScrollOffset() + computeVerticalScrollExtent() <                computeVerticalScrollRange() ? 1.0f : 0.0f;    }    /**     * Returns the strength, or intensity, of the left faded edge. The strength is     * a value between 0.0 (no fade) and 1.0 (full fade). The default implementation     * returns 0.0 or 1.0 but no value in between.     *     * Subclasses should override this method to provide a smoother fade transition     * when scrolling occurs.     *     * @return the intensity of the left fade as a float between 0.0f and 1.0f     */    protected float getLeftFadingEdgeStrength() {        return computeHorizontalScrollOffset() > 0 ? 1.0f : 0.0f;    }    /**     * Returns the strength, or intensity, of the right faded edge. The strength is     * a value between 0.0 (no fade) and 1.0 (full fade). The default implementation     * returns 0.0 or 1.0 but no value in between.     *     * Subclasses should override this method to provide a smoother fade transition     * when scrolling occurs.     *     * @return the intensity of the right fade as a float between 0.0f and 1.0f     */    protected float getRightFadingEdgeStrength() {        return computeHorizontalScrollOffset() + computeHorizontalScrollExtent() <                computeHorizontalScrollRange() ? 1.0f : 0.0f;    }    /**     * <p>Indicate whether the horizontal scrollbar should be drawn or not. The     * scrollbar is not drawn by default.</p>     *     * @return true if the horizontal scrollbar should be painted, false     *         otherwise     *     * @see #setHorizontalScrollBarEnabled(boolean)     */    public boolean isHorizontalScrollBarEnabled() {        return (mViewFlags & SCROLLBARS_HORIZONTAL) == SCROLLBARS_HORIZONTAL;    }    /**     * <p>Define whether the horizontal scrollbar should be drawn or not. The     * scrollbar is not drawn by default.</p>     *     * @param horizontalScrollBarEnabled true if the horizontal scrollbar should     *                                   be painted     *     * @see #isHorizontalScrollBarEnabled()     */    public void setHorizontalScrollBarEnabled(boolean horizontalScrollBarEnabled) {        if (isHorizontalScrollBarEnabled() != horizontalScrollBarEnabled) {            mViewFlags ^= SCROLLBARS_HORIZONTAL;            computeOpaqueFlags();            resolvePadding();        }    }    /**     * <p>Indicate whether the vertical scrollbar should be drawn or not. The     * scrollbar is not drawn by default.</p>     *     * @return true if the vertical scrollbar should be painted, false     *         otherwise     *     * @see #setVerticalScrollBarEnabled(boolean)     */    public boolean isVerticalScrollBarEnabled() {        return (mViewFlags & SCROLLBARS_VERTICAL) == SCROLLBARS_VERTICAL;    }    /**     * <p>Define whether the vertical scrollbar should be drawn or not. The     * scrollbar is not drawn by default.</p>     *     * @param verticalScrollBarEnabled true if the vertical scrollbar should     *                                 be painted     *     * @see #isVerticalScrollBarEnabled()     */    public void setVerticalScrollBarEnabled(boolean verticalScrollBarEnabled) {        if (isVerticalScrollBarEnabled() != verticalScrollBarEnabled) {            mViewFlags ^= SCROLLBARS_VERTICAL;            computeOpaqueFlags();            resolvePadding();        }    }    /**     * @hide     */    protected void recomputePadding() {        internalSetPadding(mUserPaddingLeft, mPaddingTop, mUserPaddingRight, mUserPaddingBottom);    }    /**     * Define whether scrollbars will fade when the view is not scrolling.     *     * @param fadeScrollbars wheter to enable fading     *     * @attr ref android.R.styleable#View_fadeScrollbars     */    public void setScrollbarFadingEnabled(boolean fadeScrollbars) {        initScrollCache();        final ScrollabilityCache scrollabilityCache = mScrollCache;        scrollabilityCache.fadeScrollBars = fadeScrollbars;        if (fadeScrollbars) {            scrollabilityCache.state = ScrollabilityCache.OFF;        } else {            scrollabilityCache.state = ScrollabilityCache.ON;        }    }    /**     *     * Returns true if scrollbars will fade when this view is not scrolling     *     * @return true if scrollbar fading is enabled     *     * @attr ref android.R.styleable#View_fadeScrollbars     */    public boolean isScrollbarFadingEnabled() {        return mScrollCache != null && mScrollCache.fadeScrollBars;    }    /**     *     * Returns the delay before scrollbars fade.     *     * @return the delay before scrollbars fade     *     * @attr ref android.R.styleable#View_scrollbarDefaultDelayBeforeFade     */    public int getScrollBarDefaultDelayBeforeFade() {        return mScrollCache == null ? ViewConfiguration.getScrollDefaultDelay() :                mScrollCache.scrollBarDefaultDelayBeforeFade;    }    /**     * Define the delay before scrollbars fade.     *     * @param scrollBarDefaultDelayBeforeFade - the delay before scrollbars fade     *     * @attr ref android.R.styleable#View_scrollbarDefaultDelayBeforeFade     */    public void setScrollBarDefaultDelayBeforeFade(int scrollBarDefaultDelayBeforeFade) {        getScrollCache().scrollBarDefaultDelayBeforeFade = scrollBarDefaultDelayBeforeFade;    }    /**     *     * Returns the scrollbar fade duration.     *     * @return the scrollbar fade duration     *     * @attr ref android.R.styleable#View_scrollbarFadeDuration     */    public int getScrollBarFadeDuration() {        return mScrollCache == null ? ViewConfiguration.getScrollBarFadeDuration() :                mScrollCache.scrollBarFadeDuration;    }    /**     * Define the scrollbar fade duration.     *     * @param scrollBarFadeDuration - the scrollbar fade duration     *     * @attr ref android.R.styleable#View_scrollbarFadeDuration     */    public void setScrollBarFadeDuration(int scrollBarFadeDuration) {        getScrollCache().scrollBarFadeDuration = scrollBarFadeDuration;    }    /**     *     * Returns the scrollbar size.     *     * @return the scrollbar size     *     * @attr ref android.R.styleable#View_scrollbarSize     */    public int getScrollBarSize() {        return mScrollCache == null ? ViewConfiguration.get(mContext).getScaledScrollBarSize() :                mScrollCache.scrollBarSize;    }    /**     * Define the scrollbar size.     *     * @param scrollBarSize - the scrollbar size     *     * @attr ref android.R.styleable#View_scrollbarSize     */    public void setScrollBarSize(int scrollBarSize) {        getScrollCache().scrollBarSize = scrollBarSize;    }    /**     * <p>Specify the style of the scrollbars. The scrollbars can be overlaid or     * inset. When inset, they add to the padding of the view. And the scrollbars     * can be drawn inside the padding area or on the edge of the view. For example,     * if a view has a background drawable and you want to draw the scrollbars     * inside the padding specified by the drawable, you can use     * SCROLLBARS_INSIDE_OVERLAY or SCROLLBARS_INSIDE_INSET. If you want them to     * appear at the edge of the view, ignoring the padding, then you can use     * SCROLLBARS_OUTSIDE_OVERLAY or SCROLLBARS_OUTSIDE_INSET.</p>     * @param style the style of the scrollbars. Should be one of     * SCROLLBARS_INSIDE_OVERLAY, SCROLLBARS_INSIDE_INSET,     * SCROLLBARS_OUTSIDE_OVERLAY or SCROLLBARS_OUTSIDE_INSET.     * @see #SCROLLBARS_INSIDE_OVERLAY     * @see #SCROLLBARS_INSIDE_INSET     * @see #SCROLLBARS_OUTSIDE_OVERLAY     * @see #SCROLLBARS_OUTSIDE_INSET     *     * @attr ref android.R.styleable#View_scrollbarStyle     */    public void setScrollBarStyle(int style) {        if (style != (mViewFlags & SCROLLBARS_STYLE_MASK)) {            mViewFlags = (mViewFlags & ~SCROLLBARS_STYLE_MASK) | (style & SCROLLBARS_STYLE_MASK);            computeOpaqueFlags();            resolvePadding();        }    }    /**     * <p>Returns the current scrollbar style.</p>     * @return the current scrollbar style     * @see #SCROLLBARS_INSIDE_OVERLAY     * @see #SCROLLBARS_INSIDE_INSET     * @see #SCROLLBARS_OUTSIDE_OVERLAY     * @see #SCROLLBARS_OUTSIDE_INSET     *     * @attr ref android.R.styleable#View_scrollbarStyle     */    @ViewDebug.ExportedProperty(mapping = {            @ViewDebug.IntToString(from = SCROLLBARS_INSIDE_OVERLAY, to = "INSIDE_OVERLAY"),            @ViewDebug.IntToString(from = SCROLLBARS_INSIDE_INSET, to = "INSIDE_INSET"),            @ViewDebug.IntToString(from = SCROLLBARS_OUTSIDE_OVERLAY, to = "OUTSIDE_OVERLAY"),            @ViewDebug.IntToString(from = SCROLLBARS_OUTSIDE_INSET, to = "OUTSIDE_INSET")    })    public int getScrollBarStyle() {        return mViewFlags & SCROLLBARS_STYLE_MASK;    }    /**     * <p>Compute the horizontal range that the horizontal scrollbar     * represents.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeHorizontalScrollExtent()} and     * {@link #computeHorizontalScrollOffset()}.</p>     *     * <p>The default range is the drawing width of this view.</p>     *     * @return the total horizontal range represented by the horizontal     *         scrollbar     *     * @see #computeHorizontalScrollExtent()     * @see #computeHorizontalScrollOffset()     * @see android.widget.ScrollBarDrawable     */    protected int computeHorizontalScrollRange() {        return getWidth();    }    /**     * <p>Compute the horizontal offset of the horizontal scrollbar's thumb     * within the horizontal range. This value is used to compute the position     * of the thumb within the scrollbar's track.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeHorizontalScrollRange()} and     * {@link #computeHorizontalScrollExtent()}.</p>     *     * <p>The default offset is the scroll offset of this view.</p>     *     * @return the horizontal offset of the scrollbar's thumb     *     * @see #computeHorizontalScrollRange()     * @see #computeHorizontalScrollExtent()     * @see android.widget.ScrollBarDrawable     */    protected int computeHorizontalScrollOffset() {        return mScrollX;    }    /**     * <p>Compute the horizontal extent of the horizontal scrollbar's thumb     * within the horizontal range. This value is used to compute the length     * of the thumb within the scrollbar's track.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeHorizontalScrollRange()} and     * {@link #computeHorizontalScrollOffset()}.</p>     *     * <p>The default extent is the drawing width of this view.</p>     *     * @return the horizontal extent of the scrollbar's thumb     *     * @see #computeHorizontalScrollRange()     * @see #computeHorizontalScrollOffset()     * @see android.widget.ScrollBarDrawable     */    protected int computeHorizontalScrollExtent() {        return getWidth();    }    /**     * <p>Compute the vertical range that the vertical scrollbar represents.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeVerticalScrollExtent()} and     * {@link #computeVerticalScrollOffset()}.</p>     *     * @return the total vertical range represented by the vertical scrollbar     *     * <p>The default range is the drawing height of this view.</p>     *     * @see #computeVerticalScrollExtent()     * @see #computeVerticalScrollOffset()     * @see android.widget.ScrollBarDrawable     */    protected int computeVerticalScrollRange() {        return getHeight();    }    /**     * <p>Compute the vertical offset of the vertical scrollbar's thumb     * within the horizontal range. This value is used to compute the position     * of the thumb within the scrollbar's track.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeVerticalScrollRange()} and     * {@link #computeVerticalScrollExtent()}.</p>     *     * <p>The default offset is the scroll offset of this view.</p>     *     * @return the vertical offset of the scrollbar's thumb     *     * @see #computeVerticalScrollRange()     * @see #computeVerticalScrollExtent()     * @see android.widget.ScrollBarDrawable     */    protected int computeVerticalScrollOffset() {        return mScrollY;    }    /**     * <p>Compute the vertical extent of the horizontal scrollbar's thumb     * within the vertical range. This value is used to compute the length     * of the thumb within the scrollbar's track.</p>     *     * <p>The range is expressed in arbitrary units that must be the same as the     * units used by {@link #computeVerticalScrollRange()} and     * {@link #computeVerticalScrollOffset()}.</p>     *     * <p>The default extent is the drawing height of this view.</p>     *     * @return the vertical extent of the scrollbar's thumb     *     * @see #computeVerticalScrollRange()     * @see #computeVerticalScrollOffset()     * @see android.widget.ScrollBarDrawable     */    protected int computeVerticalScrollExtent() {        return getHeight();    }    /**     * Check if this view can be scrolled horizontally in a certain direction.     *     * @param direction Negative to check scrolling left, positive to check scrolling right.     * @return true if this view can be scrolled in the specified direction, false otherwise.     */    public boolean canScrollHorizontally(int direction) {        final int offset = computeHorizontalScrollOffset();        final int range = computeHorizontalScrollRange() - computeHorizontalScrollExtent();        if (range == 0) return false;        if (direction < 0) {            return offset > 0;        } else {            return offset < range - 1;        }    }    /**     * Check if this view can be scrolled vertically in a certain direction.     *     * @param direction Negative to check scrolling up, positive to check scrolling down.     * @return true if this view can be scrolled in the specified direction, false otherwise.     */    public boolean canScrollVertically(int direction) {        final int offset = computeVerticalScrollOffset();        final int range = computeVerticalScrollRange() - computeVerticalScrollExtent();        if (range == 0) return false;        if (direction < 0) {            return offset > 0;        } else {            return offset < range - 1;        }    }    /**     * <p>Request the drawing of the horizontal and the vertical scrollbar. The     * scrollbars are painted only if they have been awakened first.</p>     *     * @param canvas the canvas on which to draw the scrollbars     *     * @see #awakenScrollBars(int)     */    protected final void onDrawScrollBars(Canvas canvas) {        // scrollbars are drawn only when the animation is running        final ScrollabilityCache cache = mScrollCache;        if (cache != null) {            int state = cache.state;            if (state == ScrollabilityCache.OFF) {                return;            }            boolean invalidate = false;            if (state == ScrollabilityCache.FADING) {                // We're fading -- get our fade interpolation                if (cache.interpolatorValues == null) {                    cache.interpolatorValues = new float[1];                }                float[] values = cache.interpolatorValues;                // Stops the animation if we're done                if (cache.scrollBarInterpolator.timeToValues(values) ==                        Interpolator.Result.FREEZE_END) {                    cache.state = ScrollabilityCache.OFF;                } else {                    cache.scrollBar.setAlpha(Math.round(values[0]));                }                // This will make the scroll bars inval themselves after                // drawing. We only want this when we're fading so that                // we prevent excessive redraws                invalidate = true;            } else {                // We're just on -- but we may have been fading before so                // reset alpha                cache.scrollBar.setAlpha(255);            }            final int viewFlags = mViewFlags;            final boolean drawHorizontalScrollBar =                (viewFlags & SCROLLBARS_HORIZONTAL) == SCROLLBARS_HORIZONTAL;            final boolean drawVerticalScrollBar =                (viewFlags & SCROLLBARS_VERTICAL) == SCROLLBARS_VERTICAL                && !isVerticalScrollBarHidden();            if (drawVerticalScrollBar || drawHorizontalScrollBar) {                final int width = mRight - mLeft;                final int height = mBottom - mTop;                final ScrollBarDrawable scrollBar = cache.scrollBar;                final int scrollX = mScrollX;                final int scrollY = mScrollY;                final int inside = (viewFlags & SCROLLBARS_OUTSIDE_MASK) == 0 ? ~0 : 0;                int left;                int top;                int right;                int bottom;                if (drawHorizontalScrollBar) {                    int size = scrollBar.getSize(false);                    if (size <= 0) {                        size = cache.scrollBarSize;                    }                    scrollBar.setParameters(computeHorizontalScrollRange(),                                            computeHorizontalScrollOffset(),                                            computeHorizontalScrollExtent(), false);                    final int verticalScrollBarGap = drawVerticalScrollBar ?                            getVerticalScrollbarWidth() : 0;                    top = scrollY + height - size - (mUserPaddingBottom & inside);                    left = scrollX + (mPaddingLeft & inside);                    right = scrollX + width - (mUserPaddingRight & inside) - verticalScrollBarGap;                    bottom = top + size;                    onDrawHorizontalScrollBar(canvas, scrollBar, left, top, right, bottom);                    if (invalidate) {                        invalidate(left, top, right, bottom);                    }                }                if (drawVerticalScrollBar) {                    int size = scrollBar.getSize(true);                    if (size <= 0) {                        size = cache.scrollBarSize;                    }                    scrollBar.setParameters(computeVerticalScrollRange(),                                            computeVerticalScrollOffset(),                                            computeVerticalScrollExtent(), true);                    int verticalScrollbarPosition = mVerticalScrollbarPosition;                    if (verticalScrollbarPosition == SCROLLBAR_POSITION_DEFAULT) {                        verticalScrollbarPosition = isLayoutRtl() ?                                SCROLLBAR_POSITION_LEFT : SCROLLBAR_POSITION_RIGHT;                    }                    switch (verticalScrollbarPosition) {                        default:                        case SCROLLBAR_POSITION_RIGHT:                            left = scrollX + width - size - (mUserPaddingRight & inside);                            break;                        case SCROLLBAR_POSITION_LEFT:                            left = scrollX + (mUserPaddingLeft & inside);                            break;                    }                    top = scrollY + (mPaddingTop & inside);                    right = left + size;                    bottom = scrollY + height - (mUserPaddingBottom & inside);                    onDrawVerticalScrollBar(canvas, scrollBar, left, top, right, bottom);                    if (invalidate) {                        invalidate(left, top, right, bottom);                    }                }            }        }    }    /**     * Override this if the vertical scrollbar needs to be hidden in a subclass, like when     * FastScroller is visible.     * @return whether to temporarily hide the vertical scrollbar     * @hide     */    protected boolean isVerticalScrollBarHidden() {        return false;    }    /**     * <p>Draw the horizontal scrollbar if     * {@link #isHorizontalScrollBarEnabled()} returns true.</p>     *     * @param canvas the canvas on which to draw the scrollbar     * @param scrollBar the scrollbar's drawable     *     * @see #isHorizontalScrollBarEnabled()     * @see #computeHorizontalScrollRange()     * @see #computeHorizontalScrollExtent()     * @see #computeHorizontalScrollOffset()     * @see android.widget.ScrollBarDrawable     * @hide     */    protected void onDrawHorizontalScrollBar(Canvas canvas, Drawable scrollBar,            int l, int t, int r, int b) {        scrollBar.setBounds(l, t, r, b);        scrollBar.draw(canvas);    }    /**     * <p>Draw the vertical scrollbar if {@link #isVerticalScrollBarEnabled()}     * returns true.</p>     *     * @param canvas the canvas on which to draw the scrollbar     * @param scrollBar the scrollbar's drawable     *     * @see #isVerticalScrollBarEnabled()     * @see #computeVerticalScrollRange()     * @see #computeVerticalScrollExtent()     * @see #computeVerticalScrollOffset()     * @see android.widget.ScrollBarDrawable     * @hide     */    protected void onDrawVerticalScrollBar(Canvas canvas, Drawable scrollBar,            int l, int t, int r, int b) {        scrollBar.setBounds(l, t, r, b);        scrollBar.draw(canvas);    }    /**     * Implement this to do your drawing.     *     * @param canvas the canvas on which the background will be drawn     */    protected void onDraw(Canvas canvas) {    }    /*     * Caller is responsible for calling requestLayout if necessary.     * (This allows addViewInLayout to not request a new layout.)     */    void assignParent(ViewParent parent) {        if (mParent == null) {            mParent = parent;        } else if (parent == null) {            mParent = null;        } else {            throw new RuntimeException("view " + this + " being added, but"                    + " it already has a parent");        }    }    /**     * This is called when the view is attached to a window.  At this point it     * has a Surface and will start drawing.  Note that this function is     * guaranteed to be called before {@link #onDraw(android.graphics.Canvas)},     * however it may be called any time before the first onDraw -- including     * before or after {@link #onMeasure(int, int)}.     *     * @see #onDetachedFromWindow()     */    protected void onAttachedToWindow() {        if ((mPrivateFlags & PFLAG_REQUEST_TRANSPARENT_REGIONS) != 0) {            mParent.requestTransparentRegion(this);        }        if ((mPrivateFlags & PFLAG_AWAKEN_SCROLL_BARS_ON_ATTACH) != 0) {            initialAwakenScrollBars();            mPrivateFlags &= ~PFLAG_AWAKEN_SCROLL_BARS_ON_ATTACH;        }        mPrivateFlags3 &= ~PFLAG3_IS_LAID_OUT;        jumpDrawablesToCurrentState();        resetSubtreeAccessibilityStateChanged();        if (isFocused()) {            InputMethodManager imm = InputMethodManager.peekInstance();            imm.focusIn(this);        }        if (mDisplayList != null) {            mDisplayList.clearDirty();        }    }    /**     * Resolve all RTL related properties.     *     * @return true if resolution of RTL properties has been done     *     * @hide     */    public boolean resolveRtlPropertiesIfNeeded() {        if (!needRtlPropertiesResolution()) return false;        // Order is important here: LayoutDirection MUST be resolved first        if (!isLayoutDirectionResolved()) {            resolveLayoutDirection();            resolveLayoutParams();        }        // ... then we can resolve the others properties depending on the resolved LayoutDirection.        if (!isTextDirectionResolved()) {            resolveTextDirection();        }        if (!isTextAlignmentResolved()) {            resolveTextAlignment();        }        // Should resolve Drawables before Padding because we need the layout direction of the        // Drawable to correctly resolve Padding.        if (!isDrawablesResolved()) {            resolveDrawables();        }        if (!isPaddingResolved()) {            resolvePadding();        }        onRtlPropertiesChanged(getLayoutDirection());        return true;    }    /**     * Reset resolution of all RTL related properties.     *     * @hide     */    public void resetRtlProperties() {        resetResolvedLayoutDirection();        resetResolvedTextDirection();        resetResolvedTextAlignment();        resetResolvedPadding();        resetResolvedDrawables();    }    /**     * @see #onScreenStateChanged(int)     */    void dispatchScreenStateChanged(int screenState) {        onScreenStateChanged(screenState);    }    /**     * This method is called whenever the state of the screen this view is     * attached to changes. A state change will usually occurs when the screen     * turns on or off (whether it happens automatically or the user does it     * manually.)     *     * @param screenState The new state of the screen. Can be either     *                    {@link #SCREEN_STATE_ON} or {@link #SCREEN_STATE_OFF}     */    public void onScreenStateChanged(int screenState) {    }    /**     * Return true if the application tag in the AndroidManifest has set "supportRtl" to true     */    private boolean hasRtlSupport() {        return mContext.getApplicationInfo().hasRtlSupport();    }    /**     * Return true if we are in RTL compatibility mode (either before Jelly Bean MR1 or     * RTL not supported)     */    private boolean isRtlCompatibilityMode() {        final int targetSdkVersion = getContext().getApplicationInfo().targetSdkVersion;        return targetSdkVersion < JELLY_BEAN_MR1 || !hasRtlSupport();    }    /**     * @return true if RTL properties need resolution.     *     */    private boolean needRtlPropertiesResolution() {        return (mPrivateFlags2 & ALL_RTL_PROPERTIES_RESOLVED) != ALL_RTL_PROPERTIES_RESOLVED;    }    /**     * Called when any RTL property (layout direction or text direction or text alignment) has     * been changed.     *     * Subclasses need to override this method to take care of cached information that depends on the     * resolved layout direction, or to inform child views that inherit their layout direction.     *     * The default implementation does nothing.     *     * @param layoutDirection the direction of the layout     *     * @see #LAYOUT_DIRECTION_LTR     * @see #LAYOUT_DIRECTION_RTL     */    public void onRtlPropertiesChanged(int layoutDirection) {    }    /**     * Resolve and cache the layout direction. LTR is set initially. This is implicitly supposing     * that the parent directionality can and will be resolved before its children.     *     * @return true if resolution has been done, false otherwise.     *     * @hide     */    public boolean resolveLayoutDirection() {        // Clear any previous layout direction resolution        mPrivateFlags2 &= ~PFLAG2_LAYOUT_DIRECTION_RESOLVED_MASK;        if (hasRtlSupport()) {            // Set resolved depending on layout direction            switch ((mPrivateFlags2 & PFLAG2_LAYOUT_DIRECTION_MASK) >>                    PFLAG2_LAYOUT_DIRECTION_MASK_SHIFT) {                case LAYOUT_DIRECTION_INHERIT:                    // We cannot resolve yet. LTR is by default and let the resolution happen again                    // later to get the correct resolved value                    if (!canResolveLayoutDirection()) return false;                    // Parent has not yet resolved, LTR is still the default                    try {                        if (!mParent.isLayoutDirectionResolved()) return false;                        if (mParent.getLayoutDirection() == LAYOUT_DIRECTION_RTL) {                            mPrivateFlags2 |= PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL;                        }                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                    }                    break;                case LAYOUT_DIRECTION_RTL:                    mPrivateFlags2 |= PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL;                    break;                case LAYOUT_DIRECTION_LOCALE:                    if((LAYOUT_DIRECTION_RTL ==                            TextUtils.getLayoutDirectionFromLocale(Locale.getDefault()))) {                        mPrivateFlags2 |= PFLAG2_LAYOUT_DIRECTION_RESOLVED_RTL;                    }                    break;                default:                    // Nothing to do, LTR by default            }        }        // Set to resolved        mPrivateFlags2 |= PFLAG2_LAYOUT_DIRECTION_RESOLVED;        return true;    }    /**     * Check if layout direction resolution can be done.     *     * @return true if layout direction resolution can be done otherwise return false.     */    public boolean canResolveLayoutDirection() {        switch (getRawLayoutDirection()) {            case LAYOUT_DIRECTION_INHERIT:                if (mParent != null) {                    try {                        return mParent.canResolveLayoutDirection();                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                    }                }                return false;            default:                return true;        }    }    /**     * Reset the resolved layout direction. Layout direction will be resolved during a call to     * {@link #onMeasure(int, int)}.     *     * @hide     */    public void resetResolvedLayoutDirection() {        // Reset the current resolved bits        mPrivateFlags2 &= ~PFLAG2_LAYOUT_DIRECTION_RESOLVED_MASK;    }    /**     * @return true if the layout direction is inherited.     *     * @hide     */    public boolean isLayoutDirectionInherited() {        return (getRawLayoutDirection() == LAYOUT_DIRECTION_INHERIT);    }    /**     * @return true if layout direction has been resolved.     */    public boolean isLayoutDirectionResolved() {        return (mPrivateFlags2 & PFLAG2_LAYOUT_DIRECTION_RESOLVED) == PFLAG2_LAYOUT_DIRECTION_RESOLVED;    }    /**     * Return if padding has been resolved     *     * @hide     */    boolean isPaddingResolved() {        return (mPrivateFlags2 & PFLAG2_PADDING_RESOLVED) == PFLAG2_PADDING_RESOLVED;    }    /**     * Resolves padding depending on layout direction, if applicable, and     * recomputes internal padding values to adjust for scroll bars.     *     * @hide     */    public void resolvePadding() {        final int resolvedLayoutDirection = getLayoutDirection();        if (!isRtlCompatibilityMode()) {            // Post Jelly Bean MR1 case: we need to take the resolved layout direction into account.            // If start / end padding are defined, they will be resolved (hence overriding) to            // left / right or right / left depending on the resolved layout direction.            // If start / end padding are not defined, use the left / right ones.            if (mBackground != null && (!mLeftPaddingDefined || !mRightPaddingDefined)) {                Rect padding = sThreadLocal.get();                if (padding == null) {                    padding = new Rect();                    sThreadLocal.set(padding);                }                mBackground.getPadding(padding);                if (!mLeftPaddingDefined) {                    mUserPaddingLeftInitial = padding.left;                }                if (!mRightPaddingDefined) {                    mUserPaddingRightInitial = padding.right;                }            }            switch (resolvedLayoutDirection) {                case LAYOUT_DIRECTION_RTL:                    if (mUserPaddingStart != UNDEFINED_PADDING) {                        mUserPaddingRight = mUserPaddingStart;                    } else {                        mUserPaddingRight = mUserPaddingRightInitial;                    }                    if (mUserPaddingEnd != UNDEFINED_PADDING) {                        mUserPaddingLeft = mUserPaddingEnd;                    } else {                        mUserPaddingLeft = mUserPaddingLeftInitial;                    }                    break;                case LAYOUT_DIRECTION_LTR:                default:                    if (mUserPaddingStart != UNDEFINED_PADDING) {                        mUserPaddingLeft = mUserPaddingStart;                    } else {                        mUserPaddingLeft = mUserPaddingLeftInitial;                    }                    if (mUserPaddingEnd != UNDEFINED_PADDING) {                        mUserPaddingRight = mUserPaddingEnd;                    } else {                        mUserPaddingRight = mUserPaddingRightInitial;                    }            }            mUserPaddingBottom = (mUserPaddingBottom >= 0) ? mUserPaddingBottom : mPaddingBottom;        }        internalSetPadding(mUserPaddingLeft, mPaddingTop, mUserPaddingRight, mUserPaddingBottom);        onRtlPropertiesChanged(resolvedLayoutDirection);        mPrivateFlags2 |= PFLAG2_PADDING_RESOLVED;    }    /**     * Reset the resolved layout direction.     *     * @hide     */    public void resetResolvedPadding() {        mPrivateFlags2 &= ~PFLAG2_PADDING_RESOLVED;    }    /**     * This is called when the view is detached from a window.  At this point it     * no longer has a surface for drawing.     *     * @see #onAttachedToWindow()     */    protected void onDetachedFromWindow() {        mPrivateFlags &= ~PFLAG_CANCEL_NEXT_UP_EVENT;        mPrivateFlags3 &= ~PFLAG3_IS_LAID_OUT;        removeUnsetPressCallback();        removeLongPressCallback();        removePerformClickCallback();        removeSendViewScrolledAccessibilityEventCallback();        destroyDrawingCache();        destroyLayer(false);        cleanupDraw();        mCurrentAnimation = null;    }    private void cleanupDraw() {        if (mAttachInfo != null) {            if (mDisplayList != null) {                mDisplayList.markDirty();                mAttachInfo.mViewRootImpl.enqueueDisplayList(mDisplayList);            }            mAttachInfo.mViewRootImpl.cancelInvalidate(this);        } else {            // Should never happen            resetDisplayList();        }    }    /**     * This method ensures the hardware renderer is in a valid state     * before executing the specified action.     *     * This method will attempt to set a valid state even if the window     * the renderer is attached to was destroyed.     *     * This method is not guaranteed to work. If the hardware renderer     * does not exist or cannot be put in a valid state, this method     * will not executed the specified action.     *     * The specified action is executed synchronously.     *     * @param action The action to execute after the renderer is in a valid state     *     * @return True if the specified Runnable was executed, false otherwise     *     * @hide     */    public boolean executeHardwareAction(Runnable action) {        //noinspection SimplifiableIfStatement        if (mAttachInfo != null && mAttachInfo.mHardwareRenderer != null) {            return mAttachInfo.mHardwareRenderer.safelyRun(action);        }        return false;    }    void invalidateInheritedLayoutMode(int layoutModeOfRoot) {    }    /**     * @return The number of times this view has been attached to a window     */    protected int getWindowAttachCount() {        return mWindowAttachCount;    }    /**     * Retrieve a unique token identifying the window this view is attached to.     * @return Return the window's token for use in     * {@link WindowManager.LayoutParams#token WindowManager.LayoutParams.token}.     */    public IBinder getWindowToken() {        return mAttachInfo != null ? mAttachInfo.mWindowToken : null;    }    /**     * Retrieve the {@link WindowId} for the window this view is     * currently attached to.     */    public WindowId getWindowId() {        if (mAttachInfo == null) {            return null;        }        if (mAttachInfo.mWindowId == null) {            try {                mAttachInfo.mIWindowId = mAttachInfo.mSession.getWindowId(                        mAttachInfo.mWindowToken);                mAttachInfo.mWindowId = new WindowId(                        mAttachInfo.mIWindowId);            } catch (RemoteException e) {            }        }        return mAttachInfo.mWindowId;    }    /**     * Retrieve a unique token identifying the top-level "real" window of     * the window that this view is attached to.  That is, this is like     * {@link #getWindowToken}, except if the window this view in is a panel     * window (attached to another containing window), then the token of     * the containing window is returned instead.     *     * @return Returns the associated window token, either     * {@link #getWindowToken()} or the containing window's token.     */    public IBinder getApplicationWindowToken() {        AttachInfo ai = mAttachInfo;        if (ai != null) {            IBinder appWindowToken = ai.mPanelParentWindowToken;            if (appWindowToken == null) {                appWindowToken = ai.mWindowToken;            }            return appWindowToken;        }        return null;    }    /**     * Gets the logical display to which the view's window has been attached.     *     * @return The logical display, or null if the view is not currently attached to a window.     */    public Display getDisplay() {        return mAttachInfo != null ? mAttachInfo.mDisplay : null;    }    /**     * Retrieve private session object this view hierarchy is using to     * communicate with the window manager.     * @return the session object to communicate with the window manager     */    /*package*/ IWindowSession getWindowSession() {        return mAttachInfo != null ? mAttachInfo.mSession : null;    }    /**     * @param info the {@link android.view.View.AttachInfo} to associated with     *        this view     */    void dispatchAttachedToWindow(AttachInfo info, int visibility) {        //System.out.println("Attached! " + this);        mAttachInfo = info;        if (mOverlay != null) {            mOverlay.getOverlayView().dispatchAttachedToWindow(info, visibility);        }        mWindowAttachCount++;        // We will need to evaluate the drawable state at least once.        mPrivateFlags |= PFLAG_DRAWABLE_STATE_DIRTY;        if (mFloatingTreeObserver != null) {            info.mTreeObserver.merge(mFloatingTreeObserver);            mFloatingTreeObserver = null;        }        if ((mPrivateFlags&PFLAG_SCROLL_CONTAINER) != 0) {            mAttachInfo.mScrollContainers.add(this);            mPrivateFlags |= PFLAG_SCROLL_CONTAINER_ADDED;        }        performCollectViewAttributes(mAttachInfo, visibility);        onAttachedToWindow();        ListenerInfo li = mListenerInfo;        final CopyOnWriteArrayList<OnAttachStateChangeListener> listeners =                li != null ? li.mOnAttachStateChangeListeners : null;        if (listeners != null && listeners.size() > 0) {            // NOTE: because of the use of CopyOnWriteArrayList, we *must* use an iterator to            // perform the dispatching. The iterator is a safe guard against listeners that            // could mutate the list by calling the various add/remove methods. This prevents            // the array from being modified while we iterate it.            for (OnAttachStateChangeListener listener : listeners) {                listener.onViewAttachedToWindow(this);            }        }        int vis = info.mWindowVisibility;        if (vis != GONE) {            onWindowVisibilityChanged(vis);        }        if ((mPrivateFlags&PFLAG_DRAWABLE_STATE_DIRTY) != 0) {            // If nobody has evaluated the drawable state yet, then do it now.            refreshDrawableState();        }        needGlobalAttributesUpdate(false);    }    void dispatchDetachedFromWindow() {        AttachInfo info = mAttachInfo;        if (info != null) {            int vis = info.mWindowVisibility;            if (vis != GONE) {                onWindowVisibilityChanged(GONE);            }        }        onDetachedFromWindow();        ListenerInfo li = mListenerInfo;        final CopyOnWriteArrayList<OnAttachStateChangeListener> listeners =                li != null ? li.mOnAttachStateChangeListeners : null;        if (listeners != null && listeners.size() > 0) {            // NOTE: because of the use of CopyOnWriteArrayList, we *must* use an iterator to            // perform the dispatching. The iterator is a safe guard against listeners that            // could mutate the list by calling the various add/remove methods. This prevents            // the array from being modified while we iterate it.            for (OnAttachStateChangeListener listener : listeners) {                listener.onViewDetachedFromWindow(this);            }        }        if ((mPrivateFlags & PFLAG_SCROLL_CONTAINER_ADDED) != 0) {            mAttachInfo.mScrollContainers.remove(this);            mPrivateFlags &= ~PFLAG_SCROLL_CONTAINER_ADDED;        }        mAttachInfo = null;        if (mOverlay != null) {            mOverlay.getOverlayView().dispatchDetachedFromWindow();        }    }    /**     * Cancel any deferred high-level input events that were previously posted to the event queue.     *     * <p>Many views post high-level events such as click handlers to the event queue     * to run deferred in order to preserve a desired user experience - clearing visible     * pressed states before executing, etc. This method will abort any events of this nature     * that are currently in flight.</p>     *     * <p>Custom views that generate their own high-level deferred input events should override     * {@link #onCancelPendingInputEvents()} and remove those pending events from the queue.</p>     *     * <p>This will also cancel pending input events for any child views.</p>     *     * <p>Note that this may not be sufficient as a debouncing strategy for clicks in all cases.     * This will not impact newer events posted after this call that may occur as a result of     * lower-level input events still waiting in the queue. If you are trying to prevent     * double-submitted  events for the duration of some sort of asynchronous transaction     * you should also take other steps to protect against unexpected double inputs e.g. calling     * {@link #setEnabled(boolean) setEnabled(false)} and re-enabling the view when     * the transaction completes, tracking already submitted transaction IDs, etc.</p>     */    public final void cancelPendingInputEvents() {        dispatchCancelPendingInputEvents();    }    /**     * Called by {@link #cancelPendingInputEvents()} to cancel input events in flight.     * Overridden by ViewGroup to dispatch. Package scoped to prevent app-side meddling.     */    void dispatchCancelPendingInputEvents() {        mPrivateFlags3 &= ~PFLAG3_CALLED_SUPER;        onCancelPendingInputEvents();        if ((mPrivateFlags3 & PFLAG3_CALLED_SUPER) != PFLAG3_CALLED_SUPER) {            throw new SuperNotCalledException("View " + getClass().getSimpleName() +                    " did not call through to super.onCancelPendingInputEvents()");        }    }    /**     * Called as the result of a call to {@link #cancelPendingInputEvents()} on this view or     * a parent view.     *     * <p>This method is responsible for removing any pending high-level input events that were     * posted to the event queue to run later. Custom view classes that post their own deferred     * high-level events via {@link #post(Runnable)}, {@link #postDelayed(Runnable, long)} or     * {@link android.os.Handler} should override this method, call     * <code>super.onCancelPendingInputEvents()</code> and remove those callbacks as appropriate.     * </p>     */    public void onCancelPendingInputEvents() {        removePerformClickCallback();        cancelLongPress();        mPrivateFlags3 |= PFLAG3_CALLED_SUPER;    }    /**     * Store this view hierarchy's frozen state into the given container.     *     * @param container The SparseArray in which to save the view's state.     *     * @see #restoreHierarchyState(android.util.SparseArray)     * @see #dispatchSaveInstanceState(android.util.SparseArray)     * @see #onSaveInstanceState()     */    public void saveHierarchyState(SparseArray<Parcelable> container) {        dispatchSaveInstanceState(container);    }    /**     * Called by {@link #saveHierarchyState(android.util.SparseArray)} to store the state for     * this view and its children. May be overridden to modify how freezing happens to a     * view's children; for example, some views may want to not store state for their children.     *     * @param container The SparseArray in which to save the view's state.     *     * @see #dispatchRestoreInstanceState(android.util.SparseArray)     * @see #saveHierarchyState(android.util.SparseArray)     * @see #onSaveInstanceState()     */    protected void dispatchSaveInstanceState(SparseArray<Parcelable> container) {        if (mID != NO_ID && (mViewFlags & SAVE_DISABLED_MASK) == 0) {            mPrivateFlags &= ~PFLAG_SAVE_STATE_CALLED;            Parcelable state = onSaveInstanceState();            if ((mPrivateFlags & PFLAG_SAVE_STATE_CALLED) == 0) {                throw new IllegalStateException(                        "Derived class did not call super.onSaveInstanceState()");            }            if (state != null) {                // Log.i("View", "Freezing #" + Integer.toHexString(mID)                // + ": " + state);                container.put(mID, state);            }        }    }    /**     * Hook allowing a view to generate a representation of its internal state     * that can later be used to create a new instance with that same state.     * This state should only contain information that is not persistent or can     * not be reconstructed later. For example, you will never store your     * current position on screen because that will be computed again when a     * new instance of the view is placed in its view hierarchy.     * <p>     * Some examples of things you may store here: the current cursor position     * in a text view (but usually not the text itself since that is stored in a     * content provider or other persistent storage), the currently selected     * item in a list view.     *     * @return Returns a Parcelable object containing the view's current dynamic     *         state, or null if there is nothing interesting to save. The     *         default implementation returns null.     * @see #onRestoreInstanceState(android.os.Parcelable)     * @see #saveHierarchyState(android.util.SparseArray)     * @see #dispatchSaveInstanceState(android.util.SparseArray)     * @see #setSaveEnabled(boolean)     */    protected Parcelable onSaveInstanceState() {        mPrivateFlags |= PFLAG_SAVE_STATE_CALLED;        return BaseSavedState.EMPTY_STATE;    }    /**     * Restore this view hierarchy's frozen state from the given container.     *     * @param container The SparseArray which holds previously frozen states.     *     * @see #saveHierarchyState(android.util.SparseArray)     * @see #dispatchRestoreInstanceState(android.util.SparseArray)     * @see #onRestoreInstanceState(android.os.Parcelable)     */    public void restoreHierarchyState(SparseArray<Parcelable> container) {        dispatchRestoreInstanceState(container);    }    /**     * Called by {@link #restoreHierarchyState(android.util.SparseArray)} to retrieve the     * state for this view and its children. May be overridden to modify how restoring     * happens to a view's children; for example, some views may want to not store state     * for their children.     *     * @param container The SparseArray which holds previously saved state.     *     * @see #dispatchSaveInstanceState(android.util.SparseArray)     * @see #restoreHierarchyState(android.util.SparseArray)     * @see #onRestoreInstanceState(android.os.Parcelable)     */    protected void dispatchRestoreInstanceState(SparseArray<Parcelable> container) {        if (mID != NO_ID) {            Parcelable state = container.get(mID);            if (state != null) {                // Log.i("View", "Restoreing #" + Integer.toHexString(mID)                // + ": " + state);                mPrivateFlags &= ~PFLAG_SAVE_STATE_CALLED;                onRestoreInstanceState(state);                if ((mPrivateFlags & PFLAG_SAVE_STATE_CALLED) == 0) {                    throw new IllegalStateException(                            "Derived class did not call super.onRestoreInstanceState()");                }            }        }    }    /**     * Hook allowing a view to re-apply a representation of its internal state that had previously     * been generated by {@link #onSaveInstanceState}. This function will never be called with a     * null state.     *     * @param state The frozen state that had previously been returned by     *        {@link #onSaveInstanceState}.     *     * @see #onSaveInstanceState()     * @see #restoreHierarchyState(android.util.SparseArray)     * @see #dispatchRestoreInstanceState(android.util.SparseArray)     */    protected void onRestoreInstanceState(Parcelable state) {        mPrivateFlags |= PFLAG_SAVE_STATE_CALLED;        if (state != BaseSavedState.EMPTY_STATE && state != null) {            throw new IllegalArgumentException("Wrong state class, expecting View State but "                    + "received " + state.getClass().toString() + " instead. This usually happens "                    + "when two views of different type have the same id in the same hierarchy. "                    + "This view's id is " + ViewDebug.resolveId(mContext, getId()) + ". Make sure "                    + "other views do not use the same id.");        }    }    /**     * <p>Return the time at which the drawing of the view hierarchy started.</p>     *     * @return the drawing start time in milliseconds     */    public long getDrawingTime() {        return mAttachInfo != null ? mAttachInfo.mDrawingTime : 0;    }    /**     * <p>Enables or disables the duplication of the parent's state into this view. When     * duplication is enabled, this view gets its drawable state from its parent rather     * than from its own internal properties.</p>     *     * <p>Note: in the current implementation, setting this property to true after the     * view was added to a ViewGroup might have no effect at all. This property should     * always be used from XML or set to true before adding this view to a ViewGroup.</p>     *     * <p>Note: if this view's parent addStateFromChildren property is enabled and this     * property is enabled, an exception will be thrown.</p>     *     * <p>Note: if the child view uses and updates additionnal states which are unknown to the     * parent, these states should not be affected by this method.</p>     *     * @param enabled True to enable duplication of the parent's drawable state, false     *                to disable it.     *     * @see #getDrawableState()     * @see #isDuplicateParentStateEnabled()     */    public void setDuplicateParentStateEnabled(boolean enabled) {        setFlags(enabled ? DUPLICATE_PARENT_STATE : 0, DUPLICATE_PARENT_STATE);    }    /**     * <p>Indicates whether this duplicates its drawable state from its parent.</p>     *     * @return True if this view's drawable state is duplicated from the parent,     *         false otherwise     *     * @see #getDrawableState()     * @see #setDuplicateParentStateEnabled(boolean)     */    public boolean isDuplicateParentStateEnabled() {        return (mViewFlags & DUPLICATE_PARENT_STATE) == DUPLICATE_PARENT_STATE;    }    /**     * <p>Specifies the type of layer backing this view. The layer can be     * {@link #LAYER_TYPE_NONE}, {@link #LAYER_TYPE_SOFTWARE} or     * {@link #LAYER_TYPE_HARDWARE}.</p>     *     * <p>A layer is associated with an optional {@link android.graphics.Paint}     * instance that controls how the layer is composed on screen. The following     * properties of the paint are taken into account when composing the layer:</p>     * <ul>     * <li>{@link android.graphics.Paint#getAlpha() Translucency (alpha)}</li>     * <li>{@link android.graphics.Paint#getXfermode() Blending mode}</li>     * <li>{@link android.graphics.Paint#getColorFilter() Color filter}</li>     * </ul>     *     * <p>If this view has an alpha value set to < 1.0 by calling     * {@link #setAlpha(float)}, the alpha value of the layer's paint is superceded     * by this view's alpha value.</p>     *     * <p>Refer to the documentation of {@link #LAYER_TYPE_NONE},     * {@link #LAYER_TYPE_SOFTWARE} and {@link #LAYER_TYPE_HARDWARE}     * for more information on when and how to use layers.</p>     *     * @param layerType The type of layer to use with this view, must be one of     *        {@link #LAYER_TYPE_NONE}, {@link #LAYER_TYPE_SOFTWARE} or     *        {@link #LAYER_TYPE_HARDWARE}     * @param paint The paint used to compose the layer. This argument is optional     *        and can be null. It is ignored when the layer type is     *        {@link #LAYER_TYPE_NONE}     *     * @see #getLayerType()     * @see #LAYER_TYPE_NONE     * @see #LAYER_TYPE_SOFTWARE     * @see #LAYER_TYPE_HARDWARE     * @see #setAlpha(float)     *     * @attr ref android.R.styleable#View_layerType     */    public void setLayerType(int layerType, Paint paint) {        if (layerType < LAYER_TYPE_NONE || layerType > LAYER_TYPE_HARDWARE) {            throw new IllegalArgumentException("Layer type can only be one of: LAYER_TYPE_NONE, "                    + "LAYER_TYPE_SOFTWARE or LAYER_TYPE_HARDWARE");        }        if (layerType == mLayerType) {            if (layerType != LAYER_TYPE_NONE && paint != mLayerPaint) {                mLayerPaint = paint == null ? new Paint() : paint;                invalidateParentCaches();                invalidate(true);            }            return;        }        // Destroy any previous software drawing cache if needed        switch (mLayerType) {            case LAYER_TYPE_HARDWARE:                destroyLayer(false);                // fall through - non-accelerated views may use software layer mechanism instead            case LAYER_TYPE_SOFTWARE:                destroyDrawingCache();                break;            default:                break;        }        mLayerType = layerType;        final boolean layerDisabled = mLayerType == LAYER_TYPE_NONE;        mLayerPaint = layerDisabled ? null : (paint == null ? new Paint() : paint);        mLocalDirtyRect = layerDisabled ? null : new Rect();        invalidateParentCaches();        invalidate(true);    }    /**     * Updates the {@link Paint} object used with the current layer (used only if the current     * layer type is not set to {@link #LAYER_TYPE_NONE}). Changed properties of the Paint     * provided to {@link #setLayerType(int, android.graphics.Paint)} will be used the next time     * the View is redrawn, but {@link #setLayerPaint(android.graphics.Paint)} must be called to     * ensure that the view gets redrawn immediately.     *     * <p>A layer is associated with an optional {@link android.graphics.Paint}     * instance that controls how the layer is composed on screen. The following     * properties of the paint are taken into account when composing the layer:</p>     * <ul>     * <li>{@link android.graphics.Paint#getAlpha() Translucency (alpha)}</li>     * <li>{@link android.graphics.Paint#getXfermode() Blending mode}</li>     * <li>{@link android.graphics.Paint#getColorFilter() Color filter}</li>     * </ul>     *     * <p>If this view has an alpha value set to < 1.0 by calling {@link #setAlpha(float)}, the     * alpha value of the layer's paint is superceded by this view's alpha value.</p>     *     * @param paint The paint used to compose the layer. This argument is optional     *        and can be null. It is ignored when the layer type is     *        {@link #LAYER_TYPE_NONE}     *     * @see #setLayerType(int, android.graphics.Paint)     */    public void setLayerPaint(Paint paint) {        int layerType = getLayerType();        if (layerType != LAYER_TYPE_NONE) {            mLayerPaint = paint == null ? new Paint() : paint;            if (layerType == LAYER_TYPE_HARDWARE) {                HardwareLayer layer = getHardwareLayer();                if (layer != null) {                    layer.setLayerPaint(paint);                }                invalidateViewProperty(false, false);            } else {                invalidate();            }        }    }    /**     * Indicates whether this view has a static layer. A view with layer type     * {@link #LAYER_TYPE_NONE} is a static layer. Other types of layers are     * dynamic.     */    boolean hasStaticLayer() {        return true;    }    /**     * Indicates what type of layer is currently associated with this view. By default     * a view does not have a layer, and the layer type is {@link #LAYER_TYPE_NONE}.     * Refer to the documentation of {@link #setLayerType(int, android.graphics.Paint)}     * for more information on the different types of layers.     *     * @return {@link #LAYER_TYPE_NONE}, {@link #LAYER_TYPE_SOFTWARE} or     *         {@link #LAYER_TYPE_HARDWARE}     *     * @see #setLayerType(int, android.graphics.Paint)     * @see #buildLayer()     * @see #LAYER_TYPE_NONE     * @see #LAYER_TYPE_SOFTWARE     * @see #LAYER_TYPE_HARDWARE     */    public int getLayerType() {        return mLayerType;    }    /**     * Forces this view's layer to be created and this view to be rendered     * into its layer. If this view's layer type is set to {@link #LAYER_TYPE_NONE},     * invoking this method will have no effect.     *     * This method can for instance be used to render a view into its layer before     * starting an animation. If this view is complex, rendering into the layer     * before starting the animation will avoid skipping frames.     *     * @throws IllegalStateException If this view is not attached to a window     *     * @see #setLayerType(int, android.graphics.Paint)     */    public void buildLayer() {        if (mLayerType == LAYER_TYPE_NONE) return;        final AttachInfo attachInfo = mAttachInfo;        if (attachInfo == null) {            throw new IllegalStateException("This view must be attached to a window first");        }        switch (mLayerType) {            case LAYER_TYPE_HARDWARE:                if (attachInfo.mHardwareRenderer != null &&                        attachInfo.mHardwareRenderer.isEnabled() &&                        attachInfo.mHardwareRenderer.validate()) {                    getHardwareLayer();                    // TODO: We need a better way to handle this case                    // If views have registered pre-draw listeners they need                    // to be notified before we build the layer. Those listeners                    // may however rely on other events to happen first so we                    // cannot just invoke them here until they don't cancel the                    // current frame                    if (!attachInfo.mTreeObserver.hasOnPreDrawListeners()) {                        attachInfo.mViewRootImpl.dispatchFlushHardwareLayerUpdates();                    }                }                break;            case LAYER_TYPE_SOFTWARE:                buildDrawingCache(true);                break;        }    }    /**     * <p>Returns a hardware layer that can be used to draw this view again     * without executing its draw method.</p>     *     * @return A HardwareLayer ready to render, or null if an error occurred.     */    HardwareLayer getHardwareLayer() {        if (mAttachInfo == null || mAttachInfo.mHardwareRenderer == null ||                !mAttachInfo.mHardwareRenderer.isEnabled()) {            return null;        }        if (!mAttachInfo.mHardwareRenderer.validate()) return null;        final int width = mRight - mLeft;        final int height = mBottom - mTop;        if (width == 0 || height == 0) {            return null;        }        if ((mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == 0 || mHardwareLayer == null) {            if (mHardwareLayer == null) {                mHardwareLayer = mAttachInfo.mHardwareRenderer.createHardwareLayer(                        width, height, isOpaque());                mLocalDirtyRect.set(0, 0, width, height);            } else {                if (mHardwareLayer.getWidth() != width || mHardwareLayer.getHeight() != height) {                    if (mHardwareLayer.resize(width, height)) {                        mLocalDirtyRect.set(0, 0, width, height);                    }                }                // This should not be necessary but applications that change                // the parameters of their background drawable without calling                // this.setBackground(Drawable) can leave the view in a bad state                // (for instance isOpaque() returns true, but the background is                // not opaque.)                computeOpaqueFlags();                final boolean opaque = isOpaque();                if (mHardwareLayer.isValid() && mHardwareLayer.isOpaque() != opaque) {                    mHardwareLayer.setOpaque(opaque);                    mLocalDirtyRect.set(0, 0, width, height);                }            }            // The layer is not valid if the underlying GPU resources cannot be allocated            if (!mHardwareLayer.isValid()) {                return null;            }            mHardwareLayer.setLayerPaint(mLayerPaint);            mHardwareLayer.redrawLater(getHardwareLayerDisplayList(mHardwareLayer), mLocalDirtyRect);            ViewRootImpl viewRoot = getViewRootImpl();            if (viewRoot != null) viewRoot.pushHardwareLayerUpdate(mHardwareLayer);            mLocalDirtyRect.setEmpty();        }        return mHardwareLayer;    }    /**     * Destroys this View's hardware layer if possible.     *     * @return True if the layer was destroyed, false otherwise.     *     * @see #setLayerType(int, android.graphics.Paint)     * @see #LAYER_TYPE_HARDWARE     */    boolean destroyLayer(boolean valid) {        if (mHardwareLayer != null) {            AttachInfo info = mAttachInfo;            if (info != null && info.mHardwareRenderer != null &&                    info.mHardwareRenderer.isEnabled() &&                    (valid || info.mHardwareRenderer.validate())) {                info.mHardwareRenderer.cancelLayerUpdate(mHardwareLayer);                mHardwareLayer.destroy();                mHardwareLayer = null;                invalidate(true);                invalidateParentCaches();            }            return true;        }        return false;    }    /**     * Destroys all hardware rendering resources. This method is invoked     * when the system needs to reclaim resources. Upon execution of this     * method, you should free any OpenGL resources created by the view.     *     * Note: you <strong>must</strong> call     * <code>super.destroyHardwareResources()</code> when overriding     * this method.     *     * @hide     */    protected void destroyHardwareResources() {        resetDisplayList();        destroyLayer(true);    }    /**     * <p>Enables or disables the drawing cache. When the drawing cache is enabled, the next call     * to {@link #getDrawingCache()} or {@link #buildDrawingCache()} will draw the view in a     * bitmap. Calling {@link #draw(android.graphics.Canvas)} will not draw from the cache when     * the cache is enabled. To benefit from the cache, you must request the drawing cache by     * calling {@link #getDrawingCache()} and draw it on screen if the returned bitmap is not     * null.</p>     *     * <p>Enabling the drawing cache is similar to     * {@link #setLayerType(int, android.graphics.Paint) setting a layer} when hardware     * acceleration is turned off. When hardware acceleration is turned on, enabling the     * drawing cache has no effect on rendering because the system uses a different mechanism     * for acceleration which ignores the flag. If you want to use a Bitmap for the view, even     * when hardware acceleration is enabled, see {@link #setLayerType(int, android.graphics.Paint)}     * for information on how to enable software and hardware layers.</p>     *     * <p>This API can be used to manually generate     * a bitmap copy of this view, by setting the flag to <code>true</code> and calling     * {@link #getDrawingCache()}.</p>     *     * @param enabled true to enable the drawing cache, false otherwise     *     * @see #isDrawingCacheEnabled()     * @see #getDrawingCache()     * @see #buildDrawingCache()     * @see #setLayerType(int, android.graphics.Paint)     */    public void setDrawingCacheEnabled(boolean enabled) {        mCachingFailed = false;        setFlags(enabled ? DRAWING_CACHE_ENABLED : 0, DRAWING_CACHE_ENABLED);    }    /**     * <p>Indicates whether the drawing cache is enabled for this view.</p>     *     * @return true if the drawing cache is enabled     *     * @see #setDrawingCacheEnabled(boolean)     * @see #getDrawingCache()     */    @ViewDebug.ExportedProperty(category = "drawing")    public boolean isDrawingCacheEnabled() {        return (mViewFlags & DRAWING_CACHE_ENABLED) == DRAWING_CACHE_ENABLED;    }    /**     * Debugging utility which recursively outputs the dirty state of a view and its     * descendants.     *     * @hide     */    @SuppressWarnings({"UnusedDeclaration"})    public void outputDirtyFlags(String indent, boolean clear, int clearMask) {        Log.d("View", indent + this + "             DIRTY(" + (mPrivateFlags & View.PFLAG_DIRTY_MASK) +                ") DRAWN(" + (mPrivateFlags & PFLAG_DRAWN) + ")" + " CACHE_VALID(" +                (mPrivateFlags & View.PFLAG_DRAWING_CACHE_VALID) +                ") INVALIDATED(" + (mPrivateFlags & PFLAG_INVALIDATED) + ")");        if (clear) {            mPrivateFlags &= clearMask;        }        if (this instanceof ViewGroup) {            ViewGroup parent = (ViewGroup) this;            final int count = parent.getChildCount();            for (int i = 0; i < count; i++) {                final View child = parent.getChildAt(i);                child.outputDirtyFlags(indent + "  ", clear, clearMask);            }        }    }    /**     * This method is used by ViewGroup to cause its children to restore or recreate their     * display lists. It is called by getDisplayList() when the parent ViewGroup does not need     * to recreate its own display list, which would happen if it went through the normal     * draw/dispatchDraw mechanisms.     *     * @hide     */    protected void dispatchGetDisplayList() {}    /**     * A view that is not attached or hardware accelerated cannot create a display list.     * This method checks these conditions and returns the appropriate result.     *     * @return true if view has the ability to create a display list, false otherwise.     *     * @hide     */    public boolean canHaveDisplayList() {        return !(mAttachInfo == null || mAttachInfo.mHardwareRenderer == null);    }    /**     * @return The {@link HardwareRenderer} associated with that view or null if     *         hardware rendering is not supported or this view is not attached     *         to a window.     *     * @hide     */    public HardwareRenderer getHardwareRenderer() {        if (mAttachInfo != null) {            return mAttachInfo.mHardwareRenderer;        }        return null;    }    /**     * Returns a DisplayList. If the incoming displayList is null, one will be created.     * Otherwise, the same display list will be returned (after having been rendered into     * along the way, depending on the invalidation state of the view).     *     * @param displayList The previous version of this displayList, could be null.     * @param isLayer Whether the requester of the display list is a layer. If so,     * the view will avoid creating a layer inside the resulting display list.     * @return A new or reused DisplayList object.     */    private DisplayList getDisplayList(DisplayList displayList, boolean isLayer) {        if (!canHaveDisplayList()) {            return null;        }        if (((mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == 0 ||                displayList == null || !displayList.isValid() ||                (!isLayer && mRecreateDisplayList))) {            // Don't need to recreate the display list, just need to tell our            // children to restore/recreate theirs            if (displayList != null && displayList.isValid() &&                    !isLayer && !mRecreateDisplayList) {                mPrivateFlags |= PFLAG_DRAWN | PFLAG_DRAWING_CACHE_VALID;                mPrivateFlags &= ~PFLAG_DIRTY_MASK;                dispatchGetDisplayList();                return displayList;            }            if (!isLayer) {                // If we got here, we're recreating it. Mark it as such to ensure that                // we copy in child display lists into ours in drawChild()                mRecreateDisplayList = true;            }            if (displayList == null) {                displayList = mAttachInfo.mHardwareRenderer.createDisplayList(getClass().getName());                // If we're creating a new display list, make sure our parent gets invalidated                // since they will need to recreate their display list to account for this                // new child display list.                invalidateParentCaches();            }            boolean caching = false;            int width = mRight - mLeft;            int height = mBottom - mTop;            int layerType = getLayerType();            final HardwareCanvas canvas = displayList.start(width, height);            try {                if (!isLayer && layerType != LAYER_TYPE_NONE) {                    if (layerType == LAYER_TYPE_HARDWARE) {                        final HardwareLayer layer = getHardwareLayer();                        if (layer != null && layer.isValid()) {                            canvas.drawHardwareLayer(layer, 0, 0, mLayerPaint);                        } else {                            canvas.saveLayer(0, 0, mRight - mLeft, mBottom - mTop, mLayerPaint,                                    Canvas.HAS_ALPHA_LAYER_SAVE_FLAG |                                            Canvas.CLIP_TO_LAYER_SAVE_FLAG);                        }                        caching = true;                    } else {                        buildDrawingCache(true);                        Bitmap cache = getDrawingCache(true);                        if (cache != null) {                            canvas.drawBitmap(cache, 0, 0, mLayerPaint);                            caching = true;                        }                    }                } else {                    computeScroll();                    canvas.translate(-mScrollX, -mScrollY);                    if (!isLayer) {                        mPrivateFlags |= PFLAG_DRAWN | PFLAG_DRAWING_CACHE_VALID;                        mPrivateFlags &= ~PFLAG_DIRTY_MASK;                    }                    // Fast path for layouts with no backgrounds                    if ((mPrivateFlags & PFLAG_SKIP_DRAW) == PFLAG_SKIP_DRAW) {                        dispatchDraw(canvas);                        if (mOverlay != null && !mOverlay.isEmpty()) {                            mOverlay.getOverlayView().draw(canvas);                        }                    } else {                        draw(canvas);                    }                }            } finally {                displayList.end();                displayList.setCaching(caching);                if (isLayer) {                    displayList.setLeftTopRightBottom(0, 0, width, height);                } else {                    setDisplayListProperties(displayList);                }            }        } else if (!isLayer) {            mPrivateFlags |= PFLAG_DRAWN | PFLAG_DRAWING_CACHE_VALID;            mPrivateFlags &= ~PFLAG_DIRTY_MASK;        }        return displayList;    }    /**     * Get the DisplayList for the HardwareLayer     *     * @param layer The HardwareLayer whose DisplayList we want     * @return A DisplayList fopr the specified HardwareLayer     */    private DisplayList getHardwareLayerDisplayList(HardwareLayer layer) {        DisplayList displayList = getDisplayList(layer.getDisplayList(), true);        layer.setDisplayList(displayList);        return displayList;    }    /**     * <p>Returns a display list that can be used to draw this view again     * without executing its draw method.</p>     *     * @return A DisplayList ready to replay, or null if caching is not enabled.     *     * @hide     */    public DisplayList getDisplayList() {        mDisplayList = getDisplayList(mDisplayList, false);        return mDisplayList;    }    private void clearDisplayList() {        if (mDisplayList != null) {            mDisplayList.clear();        }    }    private void resetDisplayList() {        if (mDisplayList != null) {            mDisplayList.reset();        }    }    /**     * <p>Calling this method is equivalent to calling <code>getDrawingCache(false)</code>.</p>     *     * @return A non-scaled bitmap representing this view or null if cache is disabled.     *     * @see #getDrawingCache(boolean)     */    public Bitmap getDrawingCache() {        return getDrawingCache(false);    }    /**     * <p>Returns the bitmap in which this view drawing is cached. The returned bitmap     * is null when caching is disabled. If caching is enabled and the cache is not ready,     * this method will create it. Calling {@link #draw(android.graphics.Canvas)} will not     * draw from the cache when the cache is enabled. To benefit from the cache, you must     * request the drawing cache by calling this method and draw it on screen if the     * returned bitmap is not null.</p>     *     * <p>Note about auto scaling in compatibility mode: When auto scaling is not enabled,     * this method will create a bitmap of the same size as this view. Because this bitmap     * will be drawn scaled by the parent ViewGroup, the result on screen might show     * scaling artifacts. To avoid such artifacts, you should call this method by setting     * the auto scaling to true. Doing so, however, will generate a bitmap of a different     * size than the view. This implies that your application must be able to handle this     * size.</p>     *     * @param autoScale Indicates whether the generated bitmap should be scaled based on     *        the current density of the screen when the application is in compatibility     *        mode.     *     * @return A bitmap representing this view or null if cache is disabled.     *     * @see #setDrawingCacheEnabled(boolean)     * @see #isDrawingCacheEnabled()     * @see #buildDrawingCache(boolean)     * @see #destroyDrawingCache()     */    public Bitmap getDrawingCache(boolean autoScale) {        if ((mViewFlags & WILL_NOT_CACHE_DRAWING) == WILL_NOT_CACHE_DRAWING) {            return null;        }        if ((mViewFlags & DRAWING_CACHE_ENABLED) == DRAWING_CACHE_ENABLED) {            buildDrawingCache(autoScale);        }        return autoScale ? mDrawingCache : mUnscaledDrawingCache;    }    /**     * <p>Frees the resources used by the drawing cache. If you call     * {@link #buildDrawingCache()} manually without calling     * {@link #setDrawingCacheEnabled(boolean) setDrawingCacheEnabled(true)}, you     * should cleanup the cache with this method afterwards.</p>     *     * @see #setDrawingCacheEnabled(boolean)     * @see #buildDrawingCache()     * @see #getDrawingCache()     */    public void destroyDrawingCache() {        if (mDrawingCache != null) {            mDrawingCache.recycle();            mDrawingCache = null;        }        if (mUnscaledDrawingCache != null) {            mUnscaledDrawingCache.recycle();            mUnscaledDrawingCache = null;        }    }    /**     * Setting a solid background color for the drawing cache's bitmaps will improve     * performance and memory usage. Note, though that this should only be used if this     * view will always be drawn on top of a solid color.     *     * @param color The background color to use for the drawing cache's bitmap     *     * @see #setDrawingCacheEnabled(boolean)     * @see #buildDrawingCache()     * @see #getDrawingCache()     */    public void setDrawingCacheBackgroundColor(int color) {        if (color != mDrawingCacheBackgroundColor) {            mDrawingCacheBackgroundColor = color;            mPrivateFlags &= ~PFLAG_DRAWING_CACHE_VALID;        }    }    /**     * @see #setDrawingCacheBackgroundColor(int)     *     * @return The background color to used for the drawing cache's bitmap     */    public int getDrawingCacheBackgroundColor() {        return mDrawingCacheBackgroundColor;    }    /**     * <p>Calling this method is equivalent to calling <code>buildDrawingCache(false)</code>.</p>     *     * @see #buildDrawingCache(boolean)     */    public void buildDrawingCache() {        buildDrawingCache(false);    }    /**     * <p>Forces the drawing cache to be built if the drawing cache is invalid.</p>     *     * <p>If you call {@link #buildDrawingCache()} manually without calling     * {@link #setDrawingCacheEnabled(boolean) setDrawingCacheEnabled(true)}, you     * should cleanup the cache by calling {@link #destroyDrawingCache()} afterwards.</p>     *     * <p>Note about auto scaling in compatibility mode: When auto scaling is not enabled,     * this method will create a bitmap of the same size as this view. Because this bitmap     * will be drawn scaled by the parent ViewGroup, the result on screen might show     * scaling artifacts. To avoid such artifacts, you should call this method by setting     * the auto scaling to true. Doing so, however, will generate a bitmap of a different     * size than the view. This implies that your application must be able to handle this     * size.</p>     *     * <p>You should avoid calling this method when hardware acceleration is enabled. If     * you do not need the drawing cache bitmap, calling this method will increase memory     * usage and cause the view to be rendered in software once, thus negatively impacting     * performance.</p>     *     * @see #getDrawingCache()     * @see #destroyDrawingCache()     */    public void buildDrawingCache(boolean autoScale) {        if ((mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == 0 || (autoScale ?                mDrawingCache == null : mUnscaledDrawingCache == null)) {            mCachingFailed = false;            int width = mRight - mLeft;            int height = mBottom - mTop;            final AttachInfo attachInfo = mAttachInfo;            final boolean scalingRequired = attachInfo != null && attachInfo.mScalingRequired;            if (autoScale && scalingRequired) {                width = (int) ((width * attachInfo.mApplicationScale) + 0.5f);                height = (int) ((height * attachInfo.mApplicationScale) + 0.5f);            }            final int drawingCacheBackgroundColor = mDrawingCacheBackgroundColor;            final boolean opaque = drawingCacheBackgroundColor != 0 || isOpaque();            final boolean use32BitCache = attachInfo != null && attachInfo.mUse32BitDrawingCache;            final long projectedBitmapSize = width * height * (opaque && !use32BitCache ? 2 : 4);            final long drawingCacheSize =                    ViewConfiguration.get(mContext).getScaledMaximumDrawingCacheSize();            if (width <= 0 || height <= 0 || projectedBitmapSize > drawingCacheSize) {                if (width > 0 && height > 0) {                    Log.w(VIEW_LOG_TAG, "View too large to fit into drawing cache, needs "                            + projectedBitmapSize + " bytes, only "                            + drawingCacheSize + " available");                }                destroyDrawingCache();                mCachingFailed = true;                return;            }            boolean clear = true;            Bitmap bitmap = autoScale ? mDrawingCache : mUnscaledDrawingCache;            if (bitmap == null || bitmap.getWidth() != width || bitmap.getHeight() != height) {                Bitmap.Config quality;                if (!opaque) {                    // Never pick ARGB_4444 because it looks awful                    // Keep the DRAWING_CACHE_QUALITY_LOW flag just in case                    switch (mViewFlags & DRAWING_CACHE_QUALITY_MASK) {                        case DRAWING_CACHE_QUALITY_AUTO:                        case DRAWING_CACHE_QUALITY_LOW:                        case DRAWING_CACHE_QUALITY_HIGH:                        default:                            quality = Bitmap.Config.ARGB_8888;                            break;                    }                } else {                    // Optimization for translucent windows                    // If the window is translucent, use a 32 bits bitmap to benefit from memcpy()                    quality = use32BitCache ? Bitmap.Config.ARGB_8888 : Bitmap.Config.RGB_565;                }                // Try to cleanup memory                if (bitmap != null) bitmap.recycle();                try {                    bitmap = Bitmap.createBitmap(mResources.getDisplayMetrics(),                            width, height, quality);                    bitmap.setDensity(getResources().getDisplayMetrics().densityDpi);                    if (autoScale) {                        mDrawingCache = bitmap;                    } else {                        mUnscaledDrawingCache = bitmap;                    }                    if (opaque && use32BitCache) bitmap.setHasAlpha(false);                } catch (OutOfMemoryError e) {                    // If there is not enough memory to create the bitmap cache, just                    // ignore the issue as bitmap caches are not required to draw the                    // view hierarchy                    if (autoScale) {                        mDrawingCache = null;                    } else {                        mUnscaledDrawingCache = null;                    }                    mCachingFailed = true;                    return;                }                clear = drawingCacheBackgroundColor != 0;            }            Canvas canvas;            if (attachInfo != null) {                canvas = attachInfo.mCanvas;                if (canvas == null) {                    canvas = new Canvas();                }                canvas.setBitmap(bitmap);                // Temporarily clobber the cached Canvas in case one of our children                // is also using a drawing cache. Without this, the children would                // steal the canvas by attaching their own bitmap to it and bad, bad                // thing would happen (invisible views, corrupted drawings, etc.)                attachInfo.mCanvas = null;            } else {                // This case should hopefully never or seldom happen                canvas = new Canvas(bitmap);            }            if (clear) {                bitmap.eraseColor(drawingCacheBackgroundColor);            }            computeScroll();            final int restoreCount = canvas.save();            if (autoScale && scalingRequired) {                final float scale = attachInfo.mApplicationScale;                canvas.scale(scale, scale);            }            canvas.translate(-mScrollX, -mScrollY);            mPrivateFlags |= PFLAG_DRAWN;            if (mAttachInfo == null || !mAttachInfo.mHardwareAccelerated ||                    mLayerType != LAYER_TYPE_NONE) {                mPrivateFlags |= PFLAG_DRAWING_CACHE_VALID;            }            // Fast path for layouts with no backgrounds            if ((mPrivateFlags & PFLAG_SKIP_DRAW) == PFLAG_SKIP_DRAW) {                mPrivateFlags &= ~PFLAG_DIRTY_MASK;                dispatchDraw(canvas);                if (mOverlay != null && !mOverlay.isEmpty()) {                    mOverlay.getOverlayView().draw(canvas);                }            } else {                draw(canvas);            }            canvas.restoreToCount(restoreCount);            canvas.setBitmap(null);            if (attachInfo != null) {                // Restore the cached Canvas for our siblings                attachInfo.mCanvas = canvas;            }        }    }    /**     * Create a snapshot of the view into a bitmap.  We should probably make     * some form of this public, but should think about the API.     */    Bitmap createSnapshot(Bitmap.Config quality, int backgroundColor, boolean skipChildren) {        int width = mRight - mLeft;        int height = mBottom - mTop;        final AttachInfo attachInfo = mAttachInfo;        final float scale = attachInfo != null ? attachInfo.mApplicationScale : 1.0f;        width = (int) ((width * scale) + 0.5f);        height = (int) ((height * scale) + 0.5f);        Bitmap bitmap = Bitmap.createBitmap(mResources.getDisplayMetrics(),                width > 0 ? width : 1, height > 0 ? height : 1, quality);        if (bitmap == null) {            throw new OutOfMemoryError();        }        Resources resources = getResources();        if (resources != null) {            bitmap.setDensity(resources.getDisplayMetrics().densityDpi);        }        Canvas canvas;        if (attachInfo != null) {            canvas = attachInfo.mCanvas;            if (canvas == null) {                canvas = new Canvas();            }            canvas.setBitmap(bitmap);            // Temporarily clobber the cached Canvas in case one of our children            // is also using a drawing cache. Without this, the children would            // steal the canvas by attaching their own bitmap to it and bad, bad            // things would happen (invisible views, corrupted drawings, etc.)            attachInfo.mCanvas = null;        } else {            // This case should hopefully never or seldom happen            canvas = new Canvas(bitmap);        }        if ((backgroundColor & 0xff000000) != 0) {            bitmap.eraseColor(backgroundColor);        }        computeScroll();        final int restoreCount = canvas.save();        canvas.scale(scale, scale);        canvas.translate(-mScrollX, -mScrollY);        // Temporarily remove the dirty mask        int flags = mPrivateFlags;        mPrivateFlags &= ~PFLAG_DIRTY_MASK;        // Fast path for layouts with no backgrounds        if ((mPrivateFlags & PFLAG_SKIP_DRAW) == PFLAG_SKIP_DRAW) {            dispatchDraw(canvas);            if (mOverlay != null && !mOverlay.isEmpty()) {                mOverlay.getOverlayView().draw(canvas);            }        } else {            draw(canvas);        }        mPrivateFlags = flags;        canvas.restoreToCount(restoreCount);        canvas.setBitmap(null);        if (attachInfo != null) {            // Restore the cached Canvas for our siblings            attachInfo.mCanvas = canvas;        }        return bitmap;    }    /**     * Indicates whether this View is currently in edit mode. A View is usually     * in edit mode when displayed within a developer tool. For instance, if     * this View is being drawn by a visual user interface builder, this method     * should return true.     *     * Subclasses should check the return value of this method to provide     * different behaviors if their normal behavior might interfere with the     * host environment. For instance: the class spawns a thread in its     * constructor, the drawing code relies on device-specific features, etc.     *     * This method is usually checked in the drawing code of custom widgets.     *     * @return True if this View is in edit mode, false otherwise.     */    public boolean isInEditMode() {        return false;    }    /**     * If the View draws content inside its padding and enables fading edges,     * it needs to support padding offsets. Padding offsets are added to the     * fading edges to extend the length of the fade so that it covers pixels     * drawn inside the padding.     *     * Subclasses of this class should override this method if they need     * to draw content inside the padding.     *     * @return True if padding offset must be applied, false otherwise.     *     * @see #getLeftPaddingOffset()     * @see #getRightPaddingOffset()     * @see #getTopPaddingOffset()     * @see #getBottomPaddingOffset()     *     * @since CURRENT     */    protected boolean isPaddingOffsetRequired() {        return false;    }    /**     * Amount by which to extend the left fading region. Called only when     * {@link #isPaddingOffsetRequired()} returns true.     *     * @return The left padding offset in pixels.     *     * @see #isPaddingOffsetRequired()     *     * @since CURRENT     */    protected int getLeftPaddingOffset() {        return 0;    }    /**     * Amount by which to extend the right fading region. Called only when     * {@link #isPaddingOffsetRequired()} returns true.     *     * @return The right padding offset in pixels.     *     * @see #isPaddingOffsetRequired()     *     * @since CURRENT     */    protected int getRightPaddingOffset() {        return 0;    }    /**     * Amount by which to extend the top fading region. Called only when     * {@link #isPaddingOffsetRequired()} returns true.     *     * @return The top padding offset in pixels.     *     * @see #isPaddingOffsetRequired()     *     * @since CURRENT     */    protected int getTopPaddingOffset() {        return 0;    }    /**     * Amount by which to extend the bottom fading region. Called only when     * {@link #isPaddingOffsetRequired()} returns true.     *     * @return The bottom padding offset in pixels.     *     * @see #isPaddingOffsetRequired()     *     * @since CURRENT     */    protected int getBottomPaddingOffset() {        return 0;    }    /**     * @hide     * @param offsetRequired     */    protected int getFadeTop(boolean offsetRequired) {        int top = mPaddingTop;        if (offsetRequired) top += getTopPaddingOffset();        return top;    }    /**     * @hide     * @param offsetRequired     */    protected int getFadeHeight(boolean offsetRequired) {        int padding = mPaddingTop;        if (offsetRequired) padding += getTopPaddingOffset();        return mBottom - mTop - mPaddingBottom - padding;    }    /**     * <p>Indicates whether this view is attached to a hardware accelerated     * window or not.</p>     *     * <p>Even if this method returns true, it does not mean that every call     * to {@link #draw(android.graphics.Canvas)} will be made with an hardware     * accelerated {@link android.graphics.Canvas}. For instance, if this view     * is drawn onto an offscreen {@link android.graphics.Bitmap} and its     * window is hardware accelerated,     * {@link android.graphics.Canvas#isHardwareAccelerated()} will likely     * return false, and this method will return true.</p>     *     * @return True if the view is attached to a window and the window is     *         hardware accelerated; false in any other case.     */    public boolean isHardwareAccelerated() {        return mAttachInfo != null && mAttachInfo.mHardwareAccelerated;    }    /**     * Sets a rectangular area on this view to which the view will be clipped     * when it is drawn. Setting the value to null will remove the clip bounds     * and the view will draw normally, using its full bounds.     *     * @param clipBounds The rectangular area, in the local coordinates of     * this view, to which future drawing operations will be clipped.     */    public void setClipBounds(Rect clipBounds) {        if (clipBounds != null) {            if (clipBounds.equals(mClipBounds)) {                return;            }            if (mClipBounds == null) {                invalidate();                mClipBounds = new Rect(clipBounds);            } else {                invalidate(Math.min(mClipBounds.left, clipBounds.left),                        Math.min(mClipBounds.top, clipBounds.top),                        Math.max(mClipBounds.right, clipBounds.right),                        Math.max(mClipBounds.bottom, clipBounds.bottom));                mClipBounds.set(clipBounds);            }        } else {            if (mClipBounds != null) {                invalidate();                mClipBounds = null;            }        }    }    /**     * Returns a copy of the current {@link #setClipBounds(Rect) clipBounds}.     *     * @return A copy of the current clip bounds if clip bounds are set,     * otherwise null.     */    public Rect getClipBounds() {        return (mClipBounds != null) ? new Rect(mClipBounds) : null;    }    /**     * Utility function, called by draw(canvas, parent, drawingTime) to handle the less common     * case of an active Animation being run on the view.     */    private boolean drawAnimation(ViewGroup parent, long drawingTime,            Animation a, boolean scalingRequired) {        Transformation invalidationTransform;        final int flags = parent.mGroupFlags;        final boolean initialized = a.isInitialized();        if (!initialized) {            a.initialize(mRight - mLeft, mBottom - mTop, parent.getWidth(), parent.getHeight());            a.initializeInvalidateRegion(0, 0, mRight - mLeft, mBottom - mTop);            if (mAttachInfo != null) a.setListenerHandler(mAttachInfo.mHandler);            onAnimationStart();        }        final Transformation t = parent.getChildTransformation();        boolean more = a.getTransformation(drawingTime, t, 1f);        if (scalingRequired && mAttachInfo.mApplicationScale != 1f) {            if (parent.mInvalidationTransformation == null) {                parent.mInvalidationTransformation = new Transformation();            }            invalidationTransform = parent.mInvalidationTransformation;            a.getTransformation(drawingTime, invalidationTransform, 1f);        } else {            invalidationTransform = t;        }        if (more) {            if (!a.willChangeBounds()) {                if ((flags & (ViewGroup.FLAG_OPTIMIZE_INVALIDATE | ViewGroup.FLAG_ANIMATION_DONE)) ==                        ViewGroup.FLAG_OPTIMIZE_INVALIDATE) {                    parent.mGroupFlags |= ViewGroup.FLAG_INVALIDATE_REQUIRED;                } else if ((flags & ViewGroup.FLAG_INVALIDATE_REQUIRED) == 0) {                    // The child need to draw an animation, potentially offscreen, so                    // make sure we do not cancel invalidate requests                    parent.mPrivateFlags |= PFLAG_DRAW_ANIMATION;                    parent.invalidate(mLeft, mTop, mRight, mBottom);                }            } else {                if (parent.mInvalidateRegion == null) {                    parent.mInvalidateRegion = new RectF();                }                final RectF region = parent.mInvalidateRegion;                a.getInvalidateRegion(0, 0, mRight - mLeft, mBottom - mTop, region,                        invalidationTransform);                // The child need to draw an animation, potentially offscreen, so                // make sure we do not cancel invalidate requests                parent.mPrivateFlags |= PFLAG_DRAW_ANIMATION;                final int left = mLeft + (int) region.left;                final int top = mTop + (int) region.top;                parent.invalidate(left, top, left + (int) (region.width() + .5f),                        top + (int) (region.height() + .5f));            }        }        return more;    }    /**     * This method is called by getDisplayList() when a display list is created or re-rendered.     * It sets or resets the current value of all properties on that display list (resetting is     * necessary when a display list is being re-created, because we need to make sure that     * previously-set transform values     */    void setDisplayListProperties(DisplayList displayList) {        if (displayList != null) {            displayList.setLeftTopRightBottom(mLeft, mTop, mRight, mBottom);            displayList.setHasOverlappingRendering(hasOverlappingRendering());            if (mParent instanceof ViewGroup) {                displayList.setClipToBounds(                        (((ViewGroup) mParent).mGroupFlags & ViewGroup.FLAG_CLIP_CHILDREN) != 0);            }            float alpha = 1;            if (mParent instanceof ViewGroup && (((ViewGroup) mParent).mGroupFlags &                    ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {                ViewGroup parentVG = (ViewGroup) mParent;                final Transformation t = parentVG.getChildTransformation();                if (parentVG.getChildStaticTransformation(this, t)) {                    final int transformType = t.getTransformationType();                    if (transformType != Transformation.TYPE_IDENTITY) {                        if ((transformType & Transformation.TYPE_ALPHA) != 0) {                            alpha = t.getAlpha();                        }                        if ((transformType & Transformation.TYPE_MATRIX) != 0) {                            displayList.setMatrix(t.getMatrix());                        }                    }                }            }            if (mTransformationInfo != null) {                alpha *= getFinalAlpha();                if (alpha < 1) {                    final int multipliedAlpha = (int) (255 * alpha);                    if (onSetAlpha(multipliedAlpha)) {                        alpha = 1;                    }                }                displayList.setTransformationInfo(alpha,                        mTransformationInfo.mTranslationX, mTransformationInfo.mTranslationY,                        mTransformationInfo.mRotation, mTransformationInfo.mRotationX,                        mTransformationInfo.mRotationY, mTransformationInfo.mScaleX,                        mTransformationInfo.mScaleY);                if (mTransformationInfo.mCamera == null) {                    mTransformationInfo.mCamera = new Camera();                    mTransformationInfo.matrix3D = new Matrix();                }                displayList.setCameraDistance(mTransformationInfo.mCamera.getLocationZ());                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == PFLAG_PIVOT_EXPLICITLY_SET) {                    displayList.setPivotX(getPivotX());                    displayList.setPivotY(getPivotY());                }            } else if (alpha < 1) {                displayList.setAlpha(alpha);            }        }    }    /**     * This method is called by ViewGroup.drawChild() to have each child view draw itself.     * This draw() method is an implementation detail and is not intended to be overridden or     * to be called from anywhere else other than ViewGroup.drawChild().     */    boolean draw(Canvas canvas, ViewGroup parent, long drawingTime) {        boolean useDisplayListProperties = mAttachInfo != null && mAttachInfo.mHardwareAccelerated;        boolean more = false;        final boolean childHasIdentityMatrix = hasIdentityMatrix();        final int flags = parent.mGroupFlags;        if ((flags & ViewGroup.FLAG_CLEAR_TRANSFORMATION) == ViewGroup.FLAG_CLEAR_TRANSFORMATION) {            parent.getChildTransformation().clear();            parent.mGroupFlags &= ~ViewGroup.FLAG_CLEAR_TRANSFORMATION;        }        Transformation transformToApply = null;        boolean concatMatrix = false;        boolean scalingRequired = false;        boolean caching;        int layerType = getLayerType();        final boolean hardwareAccelerated = canvas.isHardwareAccelerated();        if ((flags & ViewGroup.FLAG_CHILDREN_DRAWN_WITH_CACHE) != 0 ||                (flags & ViewGroup.FLAG_ALWAYS_DRAWN_WITH_CACHE) != 0) {            caching = true;            // Auto-scaled apps are not hw-accelerated, no need to set scaling flag on DisplayList            if (mAttachInfo != null) scalingRequired = mAttachInfo.mScalingRequired;        } else {            caching = (layerType != LAYER_TYPE_NONE) || hardwareAccelerated;        }        final Animation a = getAnimation();        if (a != null) {            more = drawAnimation(parent, drawingTime, a, scalingRequired);            concatMatrix = a.willChangeTransformationMatrix();            if (concatMatrix) {                mPrivateFlags3 |= PFLAG3_VIEW_IS_ANIMATING_TRANSFORM;            }            transformToApply = parent.getChildTransformation();        } else {            if ((mPrivateFlags3 & PFLAG3_VIEW_IS_ANIMATING_TRANSFORM) ==                    PFLAG3_VIEW_IS_ANIMATING_TRANSFORM && mDisplayList != null) {                // No longer animating: clear out old animation matrix                mDisplayList.setAnimationMatrix(null);                mPrivateFlags3 &= ~PFLAG3_VIEW_IS_ANIMATING_TRANSFORM;            }            if (!useDisplayListProperties &&                    (flags & ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS) != 0) {                final Transformation t = parent.getChildTransformation();                final boolean hasTransform = parent.getChildStaticTransformation(this, t);                if (hasTransform) {                    final int transformType = t.getTransformationType();                    transformToApply = transformType != Transformation.TYPE_IDENTITY ? t : null;                    concatMatrix = (transformType & Transformation.TYPE_MATRIX) != 0;                }            }        }        concatMatrix |= !childHasIdentityMatrix;        // Sets the flag as early as possible to allow draw() implementations        // to call invalidate() successfully when doing animations        mPrivateFlags |= PFLAG_DRAWN;        if (!concatMatrix &&                (flags & (ViewGroup.FLAG_SUPPORT_STATIC_TRANSFORMATIONS |                        ViewGroup.FLAG_CLIP_CHILDREN)) == ViewGroup.FLAG_CLIP_CHILDREN &&                canvas.quickReject(mLeft, mTop, mRight, mBottom, Canvas.EdgeType.BW) &&                (mPrivateFlags & PFLAG_DRAW_ANIMATION) == 0) {            mPrivateFlags2 |= PFLAG2_VIEW_QUICK_REJECTED;            return more;        }        mPrivateFlags2 &= ~PFLAG2_VIEW_QUICK_REJECTED;        if (hardwareAccelerated) {            // Clear INVALIDATED flag to allow invalidation to occur during rendering, but            // retain the flag's value temporarily in the mRecreateDisplayList flag            mRecreateDisplayList = (mPrivateFlags & PFLAG_INVALIDATED) == PFLAG_INVALIDATED;            mPrivateFlags &= ~PFLAG_INVALIDATED;        }        DisplayList displayList = null;        Bitmap cache = null;        boolean hasDisplayList = false;        if (caching) {            if (!hardwareAccelerated) {                if (layerType != LAYER_TYPE_NONE) {                    layerType = LAYER_TYPE_SOFTWARE;                    buildDrawingCache(true);                }                cache = getDrawingCache(true);            } else {                switch (layerType) {                    case LAYER_TYPE_SOFTWARE:                        if (useDisplayListProperties) {                            hasDisplayList = canHaveDisplayList();                        } else {                            buildDrawingCache(true);                            cache = getDrawingCache(true);                        }                        break;                    case LAYER_TYPE_HARDWARE:                        if (useDisplayListProperties) {                            hasDisplayList = canHaveDisplayList();                        }                        break;                    case LAYER_TYPE_NONE:                        // Delay getting the display list until animation-driven alpha values are                        // set up and possibly passed on to the view                        hasDisplayList = canHaveDisplayList();                        break;                }            }        }        useDisplayListProperties &= hasDisplayList;        if (useDisplayListProperties) {            displayList = getDisplayList();            if (!displayList.isValid()) {                // Uncommon, but possible. If a view is removed from the hierarchy during the call                // to getDisplayList(), the display list will be marked invalid and we should not                // try to use it again.                displayList = null;                hasDisplayList = false;                useDisplayListProperties = false;            }        }        int sx = 0;        int sy = 0;        if (!hasDisplayList) {            computeScroll();            sx = mScrollX;            sy = mScrollY;        }        final boolean hasNoCache = cache == null || hasDisplayList;        final boolean offsetForScroll = cache == null && !hasDisplayList &&                layerType != LAYER_TYPE_HARDWARE;        int restoreTo = -1;        if (!useDisplayListProperties || transformToApply != null) {            restoreTo = canvas.save();        }        if (offsetForScroll) {            canvas.translate(mLeft - sx, mTop - sy);        } else {            if (!useDisplayListProperties) {                canvas.translate(mLeft, mTop);            }            if (scalingRequired) {                if (useDisplayListProperties) {                    // TODO: Might not need this if we put everything inside the DL                    restoreTo = canvas.save();                }                // mAttachInfo cannot be null, otherwise scalingRequired == false                final float scale = 1.0f / mAttachInfo.mApplicationScale;                canvas.scale(scale, scale);            }        }        float alpha = useDisplayListProperties ? 1 : (getAlpha() * getTransitionAlpha());        if (transformToApply != null || alpha < 1 ||  !hasIdentityMatrix() ||                (mPrivateFlags3 & PFLAG3_VIEW_IS_ANIMATING_ALPHA) == PFLAG3_VIEW_IS_ANIMATING_ALPHA) {            if (transformToApply != null || !childHasIdentityMatrix) {                int transX = 0;                int transY = 0;                if (offsetForScroll) {                    transX = -sx;                    transY = -sy;                }                if (transformToApply != null) {                    if (concatMatrix) {                        if (useDisplayListProperties) {                            displayList.setAnimationMatrix(transformToApply.getMatrix());                        } else {                            // Undo the scroll translation, apply the transformation matrix,                            // then redo the scroll translate to get the correct result.                            canvas.translate(-transX, -transY);                            canvas.concat(transformToApply.getMatrix());                            canvas.translate(transX, transY);                        }                        parent.mGroupFlags |= ViewGroup.FLAG_CLEAR_TRANSFORMATION;                    }                    float transformAlpha = transformToApply.getAlpha();                    if (transformAlpha < 1) {                        alpha *= transformAlpha;                        parent.mGroupFlags |= ViewGroup.FLAG_CLEAR_TRANSFORMATION;                    }                }                if (!childHasIdentityMatrix && !useDisplayListProperties) {                    canvas.translate(-transX, -transY);                    canvas.concat(getMatrix());                    canvas.translate(transX, transY);                }            }            // Deal with alpha if it is or used to be <1            if (alpha < 1 ||                    (mPrivateFlags3 & PFLAG3_VIEW_IS_ANIMATING_ALPHA) == PFLAG3_VIEW_IS_ANIMATING_ALPHA) {                if (alpha < 1) {                    mPrivateFlags3 |= PFLAG3_VIEW_IS_ANIMATING_ALPHA;                } else {                    mPrivateFlags3 &= ~PFLAG3_VIEW_IS_ANIMATING_ALPHA;                }                parent.mGroupFlags |= ViewGroup.FLAG_CLEAR_TRANSFORMATION;                if (hasNoCache) {                    final int multipliedAlpha = (int) (255 * alpha);                    if (!onSetAlpha(multipliedAlpha)) {                        int layerFlags = Canvas.HAS_ALPHA_LAYER_SAVE_FLAG;                        if ((flags & ViewGroup.FLAG_CLIP_CHILDREN) != 0 ||                                layerType != LAYER_TYPE_NONE) {                            layerFlags |= Canvas.CLIP_TO_LAYER_SAVE_FLAG;                        }                        if (useDisplayListProperties) {                            displayList.setAlpha(alpha * getAlpha() * getTransitionAlpha());                        } else  if (layerType == LAYER_TYPE_NONE) {                            final int scrollX = hasDisplayList ? 0 : sx;                            final int scrollY = hasDisplayList ? 0 : sy;                            canvas.saveLayerAlpha(scrollX, scrollY, scrollX + mRight - mLeft,                                    scrollY + mBottom - mTop, multipliedAlpha, layerFlags);                        }                    } else {                        // Alpha is handled by the child directly, clobber the layer's alpha                        mPrivateFlags |= PFLAG_ALPHA_SET;                    }                }            }        } else if ((mPrivateFlags & PFLAG_ALPHA_SET) == PFLAG_ALPHA_SET) {            onSetAlpha(255);            mPrivateFlags &= ~PFLAG_ALPHA_SET;        }        if ((flags & ViewGroup.FLAG_CLIP_CHILDREN) == ViewGroup.FLAG_CLIP_CHILDREN &&                !useDisplayListProperties && cache == null) {            if (offsetForScroll) {                canvas.clipRect(sx, sy, sx + (mRight - mLeft), sy + (mBottom - mTop));            } else {                if (!scalingRequired || cache == null) {                    canvas.clipRect(0, 0, mRight - mLeft, mBottom - mTop);                } else {                    canvas.clipRect(0, 0, cache.getWidth(), cache.getHeight());                }            }        }        if (!useDisplayListProperties && hasDisplayList) {            displayList = getDisplayList();            if (!displayList.isValid()) {                // Uncommon, but possible. If a view is removed from the hierarchy during the call                // to getDisplayList(), the display list will be marked invalid and we should not                // try to use it again.                displayList = null;                hasDisplayList = false;            }        }        if (hasNoCache) {            boolean layerRendered = false;            if (layerType == LAYER_TYPE_HARDWARE && !useDisplayListProperties) {                final HardwareLayer layer = getHardwareLayer();                if (layer != null && layer.isValid()) {                    mLayerPaint.setAlpha((int) (alpha * 255));                    ((HardwareCanvas) canvas).drawHardwareLayer(layer, 0, 0, mLayerPaint);                    layerRendered = true;                } else {                    final int scrollX = hasDisplayList ? 0 : sx;                    final int scrollY = hasDisplayList ? 0 : sy;                    canvas.saveLayer(scrollX, scrollY,                            scrollX + mRight - mLeft, scrollY + mBottom - mTop, mLayerPaint,                            Canvas.HAS_ALPHA_LAYER_SAVE_FLAG | Canvas.CLIP_TO_LAYER_SAVE_FLAG);                }            }            if (!layerRendered) {                if (!hasDisplayList) {                    // Fast path for layouts with no backgrounds                    if ((mPrivateFlags & PFLAG_SKIP_DRAW) == PFLAG_SKIP_DRAW) {                        mPrivateFlags &= ~PFLAG_DIRTY_MASK;                        dispatchDraw(canvas);                    } else {                        draw(canvas);                    }                } else {                    mPrivateFlags &= ~PFLAG_DIRTY_MASK;                    ((HardwareCanvas) canvas).drawDisplayList(displayList, null, flags);                }            }        } else if (cache != null) {            mPrivateFlags &= ~PFLAG_DIRTY_MASK;            Paint cachePaint;            if (layerType == LAYER_TYPE_NONE) {                cachePaint = parent.mCachePaint;                if (cachePaint == null) {                    cachePaint = new Paint();                    cachePaint.setDither(false);                    parent.mCachePaint = cachePaint;                }                if (alpha < 1) {                    cachePaint.setAlpha((int) (alpha * 255));                    parent.mGroupFlags |= ViewGroup.FLAG_ALPHA_LOWER_THAN_ONE;                } else if  ((flags & ViewGroup.FLAG_ALPHA_LOWER_THAN_ONE) != 0) {                    cachePaint.setAlpha(255);                    parent.mGroupFlags &= ~ViewGroup.FLAG_ALPHA_LOWER_THAN_ONE;                }            } else {                cachePaint = mLayerPaint;                cachePaint.setAlpha((int) (alpha * 255));            }            canvas.drawBitmap(cache, 0.0f, 0.0f, cachePaint);        }        if (restoreTo >= 0) {            canvas.restoreToCount(restoreTo);        }        if (a != null && !more) {            if (!hardwareAccelerated && !a.getFillAfter()) {                onSetAlpha(255);            }            parent.finishAnimatingView(this, a);        }        if (more && hardwareAccelerated) {            if (a.hasAlpha() && (mPrivateFlags & PFLAG_ALPHA_SET) == PFLAG_ALPHA_SET) {                // alpha animations should cause the child to recreate its display list                invalidate(true);            }        }        mRecreateDisplayList = false;        return more;    }    /**     * Manually render this view (and all of its children) to the given Canvas.     * The view must have already done a full layout before this function is     * called.  When implementing a view, implement     * {@link #onDraw(android.graphics.Canvas)} instead of overriding this method.     * If you do need to override this method, call the superclass version.     *     * @param canvas The Canvas to which the View is rendered.     */    public void draw(Canvas canvas) {        if (mClipBounds != null) {            canvas.clipRect(mClipBounds);        }        final int privateFlags = mPrivateFlags;        final boolean dirtyOpaque = (privateFlags & PFLAG_DIRTY_MASK) == PFLAG_DIRTY_OPAQUE &&                (mAttachInfo == null || !mAttachInfo.mIgnoreDirtyState);        mPrivateFlags = (privateFlags & ~PFLAG_DIRTY_MASK) | PFLAG_DRAWN;        /*         * Draw traversal performs several drawing steps which must be executed         * in the appropriate order:         *         *      1. Draw the background         *      2. If necessary, save the canvas' layers to prepare for fading         *      3. Draw view's content         *      4. Draw children         *      5. If necessary, draw the fading edges and restore layers         *      6. Draw decorations (scrollbars for instance)         */        // Step 1, draw the background, if needed        int saveCount;        if (!dirtyOpaque) {            final Drawable background = mBackground;            if (background != null) {                final int scrollX = mScrollX;                final int scrollY = mScrollY;                if (mBackgroundSizeChanged) {                    background.setBounds(0, 0,  mRight - mLeft, mBottom - mTop);                    mBackgroundSizeChanged = false;                }                if ((scrollX | scrollY) == 0) {                    background.draw(canvas);                } else {                    canvas.translate(scrollX, scrollY);                    background.draw(canvas);                    canvas.translate(-scrollX, -scrollY);                }            }        }        // skip step 2 & 5 if possible (common case)        final int viewFlags = mViewFlags;        boolean horizontalEdges = (viewFlags & FADING_EDGE_HORIZONTAL) != 0;        boolean verticalEdges = (viewFlags & FADING_EDGE_VERTICAL) != 0;        if (!verticalEdges && !horizontalEdges) {            // Step 3, draw the content            if (!dirtyOpaque) onDraw(canvas);            // Step 4, draw the children            dispatchDraw(canvas);            // Step 6, draw decorations (scrollbars)            onDrawScrollBars(canvas);            if (mOverlay != null && !mOverlay.isEmpty()) {                mOverlay.getOverlayView().dispatchDraw(canvas);            }            // we're done...            return;        }        /*         * Here we do the full fledged routine...         * (this is an uncommon case where speed matters less,         * this is why we repeat some of the tests that have been         * done above)         */        boolean drawTop = false;        boolean drawBottom = false;        boolean drawLeft = false;        boolean drawRight = false;        float topFadeStrength = 0.0f;        float bottomFadeStrength = 0.0f;        float leftFadeStrength = 0.0f;        float rightFadeStrength = 0.0f;        // Step 2, save the canvas' layers        int paddingLeft = mPaddingLeft;        final boolean offsetRequired = isPaddingOffsetRequired();        if (offsetRequired) {            paddingLeft += getLeftPaddingOffset();        }        int left = mScrollX + paddingLeft;        int right = left + mRight - mLeft - mPaddingRight - paddingLeft;        int top = mScrollY + getFadeTop(offsetRequired);        int bottom = top + getFadeHeight(offsetRequired);        if (offsetRequired) {            right += getRightPaddingOffset();            bottom += getBottomPaddingOffset();        }        final ScrollabilityCache scrollabilityCache = mScrollCache;        final float fadeHeight = scrollabilityCache.fadingEdgeLength;        int length = (int) fadeHeight;        // clip the fade length if top and bottom fades overlap        // overlapping fades produce odd-looking artifacts        if (verticalEdges && (top + length > bottom - length)) {            length = (bottom - top) / 2;        }        // also clip horizontal fades if necessary        if (horizontalEdges && (left + length > right - length)) {            length = (right - left) / 2;        }        if (verticalEdges) {            topFadeStrength = Math.max(0.0f, Math.min(1.0f, getTopFadingEdgeStrength()));            drawTop = topFadeStrength * fadeHeight > 1.0f;            bottomFadeStrength = Math.max(0.0f, Math.min(1.0f, getBottomFadingEdgeStrength()));            drawBottom = bottomFadeStrength * fadeHeight > 1.0f;        }        if (horizontalEdges) {            leftFadeStrength = Math.max(0.0f, Math.min(1.0f, getLeftFadingEdgeStrength()));            drawLeft = leftFadeStrength * fadeHeight > 1.0f;            rightFadeStrength = Math.max(0.0f, Math.min(1.0f, getRightFadingEdgeStrength()));            drawRight = rightFadeStrength * fadeHeight > 1.0f;        }        saveCount = canvas.getSaveCount();        int solidColor = getSolidColor();        if (solidColor == 0) {            final int flags = Canvas.HAS_ALPHA_LAYER_SAVE_FLAG;            if (drawTop) {                canvas.saveLayer(left, top, right, top + length, null, flags);            }            if (drawBottom) {                canvas.saveLayer(left, bottom - length, right, bottom, null, flags);            }            if (drawLeft) {                canvas.saveLayer(left, top, left + length, bottom, null, flags);            }            if (drawRight) {                canvas.saveLayer(right - length, top, right, bottom, null, flags);            }        } else {            scrollabilityCache.setFadeColor(solidColor);        }        // Step 3, draw the content        if (!dirtyOpaque) onDraw(canvas);        // Step 4, draw the children        dispatchDraw(canvas);        // Step 5, draw the fade effect and restore layers        final Paint p = scrollabilityCache.paint;        final Matrix matrix = scrollabilityCache.matrix;        final Shader fade = scrollabilityCache.shader;        if (drawTop) {            matrix.setScale(1, fadeHeight * topFadeStrength);            matrix.postTranslate(left, top);            fade.setLocalMatrix(matrix);            canvas.drawRect(left, top, right, top + length, p);        }        if (drawBottom) {            matrix.setScale(1, fadeHeight * bottomFadeStrength);            matrix.postRotate(180);            matrix.postTranslate(left, bottom);            fade.setLocalMatrix(matrix);            canvas.drawRect(left, bottom - length, right, bottom, p);        }        if (drawLeft) {            matrix.setScale(1, fadeHeight * leftFadeStrength);            matrix.postRotate(-90);            matrix.postTranslate(left, top);            fade.setLocalMatrix(matrix);            canvas.drawRect(left, top, left + length, bottom, p);        }        if (drawRight) {            matrix.setScale(1, fadeHeight * rightFadeStrength);            matrix.postRotate(90);            matrix.postTranslate(right, top);            fade.setLocalMatrix(matrix);            canvas.drawRect(right - length, top, right, bottom, p);        }        canvas.restoreToCount(saveCount);        // Step 6, draw decorations (scrollbars)        onDrawScrollBars(canvas);        if (mOverlay != null && !mOverlay.isEmpty()) {            mOverlay.getOverlayView().dispatchDraw(canvas);        }    }    /**     * Returns the overlay for this view, creating it if it does not yet exist.     * Adding drawables to the overlay will cause them to be displayed whenever     * the view itself is redrawn. Objects in the overlay should be actively     * managed: remove them when they should not be displayed anymore. The     * overlay will always have the same size as its host view.     *     * <p>Note: Overlays do not currently work correctly with {@link     * SurfaceView} or {@link TextureView}; contents in overlays for these     * types of views may not display correctly.</p>     *     * @return The ViewOverlay object for this view.     * @see ViewOverlay     */    public ViewOverlay getOverlay() {        if (mOverlay == null) {            mOverlay = new ViewOverlay(mContext, this);        }        return mOverlay;    }    /**     * Override this if your view is known to always be drawn on top of a solid color background,     * and needs to draw fading edges. Returning a non-zero color enables the view system to     * optimize the drawing of the fading edges. If you do return a non-zero color, the alpha     * should be set to 0xFF.     *     * @see #setVerticalFadingEdgeEnabled(boolean)     * @see #setHorizontalFadingEdgeEnabled(boolean)     *     * @return The known solid color background for this view, or 0 if the color may vary     */    @ViewDebug.ExportedProperty(category = "drawing")    public int getSolidColor() {        return 0;    }    /**     * Build a human readable string representation of the specified view flags.     *     * @param flags the view flags to convert to a string     * @return a String representing the supplied flags     */    private static String printFlags(int flags) {        String output = "";        int numFlags = 0;        if ((flags & FOCUSABLE_MASK) == FOCUSABLE) {            output += "TAKES_FOCUS";            numFlags++;        }        switch (flags & VISIBILITY_MASK) {        case INVISIBLE:            if (numFlags > 0) {                output += " ";            }            output += "INVISIBLE";            // USELESS HERE numFlags++;            break;        case GONE:            if (numFlags > 0) {                output += " ";            }            output += "GONE";            // USELESS HERE numFlags++;            break;        default:            break;        }        return output;    }    /**     * Build a human readable string representation of the specified private     * view flags.     *     * @param privateFlags the private view flags to convert to a string     * @return a String representing the supplied flags     */    private static String printPrivateFlags(int privateFlags) {        String output = "";        int numFlags = 0;        if ((privateFlags & PFLAG_WANTS_FOCUS) == PFLAG_WANTS_FOCUS) {            output += "WANTS_FOCUS";            numFlags++;        }        if ((privateFlags & PFLAG_FOCUSED) == PFLAG_FOCUSED) {            if (numFlags > 0) {                output += " ";            }            output += "FOCUSED";            numFlags++;        }        if ((privateFlags & PFLAG_SELECTED) == PFLAG_SELECTED) {            if (numFlags > 0) {                output += " ";            }            output += "SELECTED";            numFlags++;        }        if ((privateFlags & PFLAG_IS_ROOT_NAMESPACE) == PFLAG_IS_ROOT_NAMESPACE) {            if (numFlags > 0) {                output += " ";            }            output += "IS_ROOT_NAMESPACE";            numFlags++;        }        if ((privateFlags & PFLAG_HAS_BOUNDS) == PFLAG_HAS_BOUNDS) {            if (numFlags > 0) {                output += " ";            }            output += "HAS_BOUNDS";            numFlags++;        }        if ((privateFlags & PFLAG_DRAWN) == PFLAG_DRAWN) {            if (numFlags > 0) {                output += " ";            }            output += "DRAWN";            // USELESS HERE numFlags++;        }        return output;    }    /**     * <p>Indicates whether or not this view's layout will be requested during     * the next hierarchy layout pass.</p>     *     * @return true if the layout will be forced during next layout pass     */    public boolean isLayoutRequested() {        return (mPrivateFlags & PFLAG_FORCE_LAYOUT) == PFLAG_FORCE_LAYOUT;    }    /**     * Return true if o is a ViewGroup that is laying out using optical bounds.     * @hide     */    public static boolean isLayoutModeOptical(Object o) {        return o instanceof ViewGroup && ((ViewGroup) o).isLayoutModeOptical();    }    private boolean setOpticalFrame(int left, int top, int right, int bottom) {        Insets parentInsets = mParent instanceof View ?                ((View) mParent).getOpticalInsets() : Insets.NONE;        Insets childInsets = getOpticalInsets();        return setFrame(                left   + parentInsets.left - childInsets.left,                top    + parentInsets.top  - childInsets.top,                right  + parentInsets.left + childInsets.right,                bottom + parentInsets.top  + childInsets.bottom);    }    /**     * Assign a size and position to a view and all of its     * descendants     *     * <p>This is the second phase of the layout mechanism.     * (The first is measuring). In this phase, each parent calls     * layout on all of its children to position them.     * This is typically done using the child measurements     * that were stored in the measure pass().</p>     *     * <p>Derived classes should not override this method.     * Derived classes with children should override     * onLayout. In that method, they should     * call layout on each of their children.</p>     *     * @param l Left position, relative to parent     * @param t Top position, relative to parent     * @param r Right position, relative to parent     * @param b Bottom position, relative to parent     */    @SuppressWarnings({"unchecked"})    public void layout(int l, int t, int r, int b) {        if ((mPrivateFlags3 & PFLAG3_MEASURE_NEEDED_BEFORE_LAYOUT) != 0) {            onMeasure(mOldWidthMeasureSpec, mOldHeightMeasureSpec);            mPrivateFlags3 &= ~PFLAG3_MEASURE_NEEDED_BEFORE_LAYOUT;        }        int oldL = mLeft;        int oldT = mTop;        int oldB = mBottom;        int oldR = mRight;//setFrame此方法是用来设置View的上下左右边距用的        boolean changed = isLayoutModeOptical(mParent) ?                setOpticalFrame(l, t, r, b) : setFrame(l, t, r, b);        if (changed || (mPrivateFlags & PFLAG_LAYOUT_REQUIRED) == PFLAG_LAYOUT_REQUIRED) {            onLayout(changed, l, t, r, b);            mPrivateFlags &= ~PFLAG_LAYOUT_REQUIRED;            ListenerInfo li = mListenerInfo;            if (li != null && li.mOnLayoutChangeListeners != null) {                ArrayList<OnLayoutChangeListener> listenersCopy =                        (ArrayList<OnLayoutChangeListener>)li.mOnLayoutChangeListeners.clone();                int numListeners = listenersCopy.size();                for (int i = 0; i < numListeners; ++i) {                    listenersCopy.get(i).onLayoutChange(this, l, t, r, b, oldL, oldT, oldR, oldB);                }            }        }        mPrivateFlags &= ~PFLAG_FORCE_LAYOUT;        mPrivateFlags3 |= PFLAG3_IS_LAID_OUT;    }    /**     * Called from layout when this view should     * assign a size and position to each of its children.     *     * Derived classes with children should override     * this method and call layout on each of     * their children.     * @param changed This is a new size or position for this view     * @param left Left position, relative to parent     * @param top Top position, relative to parent     * @param right Right position, relative to parent     * @param bottom Bottom position, relative to parent     */    protected void onLayout(boolean changed, int left, int top, int right, int bottom) {    }    /**     * Assign a size and position to this view.     *     * This is called from layout.     *     * @param left Left position, relative to parent     * @param top Top position, relative to parent     * @param right Right position, relative to parent     * @param bottom Bottom position, relative to parent     * @return true if the new size and position are different than the     *         previous ones     * {@hide}     */ //我们可以看到如果新的高度和宽工改变之后,会调用此函数重新设置View的四个参数 //int left, int top, int right, int bottom这四个参数指定了View将要布局的位置。而绘制的时候是通过这四个参数来绘制,所以我们在VIew中调用Layout方法可以实现子View的布局    protected boolean setFrame(int left, int top, int right, int bottom) {        boolean changed = false;        if (DBG) {            Log.d("View", this + " View.setFrame(" + left + "," + top + ","                    + right + "," + bottom + ")");        }        if (mLeft != left || mRight != right || mTop != top || mBottom != bottom) {            changed = true;            // Remember our drawn bit            int drawn = mPrivateFlags & PFLAG_DRAWN;            int oldWidth = mRight - mLeft;            int oldHeight = mBottom - mTop;            int newWidth = right - left;            int newHeight = bottom - top;            boolean sizeChanged = (newWidth != oldWidth) || (newHeight != oldHeight);            // Invalidate our old position            invalidate(sizeChanged);            mLeft = left;            mTop = top;            mRight = right;            mBottom = bottom;            if (mDisplayList != null) {                mDisplayList.setLeftTopRightBottom(mLeft, mTop, mRight, mBottom);            }            mPrivateFlags |= PFLAG_HAS_BOUNDS;            if (sizeChanged) {                if ((mPrivateFlags & PFLAG_PIVOT_EXPLICITLY_SET) == 0) {                    // A change in dimension means an auto-centered pivot point changes, too                    if (mTransformationInfo != null) {                        mTransformationInfo.mMatrixDirty = true;                    }                }                sizeChange(newWidth, newHeight, oldWidth, oldHeight);            }            if ((mViewFlags & VISIBILITY_MASK) == VISIBLE) {                // If we are visible, force the DRAWN bit to on so that                // this invalidate will go through (at least to our parent).                // This is because someone may have invalidated this view                // before this call to setFrame came in, thereby clearing                // the DRAWN bit.                mPrivateFlags |= PFLAG_DRAWN;                invalidate(sizeChanged);                // parent display list may need to be recreated based on a change in the bounds                // of any child                invalidateParentCaches();            }            // Reset drawn bit to original value (invalidate turns it off)            mPrivateFlags |= drawn;            mBackgroundSizeChanged = true;            notifySubtreeAccessibilityStateChangedIfNeeded();        }        return changed;    }    private void sizeChange(int newWidth, int newHeight, int oldWidth, int oldHeight) {        onSizeChanged(newWidth, newHeight, oldWidth, oldHeight);        if (mOverlay != null) {            mOverlay.getOverlayView().setRight(newWidth);            mOverlay.getOverlayView().setBottom(newHeight);        }    }    /**     * Finalize inflating a view from XML.  This is called as the last phase     * of inflation, after all child views have been added.     *     * <p>Even if the subclass overrides onFinishInflate, they should always be     * sure to call the super method, so that we get called.     */    protected void onFinishInflate() {    }    /**     * Returns the resources associated with this view.     *     * @return Resources object.     */    public Resources getResources() {        return mResources;    }    /**     * Invalidates the specified Drawable.     *     * @param drawable the drawable to invalidate     */    public void invalidateDrawable(Drawable drawable) {        if (verifyDrawable(drawable)) {            final Rect dirty = drawable.getBounds();            final int scrollX = mScrollX;            final int scrollY = mScrollY;            invalidate(dirty.left + scrollX, dirty.top + scrollY,                    dirty.right + scrollX, dirty.bottom + scrollY);        }    }    /**     * Schedules an action on a drawable to occur at a specified time.     *     * @param who the recipient of the action     * @param what the action to run on the drawable     * @param when the time at which the action must occur. Uses the     *        {@link SystemClock#uptimeMillis} timebase.     */    public void scheduleDrawable(Drawable who, Runnable what, long when) {        if (verifyDrawable(who) && what != null) {            final long delay = when - SystemClock.uptimeMillis();            if (mAttachInfo != null) {                mAttachInfo.mViewRootImpl.mChoreographer.postCallbackDelayed(                        Choreographer.CALLBACK_ANIMATION, what, who,                        Choreographer.subtractFrameDelay(delay));            } else {                ViewRootImpl.getRunQueue().postDelayed(what, delay);            }        }    }    /**     * Cancels a scheduled action on a drawable.     *     * @param who the recipient of the action     * @param what the action to cancel     */    public void unscheduleDrawable(Drawable who, Runnable what) {        if (verifyDrawable(who) && what != null) {            if (mAttachInfo != null) {                mAttachInfo.mViewRootImpl.mChoreographer.removeCallbacks(                        Choreographer.CALLBACK_ANIMATION, what, who);            } else {                ViewRootImpl.getRunQueue().removeCallbacks(what);            }        }    }    /**     * Unschedule any events associated with the given Drawable.  This can be     * used when selecting a new Drawable into a view, so that the previous     * one is completely unscheduled.     *     * @param who The Drawable to unschedule.     *     * @see #drawableStateChanged     */    public void unscheduleDrawable(Drawable who) {        if (mAttachInfo != null && who != null) {            mAttachInfo.mViewRootImpl.mChoreographer.removeCallbacks(                    Choreographer.CALLBACK_ANIMATION, null, who);        }    }    /**     * Resolve the Drawables depending on the layout direction. This is implicitly supposing     * that the View directionality can and will be resolved before its Drawables.     *     * Will call {@link View#onResolveDrawables} when resolution is done.     *     * @hide     */    protected void resolveDrawables() {        // Drawables resolution may need to happen before resolving the layout direction (which is        // done only during the measure() call).        // If the layout direction is not resolved yet, we cannot resolve the Drawables except in        // one case: when the raw layout direction has not been defined as LAYOUT_DIRECTION_INHERIT.        // So, if the raw layout direction is LAYOUT_DIRECTION_LTR or LAYOUT_DIRECTION_RTL or        // LAYOUT_DIRECTION_LOCALE, we can "cheat" and we don't need to wait for the layout        // direction to be resolved as its resolved value will be the same as its raw value.        if (!isLayoutDirectionResolved() &&                getRawLayoutDirection() == View.LAYOUT_DIRECTION_INHERIT) {            return;        }        final int layoutDirection = isLayoutDirectionResolved() ?                getLayoutDirection() : getRawLayoutDirection();        if (mBackground != null) {            mBackground.setLayoutDirection(layoutDirection);        }        mPrivateFlags2 |= PFLAG2_DRAWABLE_RESOLVED;        onResolveDrawables(layoutDirection);    }    /**     * Called when layout direction has been resolved.     *     * The default implementation does nothing.     *     * @param layoutDirection The resolved layout direction.     *     * @see #LAYOUT_DIRECTION_LTR     * @see #LAYOUT_DIRECTION_RTL     *     * @hide     */    public void onResolveDrawables(int layoutDirection) {    }    /**     * @hide     */    protected void resetResolvedDrawables() {        mPrivateFlags2 &= ~PFLAG2_DRAWABLE_RESOLVED;    }    private boolean isDrawablesResolved() {        return (mPrivateFlags2 & PFLAG2_DRAWABLE_RESOLVED) == PFLAG2_DRAWABLE_RESOLVED;    }    /**     * If your view subclass is displaying its own Drawable objects, it should     * override this function and return true for any Drawable it is     * displaying.  This allows animations for those drawables to be     * scheduled.     *     * <p>Be sure to call through to the super class when overriding this     * function.     *     * @param who The Drawable to verify.  Return true if it is one you are     *            displaying, else return the result of calling through to the     *            super class.     *     * @return boolean If true than the Drawable is being displayed in the     *         view; else false and it is not allowed to animate.     *     * @see #unscheduleDrawable(android.graphics.drawable.Drawable)     * @see #drawableStateChanged()     */    protected boolean verifyDrawable(Drawable who) {        return who == mBackground;    }    /**     * This function is called whenever the state of the view changes in such     * a way that it impacts the state of drawables being shown.     *     * <p>Be sure to call through to the superclass when overriding this     * function.     *     * @see Drawable#setState(int[])     */    protected void drawableStateChanged() {        Drawable d = mBackground;        if (d != null && d.isStateful()) {            d.setState(getDrawableState());        }    }    /**     * Call this to force a view to update its drawable state. This will cause     * drawableStateChanged to be called on this view. Views that are interested     * in the new state should call getDrawableState.     *     * @see #drawableStateChanged     * @see #getDrawableState     */    public void refreshDrawableState() {        mPrivateFlags |= PFLAG_DRAWABLE_STATE_DIRTY;        drawableStateChanged();        ViewParent parent = mParent;        if (parent != null) {            parent.childDrawableStateChanged(this);        }    }    /**     * Return an array of resource IDs of the drawable states representing the     * current state of the view.     *     * @return The current drawable state     *     * @see Drawable#setState(int[])     * @see #drawableStateChanged()     * @see #onCreateDrawableState(int)     */    public final int[] getDrawableState() {        if ((mDrawableState != null) && ((mPrivateFlags & PFLAG_DRAWABLE_STATE_DIRTY) == 0)) {            return mDrawableState;        } else {            mDrawableState = onCreateDrawableState(0);            mPrivateFlags &= ~PFLAG_DRAWABLE_STATE_DIRTY;            return mDrawableState;        }    }    /**     * Generate the new {@link android.graphics.drawable.Drawable} state for     * this view. This is called by the view     * system when the cached Drawable state is determined to be invalid.  To     * retrieve the current state, you should use {@link #getDrawableState}.     *     * @param extraSpace if non-zero, this is the number of extra entries you     * would like in the returned array in which you can place your own     * states.     *     * @return Returns an array holding the current {@link Drawable} state of     * the view.     *     * @see #mergeDrawableStates(int[], int[])     */    protected int[] onCreateDrawableState(int extraSpace) {        if ((mViewFlags & DUPLICATE_PARENT_STATE) == DUPLICATE_PARENT_STATE &&                mParent instanceof View) {            return ((View) mParent).onCreateDrawableState(extraSpace);        }        int[] drawableState;        int privateFlags = mPrivateFlags;        int viewStateIndex = 0;        if ((privateFlags & PFLAG_PRESSED) != 0) viewStateIndex |= VIEW_STATE_PRESSED;        if ((mViewFlags & ENABLED_MASK) == ENABLED) viewStateIndex |= VIEW_STATE_ENABLED;        if (isFocused()) viewStateIndex |= VIEW_STATE_FOCUSED;        if ((privateFlags & PFLAG_SELECTED) != 0) viewStateIndex |= VIEW_STATE_SELECTED;        if (hasWindowFocus()) viewStateIndex |= VIEW_STATE_WINDOW_FOCUSED;        if ((privateFlags & PFLAG_ACTIVATED) != 0) viewStateIndex |= VIEW_STATE_ACTIVATED;        if (mAttachInfo != null && mAttachInfo.mHardwareAccelerationRequested &&                HardwareRenderer.isAvailable()) {            // This is set if HW acceleration is requested, even if the current            // process doesn't allow it.  This is just to allow app preview            // windows to better match their app.            viewStateIndex |= VIEW_STATE_ACCELERATED;        }        if ((privateFlags & PFLAG_HOVERED) != 0) viewStateIndex |= VIEW_STATE_HOVERED;        final int privateFlags2 = mPrivateFlags2;        if ((privateFlags2 & PFLAG2_DRAG_CAN_ACCEPT) != 0) viewStateIndex |= VIEW_STATE_DRAG_CAN_ACCEPT;        if ((privateFlags2 & PFLAG2_DRAG_HOVERED) != 0) viewStateIndex |= VIEW_STATE_DRAG_HOVERED;        drawableState = VIEW_STATE_SETS[viewStateIndex];        //noinspection ConstantIfStatement        if (false) {            Log.i("View", "drawableStateIndex=" + viewStateIndex);            Log.i("View", toString()                    + " pressed=" + ((privateFlags & PFLAG_PRESSED) != 0)                    + " en=" + ((mViewFlags & ENABLED_MASK) == ENABLED)                    + " fo=" + hasFocus()                    + " sl=" + ((privateFlags & PFLAG_SELECTED) != 0)                    + " wf=" + hasWindowFocus()                    + ": " + Arrays.toString(drawableState));        }        if (extraSpace == 0) {            return drawableState;        }        final int[] fullState;        if (drawableState != null) {            fullState = new int[drawableState.length + extraSpace];            System.arraycopy(drawableState, 0, fullState, 0, drawableState.length);        } else {            fullState = new int[extraSpace];        }        return fullState;    }    /**     * Merge your own state values in <var>additionalState</var> into the base     * state values <var>baseState</var> that were returned by     * {@link #onCreateDrawableState(int)}.     *     * @param baseState The base state values returned by     * {@link #onCreateDrawableState(int)}, which will be modified to also hold your     * own additional state values.     *     * @param additionalState The additional state values you would like     * added to <var>baseState</var>; this array is not modified.     *     * @return As a convenience, the <var>baseState</var> array you originally     * passed into the function is returned.     *     * @see #onCreateDrawableState(int)     */    protected static int[] mergeDrawableStates(int[] baseState, int[] additionalState) {        final int N = baseState.length;        int i = N - 1;        while (i >= 0 && baseState[i] == 0) {            i--;        }        System.arraycopy(additionalState, 0, baseState, i + 1, additionalState.length);        return baseState;    }    /**     * Call {@link Drawable#jumpToCurrentState() Drawable.jumpToCurrentState()}     * on all Drawable objects associated with this view.     */    public void jumpDrawablesToCurrentState() {        if (mBackground != null) {            mBackground.jumpToCurrentState();        }    }    /**     * Sets the background color for this view.     * @param color the color of the background     */    @RemotableViewMethod    public void setBackgroundColor(int color) {        if (mBackground instanceof ColorDrawable) {            ((ColorDrawable) mBackground.mutate()).setColor(color);            computeOpaqueFlags();            mBackgroundResource = 0;        } else {            setBackground(new ColorDrawable(color));        }    }    /**     * Set the background to a given resource. The resource should refer to     * a Drawable object or 0 to remove the background.     * @param resid The identifier of the resource.     *     * @attr ref android.R.styleable#View_background     */    @RemotableViewMethod    public void setBackgroundResource(int resid) {        if (resid != 0 && resid == mBackgroundResource) {            return;        }        Drawable d= null;        if (resid != 0) {            d = mResources.getDrawable(resid);        }        setBackground(d);        mBackgroundResource = resid;    }    /**     * Set the background to a given Drawable, or remove the background. If the     * background has padding, this View's padding is set to the background's     * padding. However, when a background is removed, this View's padding isn't     * touched. If setting the padding is desired, please use     * {@link #setPadding(int, int, int, int)}.     *     * @param background The Drawable to use as the background, or null to remove the     *        background     */    public void setBackground(Drawable background) {        //noinspection deprecation        setBackgroundDrawable(background);    }    /**     * @deprecated use {@link #setBackground(Drawable)} instead     */    @Deprecated    public void setBackgroundDrawable(Drawable background) {        computeOpaqueFlags();        if (background == mBackground) {            return;        }        boolean requestLayout = false;        mBackgroundResource = 0;        /*         * Regardless of whether we're setting a new background or not, we want         * to clear the previous drawable.         */        if (mBackground != null) {            mBackground.setCallback(null);            unscheduleDrawable(mBackground);        }        if (background != null) {            Rect padding = sThreadLocal.get();            if (padding == null) {                padding = new Rect();                sThreadLocal.set(padding);            }            resetResolvedDrawables();            background.setLayoutDirection(getLayoutDirection());            if (background.getPadding(padding)) {                resetResolvedPadding();                switch (background.getLayoutDirection()) {                    case LAYOUT_DIRECTION_RTL:                        mUserPaddingLeftInitial = padding.right;                        mUserPaddingRightInitial = padding.left;                        internalSetPadding(padding.right, padding.top, padding.left, padding.bottom);                        break;                    case LAYOUT_DIRECTION_LTR:                    default:                        mUserPaddingLeftInitial = padding.left;                        mUserPaddingRightInitial = padding.right;                        internalSetPadding(padding.left, padding.top, padding.right, padding.bottom);                }                mLeftPaddingDefined = false;                mRightPaddingDefined = false;            }            // Compare the minimum sizes of the old Drawable and the new.  If there isn't an old or            // if it has a different minimum size, we should layout again            if (mBackground == null || mBackground.getMinimumHeight() != background.getMinimumHeight() ||                    mBackground.getMinimumWidth() != background.getMinimumWidth()) {                requestLayout = true;            }            background.setCallback(this);            if (background.isStateful()) {                background.setState(getDrawableState());            }            background.setVisible(getVisibility() == VISIBLE, false);            mBackground = background;            if ((mPrivateFlags & PFLAG_SKIP_DRAW) != 0) {                mPrivateFlags &= ~PFLAG_SKIP_DRAW;                mPrivateFlags |= PFLAG_ONLY_DRAWS_BACKGROUND;                requestLayout = true;            }        } else {            /* Remove the background */            mBackground = null;            if ((mPrivateFlags & PFLAG_ONLY_DRAWS_BACKGROUND) != 0) {                /*                 * This view ONLY drew the background before and we're removing                 * the background, so now it won't draw anything                 * (hence we SKIP_DRAW)                 */                mPrivateFlags &= ~PFLAG_ONLY_DRAWS_BACKGROUND;                mPrivateFlags |= PFLAG_SKIP_DRAW;            }            /*             * When the background is set, we try to apply its padding to this             * View. When the background is removed, we don't touch this View's             * padding. This is noted in the Javadocs. Hence, we don't need to             * requestLayout(), the invalidate() below is sufficient.             */            // The old background's minimum size could have affected this            // View's layout, so let's requestLayout            requestLayout = true;        }        computeOpaqueFlags();        if (requestLayout) {            requestLayout();        }        mBackgroundSizeChanged = true;        invalidate(true);    }    /**     * Gets the background drawable     *     * @return The drawable used as the background for this view, if any.     *     * @see #setBackground(Drawable)     *     * @attr ref android.R.styleable#View_background     */    public Drawable getBackground() {        return mBackground;    }    /**     * Sets the padding. The view may add on the space required to display     * the scrollbars, depending on the style and visibility of the scrollbars.     * So the values returned from {@link #getPaddingLeft}, {@link #getPaddingTop},     * {@link #getPaddingRight} and {@link #getPaddingBottom} may be different     * from the values set in this call.     *     * @attr ref android.R.styleable#View_padding     * @attr ref android.R.styleable#View_paddingBottom     * @attr ref android.R.styleable#View_paddingLeft     * @attr ref android.R.styleable#View_paddingRight     * @attr ref android.R.styleable#View_paddingTop     * @param left the left padding in pixels     * @param top the top padding in pixels     * @param right the right padding in pixels     * @param bottom the bottom padding in pixels     */    public void setPadding(int left, int top, int right, int bottom) {        resetResolvedPadding();        mUserPaddingStart = UNDEFINED_PADDING;        mUserPaddingEnd = UNDEFINED_PADDING;        mUserPaddingLeftInitial = left;        mUserPaddingRightInitial = right;        mLeftPaddingDefined = true;        mRightPaddingDefined = true;        internalSetPadding(left, top, right, bottom);    }    /**     * @hide     */    protected void internalSetPadding(int left, int top, int right, int bottom) {        mUserPaddingLeft = left;        mUserPaddingRight = right;        mUserPaddingBottom = bottom;        final int viewFlags = mViewFlags;        boolean changed = false;        // Common case is there are no scroll bars.        if ((viewFlags & (SCROLLBARS_VERTICAL|SCROLLBARS_HORIZONTAL)) != 0) {            if ((viewFlags & SCROLLBARS_VERTICAL) != 0) {                final int offset = (viewFlags & SCROLLBARS_INSET_MASK) == 0                        ? 0 : getVerticalScrollbarWidth();                switch (mVerticalScrollbarPosition) {                    case SCROLLBAR_POSITION_DEFAULT:                        if (isLayoutRtl()) {                            left += offset;                        } else {                            right += offset;                        }                        break;                    case SCROLLBAR_POSITION_RIGHT:                        right += offset;                        break;                    case SCROLLBAR_POSITION_LEFT:                        left += offset;                        break;                }            }            if ((viewFlags & SCROLLBARS_HORIZONTAL) != 0) {                bottom += (viewFlags & SCROLLBARS_INSET_MASK) == 0                        ? 0 : getHorizontalScrollbarHeight();            }        }        if (mPaddingLeft != left) {            changed = true;            mPaddingLeft = left;        }        if (mPaddingTop != top) {            changed = true;            mPaddingTop = top;        }        if (mPaddingRight != right) {            changed = true;            mPaddingRight = right;        }        if (mPaddingBottom != bottom) {            changed = true;            mPaddingBottom = bottom;        }        if (changed) {            requestLayout();        }    }    /**     * Sets the relative padding. The view may add on the space required to display     * the scrollbars, depending on the style and visibility of the scrollbars.     * So the values returned from {@link #getPaddingStart}, {@link #getPaddingTop},     * {@link #getPaddingEnd} and {@link #getPaddingBottom} may be different     * from the values set in this call.     *     * @attr ref android.R.styleable#View_padding     * @attr ref android.R.styleable#View_paddingBottom     * @attr ref android.R.styleable#View_paddingStart     * @attr ref android.R.styleable#View_paddingEnd     * @attr ref android.R.styleable#View_paddingTop     * @param start the start padding in pixels     * @param top the top padding in pixels     * @param end the end padding in pixels     * @param bottom the bottom padding in pixels     */    public void setPaddingRelative(int start, int top, int end, int bottom) {        resetResolvedPadding();        mUserPaddingStart = start;        mUserPaddingEnd = end;        mLeftPaddingDefined = true;        mRightPaddingDefined = true;        switch(getLayoutDirection()) {            case LAYOUT_DIRECTION_RTL:                mUserPaddingLeftInitial = end;                mUserPaddingRightInitial = start;                internalSetPadding(end, top, start, bottom);                break;            case LAYOUT_DIRECTION_LTR:            default:                mUserPaddingLeftInitial = start;                mUserPaddingRightInitial = end;                internalSetPadding(start, top, end, bottom);        }    }    /**     * Returns the top padding of this view.     *     * @return the top padding in pixels     */    public int getPaddingTop() {        return mPaddingTop;    }    /**     * Returns the bottom padding of this view. If there are inset and enabled     * scrollbars, this value may include the space required to display the     * scrollbars as well.     *     * @return the bottom padding in pixels     */    public int getPaddingBottom() {        return mPaddingBottom;    }    /**     * Returns the left padding of this view. If there are inset and enabled     * scrollbars, this value may include the space required to display the     * scrollbars as well.     *     * @return the left padding in pixels     */    public int getPaddingLeft() {        if (!isPaddingResolved()) {            resolvePadding();        }        return mPaddingLeft;    }    /**     * Returns the start padding of this view depending on its resolved layout direction.     * If there are inset and enabled scrollbars, this value may include the space     * required to display the scrollbars as well.     *     * @return the start padding in pixels     */    public int getPaddingStart() {        if (!isPaddingResolved()) {            resolvePadding();        }        return (getLayoutDirection() == LAYOUT_DIRECTION_RTL) ?                mPaddingRight : mPaddingLeft;    }    /**     * Returns the right padding of this view. If there are inset and enabled     * scrollbars, this value may include the space required to display the     * scrollbars as well.     *     * @return the right padding in pixels     */    public int getPaddingRight() {        if (!isPaddingResolved()) {            resolvePadding();        }        return mPaddingRight;    }    /**     * Returns the end padding of this view depending on its resolved layout direction.     * If there are inset and enabled scrollbars, this value may include the space     * required to display the scrollbars as well.     *     * @return the end padding in pixels     */    public int getPaddingEnd() {        if (!isPaddingResolved()) {            resolvePadding();        }        return (getLayoutDirection() == LAYOUT_DIRECTION_RTL) ?                mPaddingLeft : mPaddingRight;    }    /**     * Return if the padding as been set thru relative values     * {@link #setPaddingRelative(int, int, int, int)} or thru     * @attr ref android.R.styleable#View_paddingStart or     * @attr ref android.R.styleable#View_paddingEnd     *     * @return true if the padding is relative or false if it is not.     */    public boolean isPaddingRelative() {        return (mUserPaddingStart != UNDEFINED_PADDING || mUserPaddingEnd != UNDEFINED_PADDING);    }    Insets computeOpticalInsets() {        return (mBackground == null) ? Insets.NONE : mBackground.getOpticalInsets();    }    /**     * @hide     */    public void resetPaddingToInitialValues() {        if (isRtlCompatibilityMode()) {            mPaddingLeft = mUserPaddingLeftInitial;            mPaddingRight = mUserPaddingRightInitial;            return;        }        if (isLayoutRtl()) {            mPaddingLeft = (mUserPaddingEnd >= 0) ? mUserPaddingEnd : mUserPaddingLeftInitial;            mPaddingRight = (mUserPaddingStart >= 0) ? mUserPaddingStart : mUserPaddingRightInitial;        } else {            mPaddingLeft = (mUserPaddingStart >= 0) ? mUserPaddingStart : mUserPaddingLeftInitial;            mPaddingRight = (mUserPaddingEnd >= 0) ? mUserPaddingEnd : mUserPaddingRightInitial;        }    }    /**     * @hide     */    public Insets getOpticalInsets() {        if (mLayoutInsets == null) {            mLayoutInsets = computeOpticalInsets();        }        return mLayoutInsets;    }    /**     * Changes the selection state of this view. A view can be selected or not.     * Note that selection is not the same as focus. Views are typically     * selected in the context of an AdapterView like ListView or GridView;     * the selected view is the view that is highlighted.     *     * @param selected true if the view must be selected, false otherwise     */    public void setSelected(boolean selected) {        //noinspection DoubleNegation        if (((mPrivateFlags & PFLAG_SELECTED) != 0) != selected) {            mPrivateFlags = (mPrivateFlags & ~PFLAG_SELECTED) | (selected ? PFLAG_SELECTED : 0);            if (!selected) resetPressedState();            invalidate(true);            refreshDrawableState();            dispatchSetSelected(selected);            notifyViewAccessibilityStateChangedIfNeeded(                    AccessibilityEvent.CONTENT_CHANGE_TYPE_UNDEFINED);        }    }    /**     * Dispatch setSelected to all of this View's children.     *     * @see #setSelected(boolean)     *     * @param selected The new selected state     */    protected void dispatchSetSelected(boolean selected) {    }    /**     * Indicates the selection state of this view.     *     * @return true if the view is selected, false otherwise     */    @ViewDebug.ExportedProperty    public boolean isSelected() {        return (mPrivateFlags & PFLAG_SELECTED) != 0;    }    /**     * Changes the activated state of this view. A view can be activated or not.     * Note that activation is not the same as selection.  Selection is     * a transient property, representing the view (hierarchy) the user is     * currently interacting with.  Activation is a longer-term state that the     * user can move views in and out of.  For example, in a list view with     * single or multiple selection enabled, the views in the current selection     * set are activated.  (Um, yeah, we are deeply sorry about the terminology     * here.)  The activated state is propagated down to children of the view it     * is set on.     *     * @param activated true if the view must be activated, false otherwise     */    public void setActivated(boolean activated) {        //noinspection DoubleNegation        if (((mPrivateFlags & PFLAG_ACTIVATED) != 0) != activated) {            mPrivateFlags = (mPrivateFlags & ~PFLAG_ACTIVATED) | (activated ? PFLAG_ACTIVATED : 0);            invalidate(true);            refreshDrawableState();            dispatchSetActivated(activated);        }    }    /**     * Dispatch setActivated to all of this View's children.     *     * @see #setActivated(boolean)     *     * @param activated The new activated state     */    protected void dispatchSetActivated(boolean activated) {    }    /**     * Indicates the activation state of this view.     *     * @return true if the view is activated, false otherwise     */    @ViewDebug.ExportedProperty    public boolean isActivated() {        return (mPrivateFlags & PFLAG_ACTIVATED) != 0;    }    /**     * Returns the ViewTreeObserver for this view's hierarchy. The view tree     * observer can be used to get notifications when global events, like     * layout, happen.     *     * The returned ViewTreeObserver observer is not guaranteed to remain     * valid for the lifetime of this View. If the caller of this method keeps     * a long-lived reference to ViewTreeObserver, it should always check for     * the return value of {@link ViewTreeObserver#isAlive()}.     *     * @return The ViewTreeObserver for this view's hierarchy.     */    public ViewTreeObserver getViewTreeObserver() {        if (mAttachInfo != null) {            return mAttachInfo.mTreeObserver;        }        if (mFloatingTreeObserver == null) {            mFloatingTreeObserver = new ViewTreeObserver();        }        return mFloatingTreeObserver;    }    /**     * <p>Finds the topmost view in the current view hierarchy.</p>     *     * @return the topmost view containing this view     */    public View getRootView() {        if (mAttachInfo != null) {            final View v = mAttachInfo.mRootView;            if (v != null) {                return v;            }        }        View parent = this;        while (parent.mParent != null && parent.mParent instanceof View) {            parent = (View) parent.mParent;        }        return parent;    }    /**     * Transforms a motion event from view-local coordinates to on-screen     * coordinates.     *     * @param ev the view-local motion event     * @return false if the transformation could not be applied     * @hide     */    public boolean toGlobalMotionEvent(MotionEvent ev) {        final AttachInfo info = mAttachInfo;        if (info == null) {            return false;        }        transformMotionEventToGlobal(ev);        ev.offsetLocation(info.mWindowLeft, info.mWindowTop);        return true;    }    /**     * Transforms a motion event from on-screen coordinates to view-local     * coordinates.     *     * @param ev the on-screen motion event     * @return false if the transformation could not be applied     * @hide     */    public boolean toLocalMotionEvent(MotionEvent ev) {        final AttachInfo info = mAttachInfo;        if (info == null) {            return false;        }        ev.offsetLocation(-info.mWindowLeft, -info.mWindowTop);        transformMotionEventToLocal(ev);        return true;    }    /**     * Recursive helper method that applies transformations in post-order.     *     * @param ev the on-screen motion event     */    private void transformMotionEventToLocal(MotionEvent ev) {        final ViewParent parent = mParent;        if (parent instanceof View) {            final View vp = (View) parent;            vp.transformMotionEventToLocal(ev);            ev.offsetLocation(vp.mScrollX, vp.mScrollY);        } else if (parent instanceof ViewRootImpl) {            final ViewRootImpl vr = (ViewRootImpl) parent;            ev.offsetLocation(0, vr.mCurScrollY);        }        ev.offsetLocation(-mLeft, -mTop);        if (!hasIdentityMatrix()) {            ev.transform(getInverseMatrix());        }    }    /**     * Recursive helper method that applies transformations in pre-order.     *     * @param ev the on-screen motion event     */    private void transformMotionEventToGlobal(MotionEvent ev) {        if (!hasIdentityMatrix()) {            ev.transform(getMatrix());        }        ev.offsetLocation(mLeft, mTop);        final ViewParent parent = mParent;        if (parent instanceof View) {            final View vp = (View) parent;            ev.offsetLocation(-vp.mScrollX, -vp.mScrollY);            vp.transformMotionEventToGlobal(ev);        } else if (parent instanceof ViewRootImpl) {            final ViewRootImpl vr = (ViewRootImpl) parent;            ev.offsetLocation(0, -vr.mCurScrollY);        }    }    /**     * <p>Computes the coordinates of this view on the screen. The argument     * must be an array of two integers. After the method returns, the array     * contains the x and y location in that order.</p>     *     * @param location an array of two integers in which to hold the coordinates     */    public void getLocationOnScreen(int[] location) {        getLocationInWindow(location);        final AttachInfo info = mAttachInfo;        if (info != null) {            location[0] += info.mWindowLeft;            location[1] += info.mWindowTop;        }    }    /**     * <p>Computes the coordinates of this view in its window. The argument     * must be an array of two integers. After the method returns, the array     * contains the x and y location in that order.</p>     *     * @param location an array of two integers in which to hold the coordinates     */    public void getLocationInWindow(int[] location) {        if (location == null || location.length < 2) {            throw new IllegalArgumentException("location must be an array of two integers");        }        if (mAttachInfo == null) {            // When the view is not attached to a window, this method does not make sense            location[0] = location[1] = 0;            return;        }        float[] position = mAttachInfo.mTmpTransformLocation;        position[0] = position[1] = 0.0f;        if (!hasIdentityMatrix()) {            getMatrix().mapPoints(position);        }        position[0] += mLeft;        position[1] += mTop;        ViewParent viewParent = mParent;        while (viewParent instanceof View) {            final View view = (View) viewParent;            position[0] -= view.mScrollX;            position[1] -= view.mScrollY;            if (!view.hasIdentityMatrix()) {                view.getMatrix().mapPoints(position);            }            position[0] += view.mLeft;            position[1] += view.mTop;            viewParent = view.mParent;         }        if (viewParent instanceof ViewRootImpl) {            // *cough*            final ViewRootImpl vr = (ViewRootImpl) viewParent;            position[1] -= vr.mCurScrollY;        }        location[0] = (int) (position[0] + 0.5f);        location[1] = (int) (position[1] + 0.5f);    }    /**     * {@hide}     * @param id the id of the view to be found     * @return the view of the specified id, null if cannot be found     */    protected View findViewTraversal(int id) {        if (id == mID) {            return this;        }        return null;    }    /**     * {@hide}     * @param tag the tag of the view to be found     * @return the view of specified tag, null if cannot be found     */    protected View findViewWithTagTraversal(Object tag) {        if (tag != null && tag.equals(mTag)) {            return this;        }        return null;    }    /**     * {@hide}     * @param predicate The predicate to evaluate.     * @param childToSkip If not null, ignores this child during the recursive traversal.     * @return The first view that matches the predicate or null.     */    protected View findViewByPredicateTraversal(Predicate<View> predicate, View childToSkip) {        if (predicate.apply(this)) {            return this;        }        return null;    }    /**     * Look for a child view with the given id.  If this view has the given     * id, return this view.     *     * @param id The id to search for.     * @return The view that has the given id in the hierarchy or null     */    public final View findViewById(int id) {        if (id < 0) {            return null;        }        return findViewTraversal(id);    }    /**     * Finds a view by its unuque and stable accessibility id.     *     * @param accessibilityId The searched accessibility id.     * @return The found view.     */    final View findViewByAccessibilityId(int accessibilityId) {        if (accessibilityId < 0) {            return null;        }        return findViewByAccessibilityIdTraversal(accessibilityId);    }    /**     * Performs the traversal to find a view by its unuque and stable accessibility id.     *     * <strong>Note:</strong>This method does not stop at the root namespace     * boundary since the user can touch the screen at an arbitrary location     * potentially crossing the root namespace bounday which will send an     * accessibility event to accessibility services and they should be able     * to obtain the event source. Also accessibility ids are guaranteed to be     * unique in the window.     *     * @param accessibilityId The accessibility id.     * @return The found view.     *     * @hide     */    public View findViewByAccessibilityIdTraversal(int accessibilityId) {        if (getAccessibilityViewId() == accessibilityId) {            return this;        }        return null;    }    /**     * Look for a child view with the given tag.  If this view has the given     * tag, return this view.     *     * @param tag The tag to search for, using "tag.equals(getTag())".     * @return The View that has the given tag in the hierarchy or null     */    public final View findViewWithTag(Object tag) {        if (tag == null) {            return null;        }        return findViewWithTagTraversal(tag);    }    /**     * {@hide}     * Look for a child view that matches the specified predicate.     * If this view matches the predicate, return this view.     *     * @param predicate The predicate to evaluate.     * @return The first view that matches the predicate or null.     */    public final View findViewByPredicate(Predicate<View> predicate) {        return findViewByPredicateTraversal(predicate, null);    }    /**     * {@hide}     * Look for a child view that matches the specified predicate,     * starting with the specified view and its descendents and then     * recusively searching the ancestors and siblings of that view     * until this view is reached.     *     * This method is useful in cases where the predicate does not match     * a single unique view (perhaps multiple views use the same id)     * and we are trying to find the view that is "closest" in scope to the     * starting view.     *     * @param start The view to start from.     * @param predicate The predicate to evaluate.     * @return The first view that matches the predicate or null.     */    public final View findViewByPredicateInsideOut(View start, Predicate<View> predicate) {        View childToSkip = null;        for (;;) {            View view = start.findViewByPredicateTraversal(predicate, childToSkip);            if (view != null || start == this) {                return view;            }            ViewParent parent = start.getParent();            if (parent == null || !(parent instanceof View)) {                return null;            }            childToSkip = start;            start = (View) parent;        }    }    /**     * Sets the identifier for this view. The identifier does not have to be     * unique in this view's hierarchy. The identifier should be a positive     * number.     *     * @see #NO_ID     * @see #getId()     * @see #findViewById(int)     *     * @param id a number used to identify the view     *     * @attr ref android.R.styleable#View_id     */    public void setId(int id) {        mID = id;        if (mID == View.NO_ID && mLabelForId != View.NO_ID) {            mID = generateViewId();        }    }    /**     * {@hide}     *     * @param isRoot true if the view belongs to the root namespace, false     *        otherwise     */    public void setIsRootNamespace(boolean isRoot) {        if (isRoot) {            mPrivateFlags |= PFLAG_IS_ROOT_NAMESPACE;        } else {            mPrivateFlags &= ~PFLAG_IS_ROOT_NAMESPACE;        }    }    /**     * {@hide}     *     * @return true if the view belongs to the root namespace, false otherwise     */    public boolean isRootNamespace() {        return (mPrivateFlags&PFLAG_IS_ROOT_NAMESPACE) != 0;    }    /**     * Returns this view's identifier.     *     * @return a positive integer used to identify the view or {@link #NO_ID}     *         if the view has no ID     *     * @see #setId(int)     * @see #findViewById(int)     * @attr ref android.R.styleable#View_id     */    @ViewDebug.CapturedViewProperty    public int getId() {        return mID;    }    /**     * Returns this view's tag.     *     * @return the Object stored in this view as a tag     *     * @see #setTag(Object)     * @see #getTag(int)     */    @ViewDebug.ExportedProperty    public Object getTag() {        return mTag;    }    /**     * Sets the tag associated with this view. A tag can be used to mark     * a view in its hierarchy and does not have to be unique within the     * hierarchy. Tags can also be used to store data within a view without     * resorting to another data structure.     *     * @param tag an Object to tag the view with     *     * @see #getTag()     * @see #setTag(int, Object)     */    public void setTag(final Object tag) {        mTag = tag;    }    /**     * Returns the tag associated with this view and the specified key.     *     * @param key The key identifying the tag     *     * @return the Object stored in this view as a tag     *     * @see #setTag(int, Object)     * @see #getTag()     */    public Object getTag(int key) {        if (mKeyedTags != null) return mKeyedTags.get(key);        return null;    }    /**     * Sets a tag associated with this view and a key. A tag can be used     * to mark a view in its hierarchy and does not have to be unique within     * the hierarchy. Tags can also be used to store data within a view     * without resorting to another data structure.     *     * The specified key should be an id declared in the resources of the     * application to ensure it is unique (see the <a     * href={@docRoot}guide/topics/resources/more-resources.html#Id">ID resource type</a>).     * Keys identified as belonging to     * the Android framework or not associated with any package will cause     * an {@link IllegalArgumentException} to be thrown.     *     * @param key The key identifying the tag     * @param tag An Object to tag the view with     *     * @throws IllegalArgumentException If they specified key is not valid     *     * @see #setTag(Object)     * @see #getTag(int)     */    public void setTag(int key, final Object tag) {        // If the package id is 0x00 or 0x01, it's either an undefined package        // or a framework id        if ((key >>> 24) < 2) {            throw new IllegalArgumentException("The key must be an application-specific "                    + "resource id.");        }        setKeyedTag(key, tag);    }    /**     * Variation of {@link #setTag(int, Object)} that enforces the key to be a     * framework id.     *     * @hide     */    public void setTagInternal(int key, Object tag) {        if ((key >>> 24) != 0x1) {            throw new IllegalArgumentException("The key must be a framework-specific "                    + "resource id.");        }        setKeyedTag(key, tag);    }    private void setKeyedTag(int key, Object tag) {        if (mKeyedTags == null) {            mKeyedTags = new SparseArray<Object>(2);        }        mKeyedTags.put(key, tag);    }    /**     * Prints information about this view in the log output, with the tag     * {@link #VIEW_LOG_TAG}.     *     * @hide     */    public void debug() {        debug(0);    }    /**     * Prints information about this view in the log output, with the tag     * {@link #VIEW_LOG_TAG}. Each line in the output is preceded with an     * indentation defined by the <code>depth</code>.     *     * @param depth the indentation level     *     * @hide     */    protected void debug(int depth) {        String output = debugIndent(depth - 1);        output += "+ " + this;        int id = getId();        if (id != -1) {            output += " (id=" + id + ")";        }        Object tag = getTag();        if (tag != null) {            output += " (tag=" + tag + ")";        }        Log.d(VIEW_LOG_TAG, output);        if ((mPrivateFlags & PFLAG_FOCUSED) != 0) {            output = debugIndent(depth) + " FOCUSED";            Log.d(VIEW_LOG_TAG, output);        }        output = debugIndent(depth);        output += "frame={" + mLeft + ", " + mTop + ", " + mRight                + ", " + mBottom + "} scroll={" + mScrollX + ", " + mScrollY                + "} ";        Log.d(VIEW_LOG_TAG, output);        if (mPaddingLeft != 0 || mPaddingTop != 0 || mPaddingRight != 0                || mPaddingBottom != 0) {            output = debugIndent(depth);            output += "padding={" + mPaddingLeft + ", " + mPaddingTop                    + ", " + mPaddingRight + ", " + mPaddingBottom + "}";            Log.d(VIEW_LOG_TAG, output);        }        output = debugIndent(depth);        output += "mMeasureWidth=" + mMeasuredWidth +                " mMeasureHeight=" + mMeasuredHeight;        Log.d(VIEW_LOG_TAG, output);        output = debugIndent(depth);        if (mLayoutParams == null) {            output += "BAD! no layout params";        } else {            output = mLayoutParams.debug(output);        }        Log.d(VIEW_LOG_TAG, output);        output = debugIndent(depth);        output += "flags={";        output += View.printFlags(mViewFlags);        output += "}";        Log.d(VIEW_LOG_TAG, output);        output = debugIndent(depth);        output += "privateFlags={";        output += View.printPrivateFlags(mPrivateFlags);        output += "}";        Log.d(VIEW_LOG_TAG, output);    }    /**     * Creates a string of whitespaces used for indentation.     *     * @param depth the indentation level     * @return a String containing (depth * 2 + 3) * 2 white spaces     *     * @hide     */    protected static String debugIndent(int depth) {        StringBuilder spaces = new StringBuilder((depth * 2 + 3) * 2);        for (int i = 0; i < (depth * 2) + 3; i++) {            spaces.append(' ').append(' ');        }        return spaces.toString();    }    /**     * <p>Return the offset of the widget's text baseline from the widget's top     * boundary. If this widget does not support baseline alignment, this     * method returns -1. </p>     *     * @return the offset of the baseline within the widget's bounds or -1     *         if baseline alignment is not supported     */    @ViewDebug.ExportedProperty(category = "layout")    public int getBaseline() {        return -1;    }    /**     * Returns whether the view hierarchy is currently undergoing a layout pass. This     * information is useful to avoid situations such as calling {@link #requestLayout()} during     * a layout pass.     *     * @return whether the view hierarchy is currently undergoing a layout pass     */    public boolean isInLayout() {        ViewRootImpl viewRoot = getViewRootImpl();        return (viewRoot != null && viewRoot.isInLayout());    }    /**     * Call this when something has changed which has invalidated the     * layout of this view. This will schedule a layout pass of the view     * tree. This should not be called while the view hierarchy is currently in a layout     * pass ({@link #isInLayout()}. If layout is happening, the request may be honored at the     * end of the current layout pass (and then layout will run again) or after the current     * frame is drawn and the next layout occurs.     *     * <p>Subclasses which override this method should call the superclass method to     * handle possible request-during-layout errors correctly.</p>     */    public void requestLayout() {        if (mMeasureCache != null) mMeasureCache.clear();        if (mAttachInfo != null && mAttachInfo.mViewRequestingLayout == null) {            // Only trigger request-during-layout logic if this is the view requesting it,            // not the views in its parent hierarchy            ViewRootImpl viewRoot = getViewRootImpl();            if (viewRoot != null && viewRoot.isInLayout()) {                if (!viewRoot.requestLayoutDuringLayout(this)) {                    return;                }            }            mAttachInfo.mViewRequestingLayout = this;        }        mPrivateFlags |= PFLAG_FORCE_LAYOUT;        mPrivateFlags |= PFLAG_INVALIDATED;        if (mParent != null && !mParent.isLayoutRequested()) {            mParent.requestLayout();        }        if (mAttachInfo != null && mAttachInfo.mViewRequestingLayout == this) {            mAttachInfo.mViewRequestingLayout = null;        }    }    /**     * Forces this view to be laid out during the next layout pass.     * This method does not call requestLayout() or forceLayout()     * on the parent.     */    public void forceLayout() {        if (mMeasureCache != null) mMeasureCache.clear();        mPrivateFlags |= PFLAG_FORCE_LAYOUT;        mPrivateFlags |= PFLAG_INVALIDATED;    }    /**     * <p>     * This is called to find out how big a view should be. The parent     * supplies constraint information in the width and height parameters.     * </p>     *     * <p>     * The actual measurement work of a view is performed in     * {@link #onMeasure(int, int)}, called by this method. Therefore, only     * {@link #onMeasure(int, int)} can and must be overridden by subclasses.     * </p>     *     *     * @param widthMeasureSpec Horizontal space requirements as imposed by the     *        parent     * @param heightMeasureSpec Vertical space requirements as imposed by the     *        parent     *     * @see #onMeasure(int, int)     */    public final void measure(int widthMeasureSpec, int heightMeasureSpec) {        boolean optical = isLayoutModeOptical(this);        if (optical != isLayoutModeOptical(mParent)) {            Insets insets = getOpticalInsets();            int oWidth  = insets.left + insets.right;            int oHeight = insets.top  + insets.bottom;            widthMeasureSpec  = MeasureSpec.adjust(widthMeasureSpec,  optical ? -oWidth  : oWidth);            heightMeasureSpec = MeasureSpec.adjust(heightMeasureSpec, optical ? -oHeight : oHeight);        }        // Suppress sign extension for the low bytes        long key = (long) widthMeasureSpec << 32 | (long) heightMeasureSpec & 0xffffffffL;        if (mMeasureCache == null) mMeasureCache = new LongSparseLongArray(2);        if ((mPrivateFlags & PFLAG_FORCE_LAYOUT) == PFLAG_FORCE_LAYOUT ||                widthMeasureSpec != mOldWidthMeasureSpec ||                heightMeasureSpec != mOldHeightMeasureSpec) {            // first clears the measured dimension flag            mPrivateFlags &= ~PFLAG_MEASURED_DIMENSION_SET;            resolveRtlPropertiesIfNeeded();            int cacheIndex = (mPrivateFlags & PFLAG_FORCE_LAYOUT) == PFLAG_FORCE_LAYOUT ? -1 :                    mMeasureCache.indexOfKey(key);            if (cacheIndex < 0 || sIgnoreMeasureCache) {                // measure ourselves, this should set the measured dimension flag back                onMeasure(widthMeasureSpec, heightMeasureSpec);                mPrivateFlags3 &= ~PFLAG3_MEASURE_NEEDED_BEFORE_LAYOUT;            } else {                long value = mMeasureCache.valueAt(cacheIndex);                // Casting a long to int drops the high 32 bits, no mask needed                setMeasuredDimension((int) (value >> 32), (int) value);                mPrivateFlags3 |= PFLAG3_MEASURE_NEEDED_BEFORE_LAYOUT;            }            // flag not set, setMeasuredDimension() was not invoked, we raise            // an exception to warn the developer            if ((mPrivateFlags & PFLAG_MEASURED_DIMENSION_SET) != PFLAG_MEASURED_DIMENSION_SET) {                throw new IllegalStateException("onMeasure() did not set the"                        + " measured dimension by calling"                        + " setMeasuredDimension()");            }            mPrivateFlags |= PFLAG_LAYOUT_REQUIRED;        }        mOldWidthMeasureSpec = widthMeasureSpec;        mOldHeightMeasureSpec = heightMeasureSpec;        mMeasureCache.put(key, ((long) mMeasuredWidth) << 32 |                (long) mMeasuredHeight & 0xffffffffL); // suppress sign extension    }    /**     * <p>     * Measure the view and its content to determine the measured width and the     * measured height. This method is invoked by {@link #measure(int, int)} and     * should be overriden by subclasses to provide accurate and efficient     * measurement of their contents.     * </p>     *     * <p>     * <strong>CONTRACT:</strong> When overriding this method, you     * <em>must</em> call {@link #setMeasuredDimension(int, int)} to store the     * measured width and height of this view. Failure to do so will trigger an     * <code>IllegalStateException</code>, thrown by     * {@link #measure(int, int)}. Calling the superclass'     * {@link #onMeasure(int, int)} is a valid use.     * </p>     *     * <p>     * The base class implementation of measure defaults to the background size,     * unless a larger size is allowed by the MeasureSpec. Subclasses should     * override {@link #onMeasure(int, int)} to provide better measurements of     * their content.     * </p>     *     * <p>     * If this method is overridden, it is the subclass's responsibility to make     * sure the measured height and width are at least the view's minimum height     * and width ({@link #getSuggestedMinimumHeight()} and     * {@link #getSuggestedMinimumWidth()}).     * </p>     *     * @param widthMeasureSpec horizontal space requirements as imposed by the parent.     *                         The requirements are encoded with     *                         {@link android.view.View.MeasureSpec}.     * @param heightMeasureSpec vertical space requirements as imposed by the parent.     *                         The requirements are encoded with     *                         {@link android.view.View.MeasureSpec}.     *     * @see #getMeasuredWidth()     * @see #getMeasuredHeight()     * @see #setMeasuredDimension(int, int)     * @see #getSuggestedMinimumHeight()     * @see #getSuggestedMinimumWidth()     * @see android.view.View.MeasureSpec#getMode(int)     * @see android.view.View.MeasureSpec#getSize(int)     */    protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {        setMeasuredDimension(getDefaultSize(getSuggestedMinimumWidth(), widthMeasureSpec),                getDefaultSize(getSuggestedMinimumHeight(), heightMeasureSpec));    }    /**     * <p>This method must be called by {@link #onMeasure(int, int)} to store the     * measured width and measured height. Failing to do so will trigger an     * exception at measurement time.</p>     *     * @param measuredWidth The measured width of this view.  May be a complex     * bit mask as defined by {@link #MEASURED_SIZE_MASK} and     * {@link #MEASURED_STATE_TOO_SMALL}.     * @param measuredHeight The measured height of this view.  May be a complex     * bit mask as defined by {@link #MEASURED_SIZE_MASK} and     * {@link #MEASURED_STATE_TOO_SMALL}.     */    protected final void setMeasuredDimension(int measuredWidth, int measuredHeight) {        boolean optical = isLayoutModeOptical(this);        if (optical != isLayoutModeOptical(mParent)) {            Insets insets = getOpticalInsets();            int opticalWidth  = insets.left + insets.right;            int opticalHeight = insets.top  + insets.bottom;            measuredWidth  += optical ? opticalWidth  : -opticalWidth;            measuredHeight += optical ? opticalHeight : -opticalHeight;        }        mMeasuredWidth = measuredWidth;        mMeasuredHeight = measuredHeight;        mPrivateFlags |= PFLAG_MEASURED_DIMENSION_SET;    }    /**     * Merge two states as returned by {@link #getMeasuredState()}.     * @param curState The current state as returned from a view or the result     * of combining multiple views.     * @param newState The new view state to combine.     * @return Returns a new integer reflecting the combination of the two     * states.     */    public static int combineMeasuredStates(int curState, int newState) {        return curState | newState;    }    /**     * Version of {@link #resolveSizeAndState(int, int, int)}     * returning only the {@link #MEASURED_SIZE_MASK} bits of the result.     */    public static int resolveSize(int size, int measureSpec) {        return resolveSizeAndState(size, measureSpec, 0) & MEASURED_SIZE_MASK;    }    /**     * Utility to reconcile a desired size and state, with constraints imposed     * by a MeasureSpec.  Will take the desired size, unless a different size     * is imposed by the constraints.  The returned value is a compound integer,     * with the resolved size in the {@link #MEASURED_SIZE_MASK} bits and     * optionally the bit {@link #MEASURED_STATE_TOO_SMALL} set if the resulting     * size is smaller than the size the view wants to be.     *     * @param size How big the view wants to be     * @param measureSpec Constraints imposed by the parent     * @return Size information bit mask as defined by     * {@link #MEASURED_SIZE_MASK} and {@link #MEASURED_STATE_TOO_SMALL}.     */    public static int resolveSizeAndState(int size, int measureSpec, int childMeasuredState) {        int result = size;        int specMode = MeasureSpec.getMode(measureSpec);        int specSize =  MeasureSpec.getSize(measureSpec);        switch (specMode) {        case MeasureSpec.UNSPECIFIED:            result = size;            break;        case MeasureSpec.AT_MOST:            if (specSize < size) {                result = specSize | MEASURED_STATE_TOO_SMALL;            } else {                result = size;            }            break;        case MeasureSpec.EXACTLY:            result = specSize;            break;        }        return result | (childMeasuredState&MEASURED_STATE_MASK);    }    /**     * Utility to return a default size. Uses the supplied size if the     * MeasureSpec imposed no constraints. Will get larger if allowed     * by the MeasureSpec.     *     * @param size Default size for this view     * @param measureSpec Constraints imposed by the parent     * @return The size this view should be.     */    public static int getDefaultSize(int size, int measureSpec) {        int result = size;        int specMode = MeasureSpec.getMode(measureSpec);        int specSize = MeasureSpec.getSize(measureSpec);        switch (specMode) {        case MeasureSpec.UNSPECIFIED:            result = size;            break;        case MeasureSpec.AT_MOST:        case MeasureSpec.EXACTLY:            result = specSize;            break;        }        return result;    }    /**     * Returns the suggested minimum height that the view should use. This     * returns the maximum of the view's minimum height     * and the background's minimum height     * ({@link android.graphics.drawable.Drawable#getMinimumHeight()}).     * <p>     * When being used in {@link #onMeasure(int, int)}, the caller should still     * ensure the returned height is within the requirements of the parent.     *     * @return The suggested minimum height of the view.     */    protected int getSuggestedMinimumHeight() {        return (mBackground == null) ? mMinHeight : max(mMinHeight, mBackground.getMinimumHeight());    }    /**     * Returns the suggested minimum width that the view should use. This     * returns the maximum of the view's minimum width)     * and the background's minimum width     *  ({@link android.graphics.drawable.Drawable#getMinimumWidth()}).     * <p>     * When being used in {@link #onMeasure(int, int)}, the caller should still     * ensure the returned width is within the requirements of the parent.     *     * @return The suggested minimum width of the view.     */    protected int getSuggestedMinimumWidth() {        return (mBackground == null) ? mMinWidth : max(mMinWidth, mBackground.getMinimumWidth());    }    /**     * Returns the minimum height of the view.     *     * @return the minimum height the view will try to be.     *     * @see #setMinimumHeight(int)     *     * @attr ref android.R.styleable#View_minHeight     */    public int getMinimumHeight() {        return mMinHeight;    }    /**     * Sets the minimum height of the view. It is not guaranteed the view will     * be able to achieve this minimum height (for example, if its parent layout     * constrains it with less available height).     *     * @param minHeight The minimum height the view will try to be.     *     * @see #getMinimumHeight()     *     * @attr ref android.R.styleable#View_minHeight     */    public void setMinimumHeight(int minHeight) {        mMinHeight = minHeight;        requestLayout();    }    /**     * Returns the minimum width of the view.     *     * @return the minimum width the view will try to be.     *     * @see #setMinimumWidth(int)     *     * @attr ref android.R.styleable#View_minWidth     */    public int getMinimumWidth() {        return mMinWidth;    }    /**     * Sets the minimum width of the view. It is not guaranteed the view will     * be able to achieve this minimum width (for example, if its parent layout     * constrains it with less available width).     *     * @param minWidth The minimum width the view will try to be.     *     * @see #getMinimumWidth()     *     * @attr ref android.R.styleable#View_minWidth     */    public void setMinimumWidth(int minWidth) {        mMinWidth = minWidth;        requestLayout();    }    /**     * Get the animation currently associated with this view.     *     * @return The animation that is currently playing or     *         scheduled to play for this view.     */    public Animation getAnimation() {        return mCurrentAnimation;    }    /**     * Start the specified animation now.     *     * @param animation the animation to start now     */    public void startAnimation(Animation animation) {        animation.setStartTime(Animation.START_ON_FIRST_FRAME);        setAnimation(animation);        invalidateParentCaches();        invalidate(true);    }    /**     * Cancels any animations for this view.     */    public void clearAnimation() {        if (mCurrentAnimation != null) {            mCurrentAnimation.detach();        }        mCurrentAnimation = null;        invalidateParentIfNeeded();    }    /**     * Sets the next animation to play for this view.     * If you want the animation to play immediately, use     * {@link #startAnimation(android.view.animation.Animation)} instead.     * This method provides allows fine-grained     * control over the start time and invalidation, but you     * must make sure that 1) the animation has a start time set, and     * 2) the view's parent (which controls animations on its children)     * will be invalidated when the animation is supposed to     * start.     *     * @param animation The next animation, or null.     */    public void setAnimation(Animation animation) {        mCurrentAnimation = animation;        if (animation != null) {            // If the screen is off assume the animation start time is now instead of            // the next frame we draw. Keeping the START_ON_FIRST_FRAME start time            // would cause the animation to start when the screen turns back on            if (mAttachInfo != null && !mAttachInfo.mScreenOn &&                    animation.getStartTime() == Animation.START_ON_FIRST_FRAME) {                animation.setStartTime(AnimationUtils.currentAnimationTimeMillis());            }            animation.reset();        }    }    /**     * Invoked by a parent ViewGroup to notify the start of the animation     * currently associated with this view. If you override this method,     * always call super.onAnimationStart();     *     * @see #setAnimation(android.view.animation.Animation)     * @see #getAnimation()     */    protected void onAnimationStart() {        mPrivateFlags |= PFLAG_ANIMATION_STARTED;    }    /**     * Invoked by a parent ViewGroup to notify the end of the animation     * currently associated with this view. If you override this method,     * always call super.onAnimationEnd();     *     * @see #setAnimation(android.view.animation.Animation)     * @see #getAnimation()     */    protected void onAnimationEnd() {        mPrivateFlags &= ~PFLAG_ANIMATION_STARTED;    }    /**     * Invoked if there is a Transform that involves alpha. Subclass that can     * draw themselves with the specified alpha should return true, and then     * respect that alpha when their onDraw() is called. If this returns false     * then the view may be redirected to draw into an offscreen buffer to     * fulfill the request, which will look fine, but may be slower than if the     * subclass handles it internally. The default implementation returns false.     *     * @param alpha The alpha (0..255) to apply to the view's drawing     * @return true if the view can draw with the specified alpha.     */    protected boolean onSetAlpha(int alpha) {        return false;    }    /**     * This is used by the RootView to perform an optimization when     * the view hierarchy contains one or several SurfaceView.     * SurfaceView is always considered transparent, but its children are not,     * therefore all View objects remove themselves from the global transparent     * region (passed as a parameter to this function).     *     * @param region The transparent region for this ViewAncestor (window).     *     * @return Returns true if the effective visibility of the view at this     * point is opaque, regardless of the transparent region; returns false     * if it is possible for underlying windows to be seen behind the view.     *     * {@hide}     */    public boolean gatherTransparentRegion(Region region) {        final AttachInfo attachInfo = mAttachInfo;        if (region != null && attachInfo != null) {            final int pflags = mPrivateFlags;            if ((pflags & PFLAG_SKIP_DRAW) == 0) {                // The SKIP_DRAW flag IS NOT set, so this view draws. We need to                // remove it from the transparent region.                final int[] location = attachInfo.mTransparentLocation;                getLocationInWindow(location);                region.op(location[0], location[1], location[0] + mRight - mLeft,                        location[1] + mBottom - mTop, Region.Op.DIFFERENCE);            } else if ((pflags & PFLAG_ONLY_DRAWS_BACKGROUND) != 0 && mBackground != null) {                // The ONLY_DRAWS_BACKGROUND flag IS set and the background drawable                // exists, so we remove the background drawable's non-transparent                // parts from this transparent region.                applyDrawableToTransparentRegion(mBackground, region);            }        }        return true;    }    /**     * Play a sound effect for this view.     *     * <p>The framework will play sound effects for some built in actions, such as     * clicking, but you may wish to play these effects in your widget,     * for instance, for internal navigation.     *     * <p>The sound effect will only be played if sound effects are enabled by the user, and     * {@link #isSoundEffectsEnabled()} is true.     *     * @param soundConstant One of the constants defined in {@link SoundEffectConstants}     */    public void playSoundEffect(int soundConstant) {        if (mAttachInfo == null || mAttachInfo.mRootCallbacks == null || !isSoundEffectsEnabled()) {            return;        }        mAttachInfo.mRootCallbacks.playSoundEffect(soundConstant);    }    /**     * BZZZTT!!1!     *     * <p>Provide haptic feedback to the user for this view.     *     * <p>The framework will provide haptic feedback for some built in actions,     * such as long presses, but you may wish to provide feedback for your     * own widget.     *     * <p>The feedback will only be performed if     * {@link #isHapticFeedbackEnabled()} is true.     *     * @param feedbackConstant One of the constants defined in     * {@link HapticFeedbackConstants}     */    public boolean performHapticFeedback(int feedbackConstant) {        return performHapticFeedback(feedbackConstant, 0);    }    /**     * BZZZTT!!1!     *     * <p>Like {@link #performHapticFeedback(int)}, with additional options.     *     * @param feedbackConstant One of the constants defined in     * {@link HapticFeedbackConstants}     * @param flags Additional flags as per {@link HapticFeedbackConstants}.     */    public boolean performHapticFeedback(int feedbackConstant, int flags) {        if (mAttachInfo == null) {            return false;        }        //noinspection SimplifiableIfStatement        if ((flags & HapticFeedbackConstants.FLAG_IGNORE_VIEW_SETTING) == 0                && !isHapticFeedbackEnabled()) {            return false;        }        return mAttachInfo.mRootCallbacks.performHapticFeedback(feedbackConstant,                (flags & HapticFeedbackConstants.FLAG_IGNORE_GLOBAL_SETTING) != 0);    }    /**     * Request that the visibility of the status bar or other screen/window     * decorations be changed.     *     * <p>This method is used to put the over device UI into temporary modes     * where the user's attention is focused more on the application content,     * by dimming or hiding surrounding system affordances.  This is typically     * used in conjunction with {@link Window#FEATURE_ACTION_BAR_OVERLAY     * Window.FEATURE_ACTION_BAR_OVERLAY}, allowing the applications content     * to be placed behind the action bar (and with these flags other system     * affordances) so that smooth transitions between hiding and showing them     * can be done.     *     * <p>Two representative examples of the use of system UI visibility is     * implementing a content browsing application (like a magazine reader)     * and a video playing application.     *     * <p>The first code shows a typical implementation of a View in a content     * browsing application.  In this implementation, the application goes     * into a content-oriented mode by hiding the status bar and action bar,     * and putting the navigation elements into lights out mode.  The user can     * then interact with content while in this mode.  Such an application should     * provide an easy way for the user to toggle out of the mode (such as to     * check information in the status bar or access notifications).  In the     * implementation here, this is done simply by tapping on the content.     *     * {@sample development/samples/ApiDemos/src/com/example/android/apis/view/ContentBrowserActivity.java     *      content}     *     * <p>This second code sample shows a typical implementation of a View     * in a video playing application.  In this situation, while the video is     * playing the application would like to go into a complete full-screen mode,     * to use as much of the display as possible for the video.  When in this state     * the user can not interact with the application; the system intercepts     * touching on the screen to pop the UI out of full screen mode.  See     * {@link #fitSystemWindows(Rect)} for a sample layout that goes with this code.     *     * {@sample development/samples/ApiDemos/src/com/example/android/apis/view/VideoPlayerActivity.java     *      content}     *     * @param visibility  Bitwise-or of flags {@link #SYSTEM_UI_FLAG_LOW_PROFILE},     * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, {@link #SYSTEM_UI_FLAG_FULLSCREEN},     * {@link #SYSTEM_UI_FLAG_LAYOUT_STABLE}, {@link #SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION},     * {@link #SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN}, {@link #SYSTEM_UI_FLAG_IMMERSIVE},     * and {@link #SYSTEM_UI_FLAG_IMMERSIVE_STICKY}.     */    public void setSystemUiVisibility(int visibility) {        if (visibility != mSystemUiVisibility) {            mSystemUiVisibility = visibility;            if (mParent != null && mAttachInfo != null && !mAttachInfo.mRecomputeGlobalAttributes) {                mParent.recomputeViewAttributes(this);            }        }    }    /**     * Returns the last {@link #setSystemUiVisibility(int)} that this view has requested.     * @return  Bitwise-or of flags {@link #SYSTEM_UI_FLAG_LOW_PROFILE},     * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, {@link #SYSTEM_UI_FLAG_FULLSCREEN},     * {@link #SYSTEM_UI_FLAG_LAYOUT_STABLE}, {@link #SYSTEM_UI_FLAG_LAYOUT_HIDE_NAVIGATION},     * {@link #SYSTEM_UI_FLAG_LAYOUT_FULLSCREEN}, {@link #SYSTEM_UI_FLAG_IMMERSIVE},     * and {@link #SYSTEM_UI_FLAG_IMMERSIVE_STICKY}.     */    public int getSystemUiVisibility() {        return mSystemUiVisibility;    }    /**     * Returns the current system UI visibility that is currently set for     * the entire window.  This is the combination of the     * {@link #setSystemUiVisibility(int)} values supplied by all of the     * views in the window.     */    public int getWindowSystemUiVisibility() {        return mAttachInfo != null ? mAttachInfo.mSystemUiVisibility : 0;    }    /**     * Override to find out when the window's requested system UI visibility     * has changed, that is the value returned by {@link #getWindowSystemUiVisibility()}.     * This is different from the callbacks received through     * {@link #setOnSystemUiVisibilityChangeListener(OnSystemUiVisibilityChangeListener)}     * in that this is only telling you about the local request of the window,     * not the actual values applied by the system.     */    public void onWindowSystemUiVisibilityChanged(int visible) {    }    /**     * Dispatch callbacks to {@link #onWindowSystemUiVisibilityChanged(int)} down     * the view hierarchy.     */    public void dispatchWindowSystemUiVisiblityChanged(int visible) {        onWindowSystemUiVisibilityChanged(visible);    }    /**     * Set a listener to receive callbacks when the visibility of the system bar changes.     * @param l  The {@link OnSystemUiVisibilityChangeListener} to receive callbacks.     */    public void setOnSystemUiVisibilityChangeListener(OnSystemUiVisibilityChangeListener l) {        getListenerInfo().mOnSystemUiVisibilityChangeListener = l;        if (mParent != null && mAttachInfo != null && !mAttachInfo.mRecomputeGlobalAttributes) {            mParent.recomputeViewAttributes(this);        }    }    /**     * Dispatch callbacks to {@link #setOnSystemUiVisibilityChangeListener} down     * the view hierarchy.     */    public void dispatchSystemUiVisibilityChanged(int visibility) {        ListenerInfo li = mListenerInfo;        if (li != null && li.mOnSystemUiVisibilityChangeListener != null) {            li.mOnSystemUiVisibilityChangeListener.onSystemUiVisibilityChange(                    visibility & PUBLIC_STATUS_BAR_VISIBILITY_MASK);        }    }    boolean updateLocalSystemUiVisibility(int localValue, int localChanges) {        int val = (mSystemUiVisibility&~localChanges) | (localValue&localChanges);        if (val != mSystemUiVisibility) {            setSystemUiVisibility(val);            return true;        }        return false;    }    /** @hide */    public void setDisabledSystemUiVisibility(int flags) {        if (mAttachInfo != null) {            if (mAttachInfo.mDisabledSystemUiVisibility != flags) {                mAttachInfo.mDisabledSystemUiVisibility = flags;                if (mParent != null) {                    mParent.recomputeViewAttributes(this);                }            }        }    }    /**     * Creates an image that the system displays during the drag and drop     * operation. This is called a "drag shadow". The default implementation     * for a DragShadowBuilder based on a View returns an image that has exactly the same     * appearance as the given View. The default also positions the center of the drag shadow     * directly under the touch point. If no View is provided (the constructor with no parameters     * is used), and {@link #onProvideShadowMetrics(Point,Point) onProvideShadowMetrics()} and     * {@link #onDrawShadow(Canvas) onDrawShadow()} are not overriden, then the     * default is an invisible drag shadow.     * <p>     * You are not required to use the View you provide to the constructor as the basis of the     * drag shadow. The {@link #onDrawShadow(Canvas) onDrawShadow()} method allows you to draw     * anything you want as the drag shadow.     * </p>     * <p>     *  You pass a DragShadowBuilder object to the system when you start the drag. The system     *  calls {@link #onProvideShadowMetrics(Point,Point) onProvideShadowMetrics()} to get the     *  size and position of the drag shadow. It uses this data to construct a     *  {@link android.graphics.Canvas} object, then it calls {@link #onDrawShadow(Canvas) onDrawShadow()}     *  so that your application can draw the shadow image in the Canvas.     * </p>     *     * <div class="special reference">     * <h3>Developer Guides</h3>     * <p>For a guide to implementing drag and drop features, read the     * <a href="{@docRoot}guide/topics/ui/drag-drop.html">Drag and Drop</a> developer guide.</p>     * </div>     */    public static class DragShadowBuilder {        private final WeakReference<View> mView;        /**         * Constructs a shadow image builder based on a View. By default, the resulting drag         * shadow will have the same appearance and dimensions as the View, with the touch point         * over the center of the View.         * @param view A View. Any View in scope can be used.         */        public DragShadowBuilder(View view) {            mView = new WeakReference<View>(view);        }        /**         * Construct a shadow builder object with no associated View.  This         * constructor variant is only useful when the {@link #onProvideShadowMetrics(Point, Point)}         * and {@link #onDrawShadow(Canvas)} methods are also overridden in order         * to supply the drag shadow's dimensions and appearance without         * reference to any View object. If they are not overridden, then the result is an         * invisible drag shadow.         */        public DragShadowBuilder() {            mView = new WeakReference<View>(null);        }        /**         * Returns the View object that had been passed to the         * {@link #View.DragShadowBuilder(View)}         * constructor.  If that View parameter was {@code null} or if the         * {@link #View.DragShadowBuilder()}         * constructor was used to instantiate the builder object, this method will return         * null.         *         * @return The View object associate with this builder object.         */        @SuppressWarnings({"JavadocReference"})        final public View getView() {            return mView.get();        }        /**         * Provides the metrics for the shadow image. These include the dimensions of         * the shadow image, and the point within that shadow that should         * be centered under the touch location while dragging.         * <p>         * The default implementation sets the dimensions of the shadow to be the         * same as the dimensions of the View itself and centers the shadow under         * the touch point.         * </p>         *         * @param shadowSize A {@link android.graphics.Point} containing the width and height         * of the shadow image. Your application must set {@link android.graphics.Point#x} to the         * desired width and must set {@link android.graphics.Point#y} to the desired height of the         * image.         *         * @param shadowTouchPoint A {@link android.graphics.Point} for the position within the         * shadow image that should be underneath the touch point during the drag and drop         * operation. Your application must set {@link android.graphics.Point#x} to the         * X coordinate and {@link android.graphics.Point#y} to the Y coordinate of this position.         */        public void onProvideShadowMetrics(Point shadowSize, Point shadowTouchPoint) {            final View view = mView.get();            if (view != null) {                shadowSize.set(view.getWidth(), view.getHeight());                shadowTouchPoint.set(shadowSize.x / 2, shadowSize.y / 2);            } else {                Log.e(View.VIEW_LOG_TAG, "Asked for drag thumb metrics but no view");            }        }        /**         * Draws the shadow image. The system creates the {@link android.graphics.Canvas} object         * based on the dimensions it received from the         * {@link #onProvideShadowMetrics(Point, Point)} callback.         *         * @param canvas A {@link android.graphics.Canvas} object in which to draw the shadow image.         */        public void onDrawShadow(Canvas canvas) {            final View view = mView.get();            if (view != null) {                view.draw(canvas);            } else {                Log.e(View.VIEW_LOG_TAG, "Asked to draw drag shadow but no view");            }        }    }    /**     * Starts a drag and drop operation. When your application calls this method, it passes a     * {@link android.view.View.DragShadowBuilder} object to the system. The     * system calls this object's {@link DragShadowBuilder#onProvideShadowMetrics(Point, Point)}     * to get metrics for the drag shadow, and then calls the object's     * {@link DragShadowBuilder#onDrawShadow(Canvas)} to draw the drag shadow itself.     * <p>     *  Once the system has the drag shadow, it begins the drag and drop operation by sending     *  drag events to all the View objects in your application that are currently visible. It does     *  this either by calling the View object's drag listener (an implementation of     *  {@link android.view.View.OnDragListener#onDrag(View,DragEvent) onDrag()} or by calling the     *  View object's {@link android.view.View#onDragEvent(DragEvent) onDragEvent()} method.     *  Both are passed a {@link android.view.DragEvent} object that has a     *  {@link android.view.DragEvent#getAction()} value of     *  {@link android.view.DragEvent#ACTION_DRAG_STARTED}.     * </p>     * <p>     * Your application can invoke startDrag() on any attached View object. The View object does not     * need to be the one used in {@link android.view.View.DragShadowBuilder}, nor does it need to     * be related to the View the user selected for dragging.     * </p>     * @param data A {@link android.content.ClipData} object pointing to the data to be     * transferred by the drag and drop operation.     * @param shadowBuilder A {@link android.view.View.DragShadowBuilder} object for building the     * drag shadow.     * @param myLocalState An {@link java.lang.Object} containing local data about the drag and     * drop operation. This Object is put into every DragEvent object sent by the system during the     * current drag.     * <p>     * myLocalState is a lightweight mechanism for the sending information from the dragged View     * to the target Views. For example, it can contain flags that differentiate between a     * a copy operation and a move operation.     * </p>     * @param flags Flags that control the drag and drop operation. No flags are currently defined,     * so the parameter should be set to 0.     * @return {@code true} if the method completes successfully, or     * {@code false} if it fails anywhere. Returning {@code false} means the system was unable to     * do a drag, and so no drag operation is in progress.     */    public final boolean startDrag(ClipData data, DragShadowBuilder shadowBuilder,            Object myLocalState, int flags) {        if (ViewDebug.DEBUG_DRAG) {            Log.d(VIEW_LOG_TAG, "startDrag: data=" + data + " flags=" + flags);        }        boolean okay = false;        Point shadowSize = new Point();        Point shadowTouchPoint = new Point();        shadowBuilder.onProvideShadowMetrics(shadowSize, shadowTouchPoint);        if ((shadowSize.x < 0) || (shadowSize.y < 0) ||                (shadowTouchPoint.x < 0) || (shadowTouchPoint.y < 0)) {            throw new IllegalStateException("Drag shadow dimensions must not be negative");        }        if (ViewDebug.DEBUG_DRAG) {            Log.d(VIEW_LOG_TAG, "drag shadow: width=" + shadowSize.x + " height=" + shadowSize.y                    + " shadowX=" + shadowTouchPoint.x + " shadowY=" + shadowTouchPoint.y);        }        Surface surface = new Surface();        try {            IBinder token = mAttachInfo.mSession.prepareDrag(mAttachInfo.mWindow,                    flags, shadowSize.x, shadowSize.y, surface);            if (ViewDebug.DEBUG_DRAG) Log.d(VIEW_LOG_TAG, "prepareDrag returned token=" + token                    + " surface=" + surface);            if (token != null) {                Canvas canvas = surface.lockCanvas(null);                try {                    canvas.drawColor(0, PorterDuff.Mode.CLEAR);                    shadowBuilder.onDrawShadow(canvas);                } finally {                    surface.unlockCanvasAndPost(canvas);                }                final ViewRootImpl root = getViewRootImpl();                // Cache the local state object for delivery with DragEvents                root.setLocalDragState(myLocalState);                // repurpose 'shadowSize' for the last touch point                root.getLastTouchPoint(shadowSize);                okay = mAttachInfo.mSession.performDrag(mAttachInfo.mWindow, token,                        shadowSize.x, shadowSize.y,                        shadowTouchPoint.x, shadowTouchPoint.y, data);                if (ViewDebug.DEBUG_DRAG) Log.d(VIEW_LOG_TAG, "performDrag returned " + okay);                // Off and running!  Release our local surface instance; the drag                // shadow surface is now managed by the system process.                surface.release();            }        } catch (Exception e) {            Log.e(VIEW_LOG_TAG, "Unable to initiate drag", e);            surface.destroy();        }        return okay;    }    /**     * Handles drag events sent by the system following a call to     * {@link android.view.View#startDrag(ClipData,DragShadowBuilder,Object,int) startDrag()}.     *<p>     * When the system calls this method, it passes a     * {@link android.view.DragEvent} object. A call to     * {@link android.view.DragEvent#getAction()} returns one of the action type constants defined     * in DragEvent. The method uses these to determine what is happening in the drag and drop     * operation.     * @param event The {@link android.view.DragEvent} sent by the system.     * The {@link android.view.DragEvent#getAction()} method returns an action type constant defined     * in DragEvent, indicating the type of drag event represented by this object.     * @return {@code true} if the method was successful, otherwise {@code false}.     * <p>     *  The method should return {@code true} in response to an action type of     *  {@link android.view.DragEvent#ACTION_DRAG_STARTED} to receive drag events for the current     *  operation.     * </p>     * <p>     *  The method should also return {@code true} in response to an action type of     *  {@link android.view.DragEvent#ACTION_DROP} if it consumed the drop, or     *  {@code false} if it didn't.     * </p>     */    public boolean onDragEvent(DragEvent event) {        return false;    }    /**     * Detects if this View is enabled and has a drag event listener.     * If both are true, then it calls the drag event listener with the     * {@link android.view.DragEvent} it received. If the drag event listener returns     * {@code true}, then dispatchDragEvent() returns {@code true}.     * <p>     * For all other cases, the method calls the     * {@link android.view.View#onDragEvent(DragEvent) onDragEvent()} drag event handler     * method and returns its result.     * </p>     * <p>     * This ensures that a drag event is always consumed, even if the View does not have a drag     * event listener. However, if the View has a listener and the listener returns true, then     * onDragEvent() is not called.     * </p>     */    public boolean dispatchDragEvent(DragEvent event) {        ListenerInfo li = mListenerInfo;        //noinspection SimplifiableIfStatement        if (li != null && li.mOnDragListener != null && (mViewFlags & ENABLED_MASK) == ENABLED                && li.mOnDragListener.onDrag(this, event)) {            return true;        }        return onDragEvent(event);    }    boolean canAcceptDrag() {        return (mPrivateFlags2 & PFLAG2_DRAG_CAN_ACCEPT) != 0;    }    /**     * This needs to be a better API (NOT ON VIEW) before it is exposed.  If     * it is ever exposed at all.     * @hide     */    public void onCloseSystemDialogs(String reason) {    }    /**     * Given a Drawable whose bounds have been set to draw into this view,     * update a Region being computed for     * {@link #gatherTransparentRegion(android.graphics.Region)} so     * that any non-transparent parts of the Drawable are removed from the     * given transparent region.     *     * @param dr The Drawable whose transparency is to be applied to the region.     * @param region A Region holding the current transparency information,     * where any parts of the region that are set are considered to be     * transparent.  On return, this region will be modified to have the     * transparency information reduced by the corresponding parts of the     * Drawable that are not transparent.     * {@hide}     */    public void applyDrawableToTransparentRegion(Drawable dr, Region region) {        if (DBG) {            Log.i("View", "Getting transparent region for: " + this);        }        final Region r = dr.getTransparentRegion();        final Rect db = dr.getBounds();        final AttachInfo attachInfo = mAttachInfo;        if (r != null && attachInfo != null) {            final int w = getRight()-getLeft();            final int h = getBottom()-getTop();            if (db.left > 0) {                //Log.i("VIEW", "Drawable left " + db.left + " > view 0");                r.op(0, 0, db.left, h, Region.Op.UNION);            }            if (db.right < w) {                //Log.i("VIEW", "Drawable right " + db.right + " < view " + w);                r.op(db.right, 0, w, h, Region.Op.UNION);            }            if (db.top > 0) {                //Log.i("VIEW", "Drawable top " + db.top + " > view 0");                r.op(0, 0, w, db.top, Region.Op.UNION);            }            if (db.bottom < h) {                //Log.i("VIEW", "Drawable bottom " + db.bottom + " < view " + h);                r.op(0, db.bottom, w, h, Region.Op.UNION);            }            final int[] location = attachInfo.mTransparentLocation;            getLocationInWindow(location);            r.translate(location[0], location[1]);            region.op(r, Region.Op.INTERSECT);        } else {            region.op(db, Region.Op.DIFFERENCE);        }    }    private void checkForLongClick(int delayOffset) {        if ((mViewFlags & LONG_CLICKABLE) == LONG_CLICKABLE) {            mHasPerformedLongPress = false;            if (mPendingCheckForLongPress == null) {                mPendingCheckForLongPress = new CheckForLongPress();            }            mPendingCheckForLongPress.rememberWindowAttachCount();            postDelayed(mPendingCheckForLongPress,                    ViewConfiguration.getLongPressTimeout() - delayOffset);        }    }    /**     * Inflate a view from an XML resource.  This convenience method wraps the {@link     * LayoutInflater} class, which provides a full range of options for view inflation.     *     * @param context The Context object for your activity or application.     * @param resource The resource ID to inflate     * @param root A view group that will be the parent.  Used to properly inflate the     * layout_* parameters.     * @see LayoutInflater     */    public static View inflate(Context context, int resource, ViewGroup root) {        LayoutInflater factory = LayoutInflater.from(context);        return factory.inflate(resource, root);    }    /**     * Scroll the view with standard behavior for scrolling beyond the normal     * content boundaries. Views that call this method should override     * {@link #onOverScrolled(int, int, boolean, boolean)} to respond to the     * results of an over-scroll operation.     *     * Views can use this method to handle any touch or fling-based scrolling.     *     * @param deltaX Change in X in pixels     * @param deltaY Change in Y in pixels     * @param scrollX Current X scroll value in pixels before applying deltaX     * @param scrollY Current Y scroll value in pixels before applying deltaY     * @param scrollRangeX Maximum content scroll range along the X axis     * @param scrollRangeY Maximum content scroll range along the Y axis     * @param maxOverScrollX Number of pixels to overscroll by in either direction     *          along the X axis.     * @param maxOverScrollY Number of pixels to overscroll by in either direction     *          along the Y axis.     * @param isTouchEvent true if this scroll operation is the result of a touch event.     * @return true if scrolling was clamped to an over-scroll boundary along either     *          axis, false otherwise.     */    @SuppressWarnings({"UnusedParameters"})    protected boolean overScrollBy(int deltaX, int deltaY,            int scrollX, int scrollY,            int scrollRangeX, int scrollRangeY,            int maxOverScrollX, int maxOverScrollY,            boolean isTouchEvent) {        final int overScrollMode = mOverScrollMode;        final boolean canScrollHorizontal =                computeHorizontalScrollRange() > computeHorizontalScrollExtent();        final boolean canScrollVertical =                computeVerticalScrollRange() > computeVerticalScrollExtent();        final boolean overScrollHorizontal = overScrollMode == OVER_SCROLL_ALWAYS ||                (overScrollMode == OVER_SCROLL_IF_CONTENT_SCROLLS && canScrollHorizontal);        final boolean overScrollVertical = overScrollMode == OVER_SCROLL_ALWAYS ||                (overScrollMode == OVER_SCROLL_IF_CONTENT_SCROLLS && canScrollVertical);        int newScrollX = scrollX + deltaX;        if (!overScrollHorizontal) {            maxOverScrollX = 0;        }        int newScrollY = scrollY + deltaY;        if (!overScrollVertical) {            maxOverScrollY = 0;        }        // Clamp values if at the limits and record        final int left = -maxOverScrollX;        final int right = maxOverScrollX + scrollRangeX;        final int top = -maxOverScrollY;        final int bottom = maxOverScrollY + scrollRangeY;        boolean clampedX = false;        if (newScrollX > right) {            newScrollX = right;            clampedX = true;        } else if (newScrollX < left) {            newScrollX = left;            clampedX = true;        }        boolean clampedY = false;        if (newScrollY > bottom) {            newScrollY = bottom;            clampedY = true;        } else if (newScrollY < top) {            newScrollY = top;            clampedY = true;        }        onOverScrolled(newScrollX, newScrollY, clampedX, clampedY);        return clampedX || clampedY;    }    /**     * Called by {@link #overScrollBy(int, int, int, int, int, int, int, int, boolean)} to     * respond to the results of an over-scroll operation.     *     * @param scrollX New X scroll value in pixels     * @param scrollY New Y scroll value in pixels     * @param clampedX True if scrollX was clamped to an over-scroll boundary     * @param clampedY True if scrollY was clamped to an over-scroll boundary     */    protected void onOverScrolled(int scrollX, int scrollY,            boolean clampedX, boolean clampedY) {        // Intentionally empty.    }    /**     * Returns the over-scroll mode for this view. The result will be     * one of {@link #OVER_SCROLL_ALWAYS} (default), {@link #OVER_SCROLL_IF_CONTENT_SCROLLS}     * (allow over-scrolling only if the view content is larger than the container),     * or {@link #OVER_SCROLL_NEVER}.     *     * @return This view's over-scroll mode.     */    public int getOverScrollMode() {        return mOverScrollMode;    }    /**     * Set the over-scroll mode for this view. Valid over-scroll modes are     * {@link #OVER_SCROLL_ALWAYS} (default), {@link #OVER_SCROLL_IF_CONTENT_SCROLLS}     * (allow over-scrolling only if the view content is larger than the container),     * or {@link #OVER_SCROLL_NEVER}.     *     * Setting the over-scroll mode of a view will have an effect only if the     * view is capable of scrolling.     *     * @param overScrollMode The new over-scroll mode for this view.     */    public void setOverScrollMode(int overScrollMode) {        if (overScrollMode != OVER_SCROLL_ALWAYS &&                overScrollMode != OVER_SCROLL_IF_CONTENT_SCROLLS &&                overScrollMode != OVER_SCROLL_NEVER) {            throw new IllegalArgumentException("Invalid overscroll mode " + overScrollMode);        }        mOverScrollMode = overScrollMode;    }    /**     * Gets a scale factor that determines the distance the view should scroll     * vertically in response to {@link MotionEvent#ACTION_SCROLL}.     * @return The vertical scroll scale factor.     * @hide     */    protected float getVerticalScrollFactor() {        if (mVerticalScrollFactor == 0) {            TypedValue outValue = new TypedValue();            if (!mContext.getTheme().resolveAttribute(                    com.android.internal.R.attr.listPreferredItemHeight, outValue, true)) {                throw new IllegalStateException(                        "Expected theme to define listPreferredItemHeight.");            }            mVerticalScrollFactor = outValue.getDimension(                    mContext.getResources().getDisplayMetrics());        }        return mVerticalScrollFactor;    }    /**     * Gets a scale factor that determines the distance the view should scroll     * horizontally in response to {@link MotionEvent#ACTION_SCROLL}.     * @return The horizontal scroll scale factor.     * @hide     */    protected float getHorizontalScrollFactor() {        // TODO: Should use something else.        return getVerticalScrollFactor();    }    /**     * Return the value specifying the text direction or policy that was set with     * {@link #setTextDirection(int)}.     *     * @return the defined text direction. It can be one of:     *     * {@link #TEXT_DIRECTION_INHERIT},     * {@link #TEXT_DIRECTION_FIRST_STRONG}     * {@link #TEXT_DIRECTION_ANY_RTL},     * {@link #TEXT_DIRECTION_LTR},     * {@link #TEXT_DIRECTION_RTL},     * {@link #TEXT_DIRECTION_LOCALE}     *     * @attr ref android.R.styleable#View_textDirection     *     * @hide     */    @ViewDebug.ExportedProperty(category = "text", mapping = {            @ViewDebug.IntToString(from = TEXT_DIRECTION_INHERIT, to = "INHERIT"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_FIRST_STRONG, to = "FIRST_STRONG"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_ANY_RTL, to = "ANY_RTL"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_LTR, to = "LTR"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_RTL, to = "RTL"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_LOCALE, to = "LOCALE")    })    public int getRawTextDirection() {        return (mPrivateFlags2 & PFLAG2_TEXT_DIRECTION_MASK) >> PFLAG2_TEXT_DIRECTION_MASK_SHIFT;    }    /**     * Set the text direction.     *     * @param textDirection the direction to set. Should be one of:     *     * {@link #TEXT_DIRECTION_INHERIT},     * {@link #TEXT_DIRECTION_FIRST_STRONG}     * {@link #TEXT_DIRECTION_ANY_RTL},     * {@link #TEXT_DIRECTION_LTR},     * {@link #TEXT_DIRECTION_RTL},     * {@link #TEXT_DIRECTION_LOCALE}     *     * Resolution will be done if the value is set to TEXT_DIRECTION_INHERIT. The resolution     * proceeds up the parent chain of the view to get the value. If there is no parent, then it will     * return the default {@link #TEXT_DIRECTION_FIRST_STRONG}.     *     * @attr ref android.R.styleable#View_textDirection     */    public void setTextDirection(int textDirection) {        if (getRawTextDirection() != textDirection) {            // Reset the current text direction and the resolved one            mPrivateFlags2 &= ~PFLAG2_TEXT_DIRECTION_MASK;            resetResolvedTextDirection();            // Set the new text direction            mPrivateFlags2 |= ((textDirection << PFLAG2_TEXT_DIRECTION_MASK_SHIFT) & PFLAG2_TEXT_DIRECTION_MASK);            // Do resolution            resolveTextDirection();            // Notify change            onRtlPropertiesChanged(getLayoutDirection());            // Refresh            requestLayout();            invalidate(true);        }    }    /**     * Return the resolved text direction.     *     * @return the resolved text direction. Returns one of:     *     * {@link #TEXT_DIRECTION_FIRST_STRONG}     * {@link #TEXT_DIRECTION_ANY_RTL},     * {@link #TEXT_DIRECTION_LTR},     * {@link #TEXT_DIRECTION_RTL},     * {@link #TEXT_DIRECTION_LOCALE}     *     * @attr ref android.R.styleable#View_textDirection     */    @ViewDebug.ExportedProperty(category = "text", mapping = {            @ViewDebug.IntToString(from = TEXT_DIRECTION_INHERIT, to = "INHERIT"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_FIRST_STRONG, to = "FIRST_STRONG"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_ANY_RTL, to = "ANY_RTL"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_LTR, to = "LTR"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_RTL, to = "RTL"),            @ViewDebug.IntToString(from = TEXT_DIRECTION_LOCALE, to = "LOCALE")    })    public int getTextDirection() {        return (mPrivateFlags2 & PFLAG2_TEXT_DIRECTION_RESOLVED_MASK) >> PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT;    }    /**     * Resolve the text direction.     *     * @return true if resolution has been done, false otherwise.     *     * @hide     */    public boolean resolveTextDirection() {        // Reset any previous text direction resolution        mPrivateFlags2 &= ~(PFLAG2_TEXT_DIRECTION_RESOLVED | PFLAG2_TEXT_DIRECTION_RESOLVED_MASK);        if (hasRtlSupport()) {            // Set resolved text direction flag depending on text direction flag            final int textDirection = getRawTextDirection();            switch(textDirection) {                case TEXT_DIRECTION_INHERIT:                    if (!canResolveTextDirection()) {                        // We cannot do the resolution if there is no parent, so use the default one                        mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;                        // Resolution will need to happen again later                        return false;                    }                    // Parent has not yet resolved, so we still return the default                    try {                        if (!mParent.isTextDirectionResolved()) {                            mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;                            // Resolution will need to happen again later                            return false;                        }                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                        mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED |                                PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;                        return true;                    }                    // Set current resolved direction to the same value as the parent's one                    int parentResolvedDirection;                    try {                        parentResolvedDirection = mParent.getTextDirection();                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                        parentResolvedDirection = TEXT_DIRECTION_LTR;                    }                    switch (parentResolvedDirection) {                        case TEXT_DIRECTION_FIRST_STRONG:                        case TEXT_DIRECTION_ANY_RTL:                        case TEXT_DIRECTION_LTR:                        case TEXT_DIRECTION_RTL:                        case TEXT_DIRECTION_LOCALE:                            mPrivateFlags2 |=                                    (parentResolvedDirection << PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT);                            break;                        default:                            // Default resolved direction is "first strong" heuristic                            mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;                    }                    break;                case TEXT_DIRECTION_FIRST_STRONG:                case TEXT_DIRECTION_ANY_RTL:                case TEXT_DIRECTION_LTR:                case TEXT_DIRECTION_RTL:                case TEXT_DIRECTION_LOCALE:                    // Resolved direction is the same as text direction                    mPrivateFlags2 |= (textDirection << PFLAG2_TEXT_DIRECTION_RESOLVED_MASK_SHIFT);                    break;                default:                    // Default resolved direction is "first strong" heuristic                    mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;            }        } else {            // Default resolved direction is "first strong" heuristic            mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;        }        // Set to resolved        mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED;        return true;    }    /**     * Check if text direction resolution can be done.     *     * @return true if text direction resolution can be done otherwise return false.     */    public boolean canResolveTextDirection() {        switch (getRawTextDirection()) {            case TEXT_DIRECTION_INHERIT:                if (mParent != null) {                    try {                        return mParent.canResolveTextDirection();                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                    }                }                return false;            default:                return true;        }    }    /**     * Reset resolved text direction. Text direction will be resolved during a call to     * {@link #onMeasure(int, int)}.     *     * @hide     */    public void resetResolvedTextDirection() {        // Reset any previous text direction resolution        mPrivateFlags2 &= ~(PFLAG2_TEXT_DIRECTION_RESOLVED | PFLAG2_TEXT_DIRECTION_RESOLVED_MASK);        // Set to default value        mPrivateFlags2 |= PFLAG2_TEXT_DIRECTION_RESOLVED_DEFAULT;    }    /**     * @return true if text direction is inherited.     *     * @hide     */    public boolean isTextDirectionInherited() {        return (getRawTextDirection() == TEXT_DIRECTION_INHERIT);    }    /**     * @return true if text direction is resolved.     */    public boolean isTextDirectionResolved() {        return (mPrivateFlags2 & PFLAG2_TEXT_DIRECTION_RESOLVED) == PFLAG2_TEXT_DIRECTION_RESOLVED;    }    /**     * Return the value specifying the text alignment or policy that was set with     * {@link #setTextAlignment(int)}.     *     * @return the defined text alignment. It can be one of:     *     * {@link #TEXT_ALIGNMENT_INHERIT},     * {@link #TEXT_ALIGNMENT_GRAVITY},     * {@link #TEXT_ALIGNMENT_CENTER},     * {@link #TEXT_ALIGNMENT_TEXT_START},     * {@link #TEXT_ALIGNMENT_TEXT_END},     * {@link #TEXT_ALIGNMENT_VIEW_START},     * {@link #TEXT_ALIGNMENT_VIEW_END}     *     * @attr ref android.R.styleable#View_textAlignment     *     * @hide     */    @ViewDebug.ExportedProperty(category = "text", mapping = {            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_INHERIT, to = "INHERIT"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_GRAVITY, to = "GRAVITY"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_TEXT_START, to = "TEXT_START"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_TEXT_END, to = "TEXT_END"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_CENTER, to = "CENTER"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_VIEW_START, to = "VIEW_START"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_VIEW_END, to = "VIEW_END")    })    public int getRawTextAlignment() {        return (mPrivateFlags2 & PFLAG2_TEXT_ALIGNMENT_MASK) >> PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT;    }    /**     * Set the text alignment.     *     * @param textAlignment The text alignment to set. Should be one of     *     * {@link #TEXT_ALIGNMENT_INHERIT},     * {@link #TEXT_ALIGNMENT_GRAVITY},     * {@link #TEXT_ALIGNMENT_CENTER},     * {@link #TEXT_ALIGNMENT_TEXT_START},     * {@link #TEXT_ALIGNMENT_TEXT_END},     * {@link #TEXT_ALIGNMENT_VIEW_START},     * {@link #TEXT_ALIGNMENT_VIEW_END}     *     * Resolution will be done if the value is set to TEXT_ALIGNMENT_INHERIT. The resolution     * proceeds up the parent chain of the view to get the value. If there is no parent, then it     * will return the default {@link #TEXT_ALIGNMENT_GRAVITY}.     *     * @attr ref android.R.styleable#View_textAlignment     */    public void setTextAlignment(int textAlignment) {        if (textAlignment != getRawTextAlignment()) {            // Reset the current and resolved text alignment            mPrivateFlags2 &= ~PFLAG2_TEXT_ALIGNMENT_MASK;            resetResolvedTextAlignment();            // Set the new text alignment            mPrivateFlags2 |=                    ((textAlignment << PFLAG2_TEXT_ALIGNMENT_MASK_SHIFT) & PFLAG2_TEXT_ALIGNMENT_MASK);            // Do resolution            resolveTextAlignment();            // Notify change            onRtlPropertiesChanged(getLayoutDirection());            // Refresh            requestLayout();            invalidate(true);        }    }    /**     * Return the resolved text alignment.     *     * @return the resolved text alignment. Returns one of:     *     * {@link #TEXT_ALIGNMENT_GRAVITY},     * {@link #TEXT_ALIGNMENT_CENTER},     * {@link #TEXT_ALIGNMENT_TEXT_START},     * {@link #TEXT_ALIGNMENT_TEXT_END},     * {@link #TEXT_ALIGNMENT_VIEW_START},     * {@link #TEXT_ALIGNMENT_VIEW_END}     *     * @attr ref android.R.styleable#View_textAlignment     */    @ViewDebug.ExportedProperty(category = "text", mapping = {            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_INHERIT, to = "INHERIT"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_GRAVITY, to = "GRAVITY"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_TEXT_START, to = "TEXT_START"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_TEXT_END, to = "TEXT_END"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_CENTER, to = "CENTER"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_VIEW_START, to = "VIEW_START"),            @ViewDebug.IntToString(from = TEXT_ALIGNMENT_VIEW_END, to = "VIEW_END")    })    public int getTextAlignment() {        return (mPrivateFlags2 & PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK) >>                PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT;    }    /**     * Resolve the text alignment.     *     * @return true if resolution has been done, false otherwise.     *     * @hide     */    public boolean resolveTextAlignment() {        // Reset any previous text alignment resolution        mPrivateFlags2 &= ~(PFLAG2_TEXT_ALIGNMENT_RESOLVED | PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK);        if (hasRtlSupport()) {            // Set resolved text alignment flag depending on text alignment flag            final int textAlignment = getRawTextAlignment();            switch (textAlignment) {                case TEXT_ALIGNMENT_INHERIT:                    // Check if we can resolve the text alignment                    if (!canResolveTextAlignment()) {                        // We cannot do the resolution if there is no parent so use the default                        mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;                        // Resolution will need to happen again later                        return false;                    }                    // Parent has not yet resolved, so we still return the default                    try {                        if (!mParent.isTextAlignmentResolved()) {                            mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;                            // Resolution will need to happen again later                            return false;                        }                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                        mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED |                                PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;                        return true;                    }                    int parentResolvedTextAlignment;                    try {                        parentResolvedTextAlignment = mParent.getTextAlignment();                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                        parentResolvedTextAlignment = TEXT_ALIGNMENT_GRAVITY;                    }                    switch (parentResolvedTextAlignment) {                        case TEXT_ALIGNMENT_GRAVITY:                        case TEXT_ALIGNMENT_TEXT_START:                        case TEXT_ALIGNMENT_TEXT_END:                        case TEXT_ALIGNMENT_CENTER:                        case TEXT_ALIGNMENT_VIEW_START:                        case TEXT_ALIGNMENT_VIEW_END:                            // Resolved text alignment is the same as the parent resolved                            // text alignment                            mPrivateFlags2 |=                                    (parentResolvedTextAlignment << PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT);                            break;                        default:                            // Use default resolved text alignment                            mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;                    }                    break;                case TEXT_ALIGNMENT_GRAVITY:                case TEXT_ALIGNMENT_TEXT_START:                case TEXT_ALIGNMENT_TEXT_END:                case TEXT_ALIGNMENT_CENTER:                case TEXT_ALIGNMENT_VIEW_START:                case TEXT_ALIGNMENT_VIEW_END:                    // Resolved text alignment is the same as text alignment                    mPrivateFlags2 |= (textAlignment << PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK_SHIFT);                    break;                default:                    // Use default resolved text alignment                    mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;            }        } else {            // Use default resolved text alignment            mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;        }        // Set the resolved        mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED;        return true;    }    /**     * Check if text alignment resolution can be done.     *     * @return true if text alignment resolution can be done otherwise return false.     */    public boolean canResolveTextAlignment() {        switch (getRawTextAlignment()) {            case TEXT_DIRECTION_INHERIT:                if (mParent != null) {                    try {                        return mParent.canResolveTextAlignment();                    } catch (AbstractMethodError e) {                        Log.e(VIEW_LOG_TAG, mParent.getClass().getSimpleName() +                                " does not fully implement ViewParent", e);                    }                }                return false;            default:                return true;        }    }    /**     * Reset resolved text alignment. Text alignment will be resolved during a call to     * {@link #onMeasure(int, int)}.     *     * @hide     */    public void resetResolvedTextAlignment() {        // Reset any previous text alignment resolution        mPrivateFlags2 &= ~(PFLAG2_TEXT_ALIGNMENT_RESOLVED | PFLAG2_TEXT_ALIGNMENT_RESOLVED_MASK);        // Set to default        mPrivateFlags2 |= PFLAG2_TEXT_ALIGNMENT_RESOLVED_DEFAULT;    }    /**     * @return true if text alignment is inherited.     *     * @hide     */    public boolean isTextAlignmentInherited() {        return (getRawTextAlignment() == TEXT_ALIGNMENT_INHERIT);    }    /**     * @return true if text alignment is resolved.     */    public boolean isTextAlignmentResolved() {        return (mPrivateFlags2 & PFLAG2_TEXT_ALIGNMENT_RESOLVED) == PFLAG2_TEXT_ALIGNMENT_RESOLVED;    }    /**     * Generate a value suitable for use in {@link #setId(int)}.     * This value will not collide with ID values generated at build time by aapt for R.id.     *     * @return a generated ID value     */    public static int generateViewId() {        for (;;) {            final int result = sNextGeneratedId.get();            // aapt-generated IDs have the high byte nonzero; clamp to the range under that.            int newValue = result + 1;            if (newValue > 0x00FFFFFF) newValue = 1; // Roll over to 1, not 0.            if (sNextGeneratedId.compareAndSet(result, newValue)) {                return result;            }        }    }    //    // Properties    //    /**     * A Property wrapper around the <code>alpha</code> functionality handled by the     * {@link View#setAlpha(float)} and {@link View#getAlpha()} methods.     */    public static final Property<View, Float> ALPHA = new FloatProperty<View>("alpha") {        @Override        public void setValue(View object, float value) {            object.setAlpha(value);        }        @Override        public Float get(View object) {            return object.getAlpha();        }    };    /**     * A Property wrapper around the <code>translationX</code> functionality handled by the     * {@link View#setTranslationX(float)} and {@link View#getTranslationX()} methods.     */    public static final Property<View, Float> TRANSLATION_X = new FloatProperty<View>("translationX") {        @Override        public void setValue(View object, float value) {            object.setTranslationX(value);        }                @Override        public Float get(View object) {            return object.getTranslationX();        }    };    /**     * A Property wrapper around the <code>translationY</code> functionality handled by the     * {@link View#setTranslationY(float)} and {@link View#getTranslationY()} methods.     */    public static final Property<View, Float> TRANSLATION_Y = new FloatProperty<View>("translationY") {        @Override        public void setValue(View object, float value) {            object.setTranslationY(value);        }        @Override        public Float get(View object) {            return object.getTranslationY();        }    };    /**     * A Property wrapper around the <code>x</code> functionality handled by the     * {@link View#setX(float)} and {@link View#getX()} methods.     */    public static final Property<View, Float> X = new FloatProperty<View>("x") {        @Override        public void setValue(View object, float value) {            object.setX(value);        }        @Override        public Float get(View object) {            return object.getX();        }    };    /**     * A Property wrapper around the <code>y</code> functionality handled by the     * {@link View#setY(float)} and {@link View#getY()} methods.     */    public static final Property<View, Float> Y = new FloatProperty<View>("y") {        @Override        public void setValue(View object, float value) {            object.setY(value);        }        @Override        public Float get(View object) {            return object.getY();        }    };    /**     * A Property wrapper around the <code>rotation</code> functionality handled by the     * {@link View#setRotation(float)} and {@link View#getRotation()} methods.     */    public static final Property<View, Float> ROTATION = new FloatProperty<View>("rotation") {        @Override        public void setValue(View object, float value) {            object.setRotation(value);        }        @Override        public Float get(View object) {            return object.getRotation();        }    };    /**     * A Property wrapper around the <code>rotationX</code> functionality handled by the     * {@link View#setRotationX(float)} and {@link View#getRotationX()} methods.     */    public static final Property<View, Float> ROTATION_X = new FloatProperty<View>("rotationX") {        @Override        public void setValue(View object, float value) {            object.setRotationX(value);        }        @Override        public Float get(View object) {            return object.getRotationX();        }    };    /**     * A Property wrapper around the <code>rotationY</code> functionality handled by the     * {@link View#setRotationY(float)} and {@link View#getRotationY()} methods.     */    public static final Property<View, Float> ROTATION_Y = new FloatProperty<View>("rotationY") {        @Override        public void setValue(View object, float value) {            object.setRotationY(value);        }        @Override        public Float get(View object) {            return object.getRotationY();        }    };    /**     * A Property wrapper around the <code>scaleX</code> functionality handled by the     * {@link View#setScaleX(float)} and {@link View#getScaleX()} methods.     */    public static final Property<View, Float> SCALE_X = new FloatProperty<View>("scaleX") {        @Override        public void setValue(View object, float value) {            object.setScaleX(value);        }        @Override        public Float get(View object) {            return object.getScaleX();        }    };    /**     * A Property wrapper around the <code>scaleY</code> functionality handled by the     * {@link View#setScaleY(float)} and {@link View#getScaleY()} methods.     */    public static final Property<View, Float> SCALE_Y = new FloatProperty<View>("scaleY") {        @Override        public void setValue(View object, float value) {            object.setScaleY(value);        }        @Override        public Float get(View object) {            return object.getScaleY();        }    };    /**     * A MeasureSpec encapsulates the layout requirements passed from parent to child.     * Each MeasureSpec represents a requirement for either the width or the height.     * A MeasureSpec is comprised of a size and a mode. There are three possible     * modes:     * <dl>     * <dt>UNSPECIFIED</dt>     * <dd>     * The parent has not imposed any constraint on the child. It can be whatever size     * it wants.     * </dd>     *     * <dt>EXACTLY</dt>     * <dd>     * The parent has determined an exact size for the child. The child is going to be     * given those bounds regardless of how big it wants to be.     * </dd>     *     * <dt>AT_MOST</dt>     * <dd>     * The child can be as large as it wants up to the specified size.     * </dd>     * </dl>     *     * MeasureSpecs are implemented as ints to reduce object allocation. This class     * is provided to pack and unpack the <size, mode> tuple into the int.     */    public static class MeasureSpec {        private static final int MODE_SHIFT = 30;        private static final int MODE_MASK  = 0x3 << MODE_SHIFT;        /**         * Measure specification mode: The parent has not imposed any constraint         * on the child. It can be whatever size it wants.         */        public static final int UNSPECIFIED = 0 << MODE_SHIFT;        /**         * Measure specification mode: The parent has determined an exact size         * for the child. The child is going to be given those bounds regardless         * of how big it wants to be.         */        public static final int EXACTLY     = 1 << MODE_SHIFT;        /**         * Measure specification mode: The child can be as large as it wants up         * to the specified size.         */        public static final int AT_MOST     = 2 << MODE_SHIFT;        /**         * Creates a measure specification based on the supplied size and mode.         *         * The mode must always be one of the following:         * <ul>         *  <li>{@link android.view.View.MeasureSpec#UNSPECIFIED}</li>         *  <li>{@link android.view.View.MeasureSpec#EXACTLY}</li>         *  <li>{@link android.view.View.MeasureSpec#AT_MOST}</li>         * </ul>         *         * <p><strong>Note:</strong> On API level 17 and lower, makeMeasureSpec's         * implementation was such that the order of arguments did not matter         * and overflow in either value could impact the resulting MeasureSpec.         * {@link android.widget.RelativeLayout} was affected by this bug.         * Apps targeting API levels greater than 17 will get the fixed, more strict         * behavior.</p>         *         * @param size the size of the measure specification         * @param mode the mode of the measure specification         * @return the measure specification based on size and mode         */        public static int makeMeasureSpec(int size, int mode) {            if (sUseBrokenMakeMeasureSpec) {                return size + mode;            } else {                return (size & ~MODE_MASK) | (mode & MODE_MASK);            }        }        /**         * Extracts the mode from the supplied measure specification.         *         * @param measureSpec the measure specification to extract the mode from         * @return {@link android.view.View.MeasureSpec#UNSPECIFIED},         *         {@link android.view.View.MeasureSpec#AT_MOST} or         *         {@link android.view.View.MeasureSpec#EXACTLY}         */        public static int getMode(int measureSpec) {            return (measureSpec & MODE_MASK);        }        /**         * Extracts the size from the supplied measure specification.         *         * @param measureSpec the measure specification to extract the size from         * @return the size in pixels defined in the supplied measure specification         */        public static int getSize(int measureSpec) {            return (measureSpec & ~MODE_MASK);        }        static int adjust(int measureSpec, int delta) {            return makeMeasureSpec(getSize(measureSpec + delta), getMode(measureSpec));        }        /**         * Returns a String representation of the specified measure         * specification.         *         * @param measureSpec the measure specification to convert to a String         * @return a String with the following format: "MeasureSpec: MODE SIZE"         */        public static String toString(int measureSpec) {            int mode = getMode(measureSpec);            int size = getSize(measureSpec);            StringBuilder sb = new StringBuilder("MeasureSpec: ");            if (mode == UNSPECIFIED)                sb.append("UNSPECIFIED ");            else if (mode == EXACTLY)                sb.append("EXACTLY ");            else if (mode == AT_MOST)                sb.append("AT_MOST ");            else                sb.append(mode).append(" ");            sb.append(size);            return sb.toString();        }    }    class CheckForLongPress implements Runnable {        private int mOriginalWindowAttachCount;        public void run() {            if (isPressed() && (mParent != null)                    && mOriginalWindowAttachCount == mWindowAttachCount) {                if (performLongClick()) {                    mHasPerformedLongPress = true;                }            }        }        public void rememberWindowAttachCount() {            mOriginalWindowAttachCount = mWindowAttachCount;        }    }    private final class CheckForTap implements Runnable {        public void run() {            mPrivateFlags &= ~PFLAG_PREPRESSED;            setPressed(true);            checkForLongClick(ViewConfiguration.getTapTimeout());        }    }    private final class PerformClick implements Runnable {        public void run() {            performClick();        }    }    /** @hide */    public void hackTurnOffWindowResizeAnim(boolean off) {        mAttachInfo.mTurnOffWindowResizeAnim = off;    }    /**     * This method returns a ViewPropertyAnimator object, which can be used to animate     * specific properties on this View.     *     * @return ViewPropertyAnimator The ViewPropertyAnimator associated with this View.     */    public ViewPropertyAnimator animate() {        if (mAnimator == null) {            mAnimator = new ViewPropertyAnimator(this);        }        return mAnimator;    }    /**     * Interface definition for a callback to be invoked when a hardware key event is     * dispatched to this view. The callback will be invoked before the key event is     * given to the view. This is only useful for hardware keyboards; a software input     * method has no obligation to trigger this listener.     */    public interface OnKeyListener {        /**         * Called when a hardware key is dispatched to a view. This allows listeners to         * get a chance to respond before the target view.         * <p>Key presses in software keyboards will generally NOT trigger this method,         * although some may elect to do so in some situations. Do not assume a         * software input method has to be key-based; even if it is, it may use key presses         * in a different way than you expect, so there is no way to reliably catch soft         * input key presses.         *         * @param v The view the key has been dispatched to.         * @param keyCode The code for the physical key that was pressed         * @param event The KeyEvent object containing full information about         *        the event.         * @return True if the listener has consumed the event, false otherwise.         */        boolean onKey(View v, int keyCode, KeyEvent event);    }    /**     * Interface definition for a callback to be invoked when a touch event is     * dispatched to this view. The callback will be invoked before the touch     * event is given to the view.     */    public interface OnTouchListener {        /**         * Called when a touch event is dispatched to a view. This allows listeners to         * get a chance to respond before the target view.         *         * @param v The view the touch event has been dispatched to.         * @param event The MotionEvent object containing full information about         *        the event.         * @return True if the listener has consumed the event, false otherwise.         */        boolean onTouch(View v, MotionEvent event);    }    /**     * Interface definition for a callback to be invoked when a hover event is     * dispatched to this view. The callback will be invoked before the hover     * event is given to the view.     */    public interface OnHoverListener {        /**         * Called when a hover event is dispatched to a view. This allows listeners to         * get a chance to respond before the target view.         *         * @param v The view the hover event has been dispatched to.         * @param event The MotionEvent object containing full information about         *        the event.         * @return True if the listener has consumed the event, false otherwise.         */        boolean onHover(View v, MotionEvent event);    }    /**     * Interface definition for a callback to be invoked when a generic motion event is     * dispatched to this view. The callback will be invoked before the generic motion     * event is given to the view.     */    public interface OnGenericMotionListener {        /**         * Called when a generic motion event is dispatched to a view. This allows listeners to         * get a chance to respond before the target view.         *         * @param v The view the generic motion event has been dispatched to.         * @param event The MotionEvent object containing full information about         *        the event.         * @return True if the listener has consumed the event, false otherwise.         */        boolean onGenericMotion(View v, MotionEvent event);    }    /**     * Interface definition for a callback to be invoked when a view has been clicked and held.     */    public interface OnLongClickListener {        /**         * Called when a view has been clicked and held.         *         * @param v The view that was clicked and held.         *         * @return true if the callback consumed the long click, false otherwise.         */        boolean onLongClick(View v);    }    /**     * Interface definition for a callback to be invoked when a drag is being dispatched     * to this view.  The callback will be invoked before the hosting view's own     * onDrag(event) method.  If the listener wants to fall back to the hosting view's     * onDrag(event) behavior, it should return 'false' from this callback.     *     * <div class="special reference">     * <h3>Developer Guides</h3>     * <p>For a guide to implementing drag and drop features, read the     * <a href="{@docRoot}guide/topics/ui/drag-drop.html">Drag and Drop</a> developer guide.</p>     * </div>     */    public interface OnDragListener {        /**         * Called when a drag event is dispatched to a view. This allows listeners         * to get a chance to override base View behavior.         *         * @param v The View that received the drag event.         * @param event The {@link android.view.DragEvent} object for the drag event.         * @return {@code true} if the drag event was handled successfully, or {@code false}         * if the drag event was not handled. Note that {@code false} will trigger the View         * to call its {@link #onDragEvent(DragEvent) onDragEvent()} handler.         */        boolean onDrag(View v, DragEvent event);    }    /**     * Interface definition for a callback to be invoked when the focus state of     * a view changed.     */    public interface OnFocusChangeListener {        /**         * Called when the focus state of a view has changed.         *         * @param v The view whose state has changed.         * @param hasFocus The new focus state of v.         */        void onFocusChange(View v, boolean hasFocus);    }    /**     * Interface definition for a callback to be invoked when a view is clicked.     */    public interface OnClickListener {        /**         * Called when a view has been clicked.         *         * @param v The view that was clicked.         */        void onClick(View v);    }    /**     * Interface definition for a callback to be invoked when the context menu     * for this view is being built.     */    public interface OnCreateContextMenuListener {        /**         * Called when the context menu for this view is being built. It is not         * safe to hold onto the menu after this method returns.         *         * @param menu The context menu that is being built         * @param v The view for which the context menu is being built         * @param menuInfo Extra information about the item for which the         *            context menu should be shown. This information will vary         *            depending on the class of v.         */        void onCreateContextMenu(ContextMenu menu, View v, ContextMenuInfo menuInfo);    }    /**     * Interface definition for a callback to be invoked when the status bar changes     * visibility.  This reports <strong>global</strong> changes to the system UI     * state, not what the application is requesting.     *     * @see View#setOnSystemUiVisibilityChangeListener(android.view.View.OnSystemUiVisibilityChangeListener)     */    public interface OnSystemUiVisibilityChangeListener {        /**         * Called when the status bar changes visibility because of a call to         * {@link View#setSystemUiVisibility(int)}.         *         * @param visibility  Bitwise-or of flags {@link #SYSTEM_UI_FLAG_LOW_PROFILE},         * {@link #SYSTEM_UI_FLAG_HIDE_NAVIGATION}, and {@link #SYSTEM_UI_FLAG_FULLSCREEN}.         * This tells you the <strong>global</strong> state of these UI visibility         * flags, not what your app is currently applying.         */        public void onSystemUiVisibilityChange(int visibility);    }    /**     * Interface definition for a callback to be invoked when this view is attached     * or detached from its window.     */    public interface OnAttachStateChangeListener {        /**         * Called when the view is attached to a window.         * @param v The view that was attached         */        public void onViewAttachedToWindow(View v);        /**         * Called when the view is detached from a window.         * @param v The view that was detached         */        public void onViewDetachedFromWindow(View v);    }    private final class UnsetPressedState implements Runnable {        public void run() {            setPressed(false);        }    }    /**     * Base class for derived classes that want to save and restore their own     * state in {@link android.view.View#onSaveInstanceState()}.     */    public static class BaseSavedState extends AbsSavedState {        /**         * Constructor used when reading from a parcel. Reads the state of the superclass.         *         * @param source         */        public BaseSavedState(Parcel source) {            super(source);        }        /**         * Constructor called by derived classes when creating their SavedState objects         *         * @param superState The state of the superclass of this view         */        public BaseSavedState(Parcelable superState) {            super(superState);        }        public static final Parcelable.Creator<BaseSavedState> CREATOR =                new Parcelable.Creator<BaseSavedState>() {            public BaseSavedState createFromParcel(Parcel in) {                return new BaseSavedState(in);            }            public BaseSavedState[] newArray(int size) {                return new BaseSavedState[size];            }        };    }    /**     * A set of information given to a view when it is attached to its parent     * window.     */    static class AttachInfo {        interface Callbacks {            void playSoundEffect(int effectId);            boolean performHapticFeedback(int effectId, boolean always);        }        /**         * InvalidateInfo is used to post invalidate(int, int, int, int) messages         * to a Handler. This class contains the target (View) to invalidate and         * the coordinates of the dirty rectangle.         *         * For performance purposes, this class also implements a pool of up to         * POOL_LIMIT objects that get reused. This reduces memory allocations         * whenever possible.         */        static class InvalidateInfo {            private static final int POOL_LIMIT = 10;            private static final SynchronizedPool<InvalidateInfo> sPool =                    new SynchronizedPool<InvalidateInfo>(POOL_LIMIT);            View target;            int left;            int top;            int right;            int bottom;            public static InvalidateInfo obtain() {                InvalidateInfo instance = sPool.acquire();                return (instance != null) ? instance : new InvalidateInfo();            }            public void recycle() {                target = null;                sPool.release(this);            }        }        final IWindowSession mSession;        final IWindow mWindow;        final IBinder mWindowToken;        final Display mDisplay;        final Callbacks mRootCallbacks;        HardwareCanvas mHardwareCanvas;        IWindowId mIWindowId;        WindowId mWindowId;        /**         * The top view of the hierarchy.         */        View mRootView;        IBinder mPanelParentWindowToken;        Surface mSurface;        boolean mHardwareAccelerated;        boolean mHardwareAccelerationRequested;        HardwareRenderer mHardwareRenderer;        boolean mScreenOn;        /**         * Scale factor used by the compatibility mode         */        float mApplicationScale;        /**         * Indicates whether the application is in compatibility mode         */        boolean mScalingRequired;        /**         * If set, ViewRootImpl doesn't use its lame animation for when the window resizes.         */        boolean mTurnOffWindowResizeAnim;        /**         * Left position of this view's window         */        int mWindowLeft;        /**         * Top position of this view's window         */        int mWindowTop;        /**         * Indicates whether views need to use 32-bit drawing caches         */        boolean mUse32BitDrawingCache;        /**         * For windows that are full-screen but using insets to layout inside         * of the screen areas, these are the current insets to appear inside         * the overscan area of the display.         */        final Rect mOverscanInsets = new Rect();        /**         * For windows that are full-screen but using insets to layout inside         * of the screen decorations, these are the current insets for the         * content of the window.         */        final Rect mContentInsets = new Rect();        /**         * For windows that are full-screen but using insets to layout inside         * of the screen decorations, these are the current insets for the         * actual visible parts of the window.         */        final Rect mVisibleInsets = new Rect();        /**         * The internal insets given by this window.  This value is         * supplied by the client (through         * {@link ViewTreeObserver.OnComputeInternalInsetsListener}) and will         * be given to the window manager when changed to be used in laying         * out windows behind it.         */        final ViewTreeObserver.InternalInsetsInfo mGivenInternalInsets                = new ViewTreeObserver.InternalInsetsInfo();        /**         * Set to true when mGivenInternalInsets is non-empty.         */        boolean mHasNonEmptyGivenInternalInsets;        /**         * All views in the window's hierarchy that serve as scroll containers,         * used to determine if the window can be resized or must be panned         * to adjust for a soft input area.         */        final ArrayList<View> mScrollContainers = new ArrayList<View>();        final KeyEvent.DispatcherState mKeyDispatchState                = new KeyEvent.DispatcherState();        /**         * Indicates whether the view's window currently has the focus.         */        boolean mHasWindowFocus;        /**         * The current visibility of the window.         */        int mWindowVisibility;        /**         * Indicates the time at which drawing started to occur.         */        long mDrawingTime;        /**         * Indicates whether or not ignoring the DIRTY_MASK flags.         */        boolean mIgnoreDirtyState;        /**         * This flag tracks when the mIgnoreDirtyState flag is set during draw(),         * to avoid clearing that flag prematurely.         */        boolean mSetIgnoreDirtyState = false;        /**         * Indicates whether the view's window is currently in touch mode.         */        boolean mInTouchMode;        /**         * Indicates that ViewAncestor should trigger a global layout change         * the next time it performs a traversal         */        boolean mRecomputeGlobalAttributes;        /**         * Always report new attributes at next traversal.         */        boolean mForceReportNewAttributes;        /**         * Set during a traveral if any views want to keep the screen on.         */        boolean mKeepScreenOn;        /**         * Bitwise-or of all of the values that views have passed to setSystemUiVisibility().         */        int mSystemUiVisibility;        /**         * Hack to force certain system UI visibility flags to be cleared.         */        int mDisabledSystemUiVisibility;        /**         * Last global system UI visibility reported by the window manager.         */        int mGlobalSystemUiVisibility;        /**         * True if a view in this hierarchy has an OnSystemUiVisibilityChangeListener         * attached.         */        boolean mHasSystemUiListeners;        /**         * Set if the window has requested to extend into the overscan region         * via WindowManager.LayoutParams.FLAG_LAYOUT_IN_OVERSCAN.         */        boolean mOverscanRequested;        /**         * Set if the visibility of any views has changed.         */        boolean mViewVisibilityChanged;        /**         * Set to true if a view has been scrolled.         */        boolean mViewScrollChanged;        /**         * Global to the view hierarchy used as a temporary for dealing with         * x/y points in the transparent region computations.         */        final int[] mTransparentLocation = new int[2];        /**         * Global to the view hierarchy used as a temporary for dealing with         * x/y points in the ViewGroup.invalidateChild implementation.         */        final int[] mInvalidateChildLocation = new int[2];        /**         * Global to the view hierarchy used as a temporary for dealing with         * x/y location when view is transformed.         */        final float[] mTmpTransformLocation = new float[2];        /**         * The view tree observer used to dispatch global events like         * layout, pre-draw, touch mode change, etc.         */        final ViewTreeObserver mTreeObserver = new ViewTreeObserver();        /**         * A Canvas used by the view hierarchy to perform bitmap caching.         */        Canvas mCanvas;        /**         * The view root impl.         */        final ViewRootImpl mViewRootImpl;        /**         * A Handler supplied by a view's {@link android.view.ViewRootImpl}. This         * handler can be used to pump events in the UI events queue.         */        final Handler mHandler;        /**         * Temporary for use in computing invalidate rectangles while         * calling up the hierarchy.         */        final Rect mTmpInvalRect = new Rect();        /**         * Temporary for use in computing hit areas with transformed views         */        final RectF mTmpTransformRect = new RectF();        /**         * Temporary for use in transforming invalidation rect         */        final Matrix mTmpMatrix = new Matrix();        /**         * Temporary for use in transforming invalidation rect         */        final Transformation mTmpTransformation = new Transformation();        /**         * Temporary list for use in collecting focusable descendents of a view.         */        final ArrayList<View> mTempArrayList = new ArrayList<View>(24);        /**         * The id of the window for accessibility purposes.         */        int mAccessibilityWindowId = View.NO_ID;        /**         * Flags related to accessibility processing.         *         * @see AccessibilityNodeInfo#FLAG_INCLUDE_NOT_IMPORTANT_VIEWS         * @see AccessibilityNodeInfo#FLAG_REPORT_VIEW_IDS         */        int mAccessibilityFetchFlags;        /**         * The drawable for highlighting accessibility focus.         */        Drawable mAccessibilityFocusDrawable;        /**         * Show where the margins, bounds and layout bounds are for each view.         */        boolean mDebugLayout = SystemProperties.getBoolean(DEBUG_LAYOUT_PROPERTY, false);        /**         * Point used to compute visible regions.         */        final Point mPoint = new Point();        /**         * Used to track which View originated a requestLayout() call, used when         * requestLayout() is called during layout.         */        View mViewRequestingLayout;        /**         * Creates a new set of attachment information with the specified         * events handler and thread.         *         * @param handler the events handler the view must use         */        AttachInfo(IWindowSession session, IWindow window, Display display,                ViewRootImpl viewRootImpl, Handler handler, Callbacks effectPlayer) {            mSession = session;            mWindow = window;            mWindowToken = window.asBinder();            mDisplay = display;            mViewRootImpl = viewRootImpl;            mHandler = handler;            mRootCallbacks = effectPlayer;        }    }    /**     * <p>ScrollabilityCache holds various fields used by a View when scrolling     * is supported. This avoids keeping too many unused fields in most     * instances of View.</p>     */    private static class ScrollabilityCache implements Runnable {        /**         * Scrollbars are not visible         */        public static final int OFF = 0;        /**         * Scrollbars are visible         */        public static final int ON = 1;        /**         * Scrollbars are fading away         */        public static final int FADING = 2;        public boolean fadeScrollBars;        public int fadingEdgeLength;        public int scrollBarDefaultDelayBeforeFade;        public int scrollBarFadeDuration;        public int scrollBarSize;        public ScrollBarDrawable scrollBar;        public float[] interpolatorValues;        public View host;        public final Paint paint;        public final Matrix matrix;        public Shader shader;        public final Interpolator scrollBarInterpolator = new Interpolator(1, 2);        private static final float[] OPAQUE = { 255 };        private static final float[] TRANSPARENT = { 0.0f };        /**         * When fading should start. This time moves into the future every time         * a new scroll happens. Measured based on SystemClock.uptimeMillis()         */        public long fadeStartTime;        /**         * The current state of the scrollbars: ON, OFF, or FADING         */        public int state = OFF;        private int mLastColor;        public ScrollabilityCache(ViewConfiguration configuration, View host) {            fadingEdgeLength = configuration.getScaledFadingEdgeLength();            scrollBarSize = configuration.getScaledScrollBarSize();            scrollBarDefaultDelayBeforeFade = ViewConfiguration.getScrollDefaultDelay();            scrollBarFadeDuration = ViewConfiguration.getScrollBarFadeDuration();            paint = new Paint();            matrix = new Matrix();            // use use a height of 1, and then wack the matrix each time we            // actually use it.            shader = new LinearGradient(0, 0, 0, 1, 0xFF000000, 0, Shader.TileMode.CLAMP);            paint.setShader(shader);            paint.setXfermode(new PorterDuffXfermode(PorterDuff.Mode.DST_OUT));            this.host = host;        }        public void setFadeColor(int color) {            if (color != mLastColor) {                mLastColor = color;                if (color != 0) {                    shader = new LinearGradient(0, 0, 0, 1, color | 0xFF000000,                            color & 0x00FFFFFF, Shader.TileMode.CLAMP);                    paint.setShader(shader);                    // Restore the default transfer mode (src_over)                    paint.setXfermode(null);                } else {                    shader = new LinearGradient(0, 0, 0, 1, 0xFF000000, 0, Shader.TileMode.CLAMP);                    paint.setShader(shader);                    paint.setXfermode(new PorterDuffXfermode(PorterDuff.Mode.DST_OUT));                }            }        }        public void run() {            long now = AnimationUtils.currentAnimationTimeMillis();            if (now >= fadeStartTime) {                // the animation fades the scrollbars out by changing                // the opacity (alpha) from fully opaque to fully                // transparent                int nextFrame = (int) now;                int framesCount = 0;                Interpolator interpolator = scrollBarInterpolator;                // Start opaque                interpolator.setKeyFrame(framesCount++, nextFrame, OPAQUE);                // End transparent                nextFrame += scrollBarFadeDuration;                interpolator.setKeyFrame(framesCount, nextFrame, TRANSPARENT);                state = FADING;                // Kick off the fade animation                host.invalidate(true);            }        }    }    /**     * Resuable callback for sending     * {@link AccessibilityEvent#TYPE_VIEW_SCROLLED} accessibility event.     */    private class SendViewScrolledAccessibilityEvent implements Runnable {        public volatile boolean mIsPending;        public void run() {            sendAccessibilityEvent(AccessibilityEvent.TYPE_VIEW_SCROLLED);            mIsPending = false;        }    }    /**     * <p>     * This class represents a delegate that can be registered in a {@link View}     * to enhance accessibility support via composition rather via inheritance.     * It is specifically targeted to widget developers that extend basic View     * classes i.e. classes in package android.view, that would like their     * applications to be backwards compatible.     * </p>     * <div class="special reference">     * <h3>Developer Guides</h3>     * <p>For more information about making applications accessible, read the     * <a href="{@docRoot}guide/topics/ui/accessibility/index.html">Accessibility</a>     * developer guide.</p>     * </div>     * <p>     * A scenario in which a developer would like to use an accessibility delegate     * is overriding a method introduced in a later API version then the minimal API     * version supported by the application. For example, the method     * {@link View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)} is not available     * in API version 4 when the accessibility APIs were first introduced. If a     * developer would like his application to run on API version 4 devices (assuming     * all other APIs used by the application are version 4 or lower) and take advantage     * of this method, instead of overriding the method which would break the application's     * backwards compatibility, he can override the corresponding method in this     * delegate and register the delegate in the target View if the API version of     * the system is high enough i.e. the API version is same or higher to the API     * version that introduced     * {@link View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)}.     * </p>     * <p>     * Here is an example implementation:     * </p>     * <code><pre><p>     * if (Build.VERSION.SDK_INT >= 14) {     *     // If the API version is equal of higher than the version in     *     // which onInitializeAccessibilityNodeInfo was introduced we     *     // register a delegate with a customized implementation.     *     View view = findViewById(R.id.view_id);     *     view.setAccessibilityDelegate(new AccessibilityDelegate() {     *         public void onInitializeAccessibilityNodeInfo(View host,     *                 AccessibilityNodeInfo info) {     *             // Let the default implementation populate the info.     *             super.onInitializeAccessibilityNodeInfo(host, info);     *             // Set some other information.     *             info.setEnabled(host.isEnabled());     *         }     *     });     * }     * </code></pre></p>     * <p>     * This delegate contains methods that correspond to the accessibility methods     * in View. If a delegate has been specified the implementation in View hands     * off handling to the corresponding method in this delegate. The default     * implementation the delegate methods behaves exactly as the corresponding     * method in View for the case of no accessibility delegate been set. Hence,     * to customize the behavior of a View method, clients can override only the     * corresponding delegate method without altering the behavior of the rest     * accessibility related methods of the host view.     * </p>     */    public static class AccessibilityDelegate {        /**         * Sends an accessibility event of the given type. If accessibility is not         * enabled this method has no effect.         * <p>         * The default implementation behaves as {@link View#sendAccessibilityEvent(int)         *  View#sendAccessibilityEvent(int)} for the case of no accessibility delegate         * been set.         * </p>         *         * @param host The View hosting the delegate.         * @param eventType The type of the event to send.         *         * @see View#sendAccessibilityEvent(int) View#sendAccessibilityEvent(int)         */        public void sendAccessibilityEvent(View host, int eventType) {            host.sendAccessibilityEventInternal(eventType);        }        /**         * Performs the specified accessibility action on the view. For         * possible accessibility actions look at {@link AccessibilityNodeInfo}.         * <p>         * The default implementation behaves as         * {@link View#performAccessibilityAction(int, Bundle)         *  View#performAccessibilityAction(int, Bundle)} for the case of         *  no accessibility delegate been set.         * </p>         *         * @param action The action to perform.         * @return Whether the action was performed.         *         * @see View#performAccessibilityAction(int, Bundle)         *      View#performAccessibilityAction(int, Bundle)         */        public boolean performAccessibilityAction(View host, int action, Bundle args) {            return host.performAccessibilityActionInternal(action, args);        }        /**         * Sends an accessibility event. This method behaves exactly as         * {@link #sendAccessibilityEvent(View, int)} but takes as an argument an         * empty {@link AccessibilityEvent} and does not perform a check whether         * accessibility is enabled.         * <p>         * The default implementation behaves as         * {@link View#sendAccessibilityEventUnchecked(AccessibilityEvent)         *  View#sendAccessibilityEventUnchecked(AccessibilityEvent)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param event The event to send.         *         * @see View#sendAccessibilityEventUnchecked(AccessibilityEvent)         *      View#sendAccessibilityEventUnchecked(AccessibilityEvent)         */        public void sendAccessibilityEventUnchecked(View host, AccessibilityEvent event) {            host.sendAccessibilityEventUncheckedInternal(event);        }        /**         * Dispatches an {@link AccessibilityEvent} to the host {@link View} first and then         * to its children for adding their text content to the event.         * <p>         * The default implementation behaves as         * {@link View#dispatchPopulateAccessibilityEvent(AccessibilityEvent)         *  View#dispatchPopulateAccessibilityEvent(AccessibilityEvent)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param event The event.         * @return True if the event population was completed.         *         * @see View#dispatchPopulateAccessibilityEvent(AccessibilityEvent)         *      View#dispatchPopulateAccessibilityEvent(AccessibilityEvent)         */        public boolean dispatchPopulateAccessibilityEvent(View host, AccessibilityEvent event) {            return host.dispatchPopulateAccessibilityEventInternal(event);        }        /**         * Gives a chance to the host View to populate the accessibility event with its         * text content.         * <p>         * The default implementation behaves as         * {@link View#onPopulateAccessibilityEvent(AccessibilityEvent)         *  View#onPopulateAccessibilityEvent(AccessibilityEvent)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param event The accessibility event which to populate.         *         * @see View#onPopulateAccessibilityEvent(AccessibilityEvent)         *      View#onPopulateAccessibilityEvent(AccessibilityEvent)         */        public void onPopulateAccessibilityEvent(View host, AccessibilityEvent event) {            host.onPopulateAccessibilityEventInternal(event);        }        /**         * Initializes an {@link AccessibilityEvent} with information about the         * the host View which is the event source.         * <p>         * The default implementation behaves as         * {@link View#onInitializeAccessibilityEvent(AccessibilityEvent)         *  View#onInitializeAccessibilityEvent(AccessibilityEvent)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param event The event to initialize.         *         * @see View#onInitializeAccessibilityEvent(AccessibilityEvent)         *      View#onInitializeAccessibilityEvent(AccessibilityEvent)         */        public void onInitializeAccessibilityEvent(View host, AccessibilityEvent event) {            host.onInitializeAccessibilityEventInternal(event);        }        /**         * Initializes an {@link AccessibilityNodeInfo} with information about the host view.         * <p>         * The default implementation behaves as         * {@link View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)         *  View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param info The instance to initialize.         *         * @see View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)         *      View#onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)         */        public void onInitializeAccessibilityNodeInfo(View host, AccessibilityNodeInfo info) {            host.onInitializeAccessibilityNodeInfoInternal(info);        }        /**         * Called when a child of the host View has requested sending an         * {@link AccessibilityEvent} and gives an opportunity to the parent (the host)         * to augment the event.         * <p>         * The default implementation behaves as         * {@link ViewGroup#onRequestSendAccessibilityEvent(View, AccessibilityEvent)         *  ViewGroup#onRequestSendAccessibilityEvent(View, AccessibilityEvent)} for         * the case of no accessibility delegate been set.         * </p>         *         * @param host The View hosting the delegate.         * @param child The child which requests sending the event.         * @param event The event to be sent.         * @return True if the event should be sent         *         * @see ViewGroup#onRequestSendAccessibilityEvent(View, AccessibilityEvent)         *      ViewGroup#onRequestSendAccessibilityEvent(View, AccessibilityEvent)         */        public boolean onRequestSendAccessibilityEvent(ViewGroup host, View child,                AccessibilityEvent event) {            return host.onRequestSendAccessibilityEventInternal(child, event);        }        /**         * Gets the provider for managing a virtual view hierarchy rooted at this View         * and reported to {@link android.accessibilityservice.AccessibilityService}s         * that explore the window content.         * <p>         * The default implementation behaves as         * {@link View#getAccessibilityNodeProvider() View#getAccessibilityNodeProvider()} for         * the case of no accessibility delegate been set.         * </p>         *         * @return The provider.         *         * @see AccessibilityNodeProvider         */        public AccessibilityNodeProvider getAccessibilityNodeProvider(View host) {            return null;        }        /**         * Returns an {@link AccessibilityNodeInfo} representing the host view from the         * point of view of an {@link android.accessibilityservice.AccessibilityService}.         * This method is responsible for obtaining an accessibility node info from a         * pool of reusable instances and calling         * {@link #onInitializeAccessibilityNodeInfo(AccessibilityNodeInfo)} on the host         * view to initialize the former.         * <p>         * <strong>Note:</strong> The client is responsible for recycling the obtained         * instance by calling {@link AccessibilityNodeInfo#recycle()} to minimize object         * creation.         * </p>         * <p>         * The default implementation behaves as         * {@link View#createAccessibilityNodeInfo() View#createAccessibilityNodeInfo()} for         * the case of no accessibility delegate been set.         * </p>         * @return A populated {@link AccessibilityNodeInfo}.         *         * @see AccessibilityNodeInfo         *         * @hide         */        public AccessibilityNodeInfo createAccessibilityNodeInfo(View host) {            return host.createAccessibilityNodeInfoInternal();        }    }    private class MatchIdPredicate implements Predicate<View> {        public int mId;        @Override        public boolean apply(View view) {            return (view.mID == mId);        }    }    private class MatchLabelForPredicate implements Predicate<View> {        private int mLabeledId;        @Override        public boolean apply(View view) {            return (view.mLabelForId == mLabeledId);        }    }    private class SendViewStateChangedAccessibilityEvent implements Runnable {        private int mChangeTypes = 0;        private boolean mPosted;        private boolean mPostedWithDelay;        private long mLastEventTimeMillis;        @Override        public void run() {            mPosted = false;            mPostedWithDelay = false;            mLastEventTimeMillis = SystemClock.uptimeMillis();            if (AccessibilityManager.getInstance(mContext).isEnabled()) {                final AccessibilityEvent event = AccessibilityEvent.obtain();                event.setEventType(AccessibilityEvent.TYPE_WINDOW_CONTENT_CHANGED);                event.setContentChangeTypes(mChangeTypes);                sendAccessibilityEventUnchecked(event);            }            mChangeTypes = 0;        }        public void runOrPost(int changeType) {            mChangeTypes |= changeType;            // If this is a live region or the child of a live region, collect            // all events from this frame and send them on the next frame.            if (inLiveRegion()) {                // If we're already posted with a delay, remove that.                if (mPostedWithDelay) {                    removeCallbacks(this);                    mPostedWithDelay = false;                }                // Only post if we're not already posted.                if (!mPosted) {                    post(this);                    mPosted = true;                }                return;            }            if (mPosted) {                return;            }            final long timeSinceLastMillis = SystemClock.uptimeMillis() - mLastEventTimeMillis;            final long minEventIntevalMillis =                    ViewConfiguration.getSendRecurringAccessibilityEventsInterval();            if (timeSinceLastMillis >= minEventIntevalMillis) {                removeCallbacks(this);                run();            } else {                postDelayed(this, minEventIntevalMillis - timeSinceLastMillis);                mPosted = true;                mPostedWithDelay = true;            }        }    }    private boolean inLiveRegion() {        if (getAccessibilityLiveRegion() != View.ACCESSIBILITY_LIVE_REGION_NONE) {            return true;        }        ViewParent parent = getParent();        while (parent instanceof View) {            if (((View) parent).getAccessibilityLiveRegion()                    != View.ACCESSIBILITY_LIVE_REGION_NONE) {                return true;            }            parent = parent.getParent();        }        return false;    }    /**     * Dump all private flags in readable format, useful for documentation and     * sanity checking.     */    private static void dumpFlags() {        final HashMap<String, String> found = Maps.newHashMap();        try {            for (Field field : View.class.getDeclaredFields()) {                final int modifiers = field.getModifiers();                if (Modifier.isStatic(modifiers) && Modifier.isFinal(modifiers)) {                    if (field.getType().equals(int.class)) {                        final int value = field.getInt(null);                        dumpFlag(found, field.getName(), value);                    } else if (field.getType().equals(int[].class)) {                        final int[] values = (int[]) field.get(null);                        for (int i = 0; i < values.length; i++) {                            dumpFlag(found, field.getName() + "[" + i + "]", values[i]);                        }                    }                }            }        } catch (IllegalAccessException e) {            throw new RuntimeException(e);        }        final ArrayList<String> keys = Lists.newArrayList();        keys.addAll(found.keySet());        Collections.sort(keys);        for (String key : keys) {            Log.d(VIEW_LOG_TAG, found.get(key));        }    }    private static void dumpFlag(HashMap<String, String> found, String name, int value) {        // Sort flags by prefix, then by bits, always keeping unique keys        final String bits = String.format("%32s", Integer.toBinaryString(value)).replace('0', ' ');        final int prefix = name.indexOf('_');        final String key = (prefix > 0 ? name.substring(0, prefix) : name) + bits + name;        final String output = bits + " " + name;        found.put(key, output);    }}



0 3
原创粉丝点击