Android advanced View event distribution mechanism and source code detailed explanation

Android advanced View event distribution mechanism and source code detailed explanation

[[418059]]

This article is reprinted from the WeChat public account "Android Development Programming", the author is Android Development Programming. Please contact the Android Development Programming public account for reprinting this article.

Preface

Event distribution is relatively important in Android development, but also relatively difficult to understand;

During development, we often encounter sliding conflicts (such as nesting of ScrollView or SliddingMenu with ListView).

We need to have a deep understanding of the Android event response mechanism to solve it.

The event response mechanism has become essential knowledge for Android developers.

So today we will explain event distribution in detail. Let's learn together.

1. Understanding of view event related knowledge

1. View position parameters

The position of a View is mainly determined by its four vertices, that is, its four attributes: top, left, right, and bottom, which represent the coordinate points of the upper left corner (top, left) and the lower right corner (right, bottom) of the View respectively.

At the same time, we can get the size of the View:

  1. width = right - left
  2. height = bottom - top

These four parameters can be obtained in the following ways:

  1. Left = getLeft();
  2. Right = getRight();
  3. Top = getTop();
  4. Bottom = getBottom();

After Android 3.0, View adds the parameters x, y, translationX and translationY. x and y are the coordinates of the upper left corner of the View, while translationX and translationY are the offsets of the upper left corner of the View relative to the container. The conversion relationship between them is as follows:

  1. x = left + translationX;
  2. y = top + translationY;

2. MotionEvent

Our actions of clicking, sliding, lifting, etc. on the screen are composed of a series of MotionEvent objects. According to different actions, there are mainly three types of events:

  • ACTION_DOWN: This event is generated when your finger just touches the screen and presses down.
  • ACTION_MOVE: This event is generated when the finger moves on the screen
  • ACTION_UP: This event is generated when your finger is released from the screen.

From ACTION_DOWN to ACTION_UP, we call it an event sequence

Under normal circumstances, no matter how much you operate your fingers on the screen, the final result of MotionEvent is nothing more than the following two types;

  • Click and then lift, that is, click operation: ACTION_DOWN -> ACTION_UP
  • After clicking, slide for a distance and then lift up: ACTION_DOWN -> ACTION_MOVE -> ... -> ACTION_MOVE -> ACTION_UP;
  1. public class MotionEventActivity extends BaseActivity {
  2. private Button mButton;
  3. @Override
  4. protected void onCreate(Bundle savedInstanceState) {
  5. super.onCreate(savedInstanceState);
  6. setContentView(R.layout.activity_motion_event);
  7. mButton = (Button) findViewById(R.id.button);
  8. mButton.setOnTouchListener(new View .OnTouchListener() {
  9. @Override
  10. public boolean onTouch( View v, MotionEvent event) {
  11. switch (event.getAction()) {
  12. case MotionEvent.ACTION_DOWN:
  13. e( "MotionEvent: ACTION_DOWN" );
  14. break;
  15. case MotionEvent.ACTION_MOVE:
  16. e( "MotionEvent: ACTION_MOVE" );
  17. break;
  18. case MotionEvent.ACTION_UP:
  19. e( "MotionEvent: ACTION_UP" );
  20. break;
  21. }
  22. return false ;
  23. }
  24. });
  25. }
  26. public void click( View v) {
  27. e( "button clicked" );
  28. }
  29. }

3. Scroller

The elastic sliding object is used to implement the elastic sliding of the View. It cannot make the View slide elastically by itself, and needs to be used in conjunction with the computeScroll method of the View to complete this function. Usage:

  1. Scroller scroller = new Scroller(mContext);
  2. //Slowly move to the specified position
  3. private void smoothScrollTo( int destX, int destY){
  4. int scrollX = getScrollX();
  5. int delta = destX - scrollX;
  6. //Slide to destX within 1000ms, the effect is to slide slowly
  7. mScroller.startScroll(scrollX,0,delta,0,1000);
  8. invalidate();
  9. }
  10. @Override
  11. public void computeScroll() {
  12. if(mScroller.computeScrollOffset()){
  13. scrollTo(mScroller.getCurrX,mScroller.getCurrY());
  14. postInvalidate();
  15. }
  16. }

4. Understanding the methods involved in event distribution

  • dispatchTouchEvent(MotionEvent ev): used to dispatch events. If the event can be passed to the current View, this method will be called.
  • onInterceptTouchEvent(MotionEvent ev): used to determine whether to intercept an event. If the current View intercepts an event, this method will not be called again in the same event sequence.
  • onTouchEvent(MotionEvent ev): used to process touch events. The returned result indicates whether the current event is consumed. If not, the current View cannot receive events again in the same event sequence.
  • onTouch(View view, MotionEvent motionEvent): used to handle touch events, set through setOnTouchListener, a very common method.
  • onClick(View view): used to handle click events, set through setOnClickListener, a very common method.
  • requestDisallowInterceptTouchEvent(boolean b): request not to intercept touch events. Generally used to handle sliding conflicts, the child control requests the parent control not to intercept;
  • Other events except ACTION_DOWN, ACTION_DOWN event is not affected.

2. Event Distribution

When a MotionEvent is generated, that is, when your finger makes a series of movements on the screen, the system needs to distribute this series of MotionEvents to a specific View. We need to focus on understanding the distribution process, so how does the system determine which View to give this event to, that is, how is it distributed?

Event distribution requires three important methods of View to complete together:

1. public boolean dispatchTouchEvent(MotionEvent event)

From the method name, we can easily guess that it is an important method for event dispatching. So obviously, if a MotionEvent is passed to View, the dispatchTouchEvent method will definitely be called!

Return value: Indicates whether the current event is consumed. It may be consumed by the onTouchEvent method of the View itself, or consumed by the dispatchTouchEvent method of the child View. Returning true means that the event is consumed and this event is terminated. Returning false means that neither the View nor the child View consumes the event, and the onTouchEvent method of the parent View will be called;

2. public boolean onInterceptTouchEvent(MotionEvent ev)

Event interception, when a ViewGroup receives a MotionEvent event sequence, it will first call this method to determine whether it needs to be intercepted. Note that this is a method unique to ViewGroup, and View does not have an interception method;

Return value: whether to intercept the event transmission. Returning true means that the event is intercepted, and the event will no longer be distributed downwards but the onTouchEvent method of the View itself will be called. Returning false means that no interception is performed, and the event will be distributed downwards to the dispatchTouchEvent method of the child View.

3. public boolean onTouchEvent(MotionEvent ev)

The actual method for processing or consuming MotionEvent. Called in dispatchTouchEvent;

Return value: Returning true means the event is consumed and the event is terminated. Returning false means the event is not consumed and the onTouchEvent method of the parent View will be called.

The relationship between the above three methods can be expressed by the following pseudo code.

  1. public boolean dispatchTouchEvent(MotionEvent ev) {
  2. boolean consume = false ; //Whether the event is consumed
  3. if (onInterceptTouchEvent(ev)){//Call onInterceptTouchEvent to determine whether to intercept the event
  4. consume = onTouchEvent(ev); //If intercepted, call its own onTouchEvent method
  5. } else {
  6. consume = child.dispatchTouchEvent(ev); //Do not intercept the dispatchTouchEvent method of the child View
  7. }
  8. return consume; //The return value indicates whether the event is consumed, true terminates the event, false calls the onTouchEvent method of the parent View
  9. }

Next, let's take a look at the differences between View and ViewGroup when distributing events.

ViewGroup is a subclass of View, which means that ViewGroup itself is a View, but it can contain child Views (of course, a child View can also be a ViewGroup), so it is not difficult to understand that the pseudo code shown above represents the process of ViewGroup handling event distribution. View itself does not have distribution, so there is no interception method (onInterceptTouchEvent), it can only process consumption or not consumption in the onTouchEvent method.

The following flowchart will help us sort out the event distribution mechanism more clearly.

It can be seen that the event transmission process is from parent View to child View.

The child View can intervene in the event distribution process of the parent View (except ACTION_DOWN events) through the requestDisallowInterceptTouchEvent method, which is the key method we commonly use to deal with sliding conflicts;

For View (note! ViewGroup is also View), if onTouchListener is set, the onTouch method in the OnTouchListener method will be called back. If the onTouch method returns true, the onTouchEvent method will not be called (the onClick event is called in onTouchEvent), so the priority of the three is onTouch->onTouchEvent->onClick;

By default, the onTouchEvent method of View will consume the event (return true), unless it is not clickable (both clickable and longClickable are false). The longClickable of View defaults to false, and clickable needs to be differentiated. For example, the clickable of Button defaults to true, while the clickable of TextView defaults to false.

Here is a summary of the event delivery mechanism:

  • An event sequence starts with a down event, contains an indefinite number of move events, and ends with an up event;
  • Normally, an event sequence can only be intercepted and consumed by one View;
  • After a View intercepts an event, the event sequence can only be handled by it, and its onInterceptTouchEvent will no longer be called;
  • Once a View starts processing an event, if it does not consume the ACTION_DOWN event (onTouchEvnet returns false), then other events in the same event sequence will not be handed over to it for processing, and the event will be handed back to its parent element for processing, that is, the parent element's onTouchEvent is called;.
  • If the View does not consume events other than ACTION_DOWN, then this event will disappear. At this time, the onTouchEvent of the parent element will not be called, and the current View can continue to receive subsequent events. The click event that disappears will eventually be passed to the Activity for processing.
  • ViewGroup does not intercept any events by default;
  • View does not have an onInterceptTouchEvent method. Once the event is passed to it, its onTouchEvent method will be called;
  • By default, the onTouchEvent of a View consumes the event, unless it is not clickable (both clickable and longClickable are false). The longClickable property of a View defaults to false, and the clickable default property is different for different situations (e.g., TextView is false, and button is true);
  • The enable property of View does not affect the default return value of onTouchEvent;
  • The premise for onClick to occur is that the current View is clickable and has received down and up events;
  • The event transmission process is always from outside to inside, that is, the event is always passed to the parent element first, and then distributed to the child View by the parent element. The requestDisallowInterceptTouchEvent method can be used to intervene in the parent element's distribution process in the child element, except for the ACTION_DOWN event;

3. Solutions to sliding conflicts

1. External interception method

The so-called external interception method means that the click event is first intercepted and processed by the parent container. If the parent container needs this event, it will be intercepted, otherwise it will not be intercepted. The following is pseudo code:

  1. public boolean onInterceptTouchEvent (MotionEvent event){
  2. boolean intercepted = false ;
  3. int x = ( int ) event.getX();
  4. int y = ( int ) event.getY();
  5. switch (event.getAction()) {
  6. case MotionEvent.ACTION_DOWN:
  7. intercepted = false ;
  8. break;
  9. case MotionEvent.ACTION_MOVE:
  10. if (parent container needs current event) {
  11. intercepted = true ;
  12. } else {
  13. intercepted = false ;
  14. }
  15. break;
  16. case MotionEvent.ACTION_UP:
  17. intercepted = false ;
  18. break;
  19. default :
  20. break;
  21. }
  22. mLastXIntercept = x;
  23. mLastYIntercept = y;
  24. return intercepted;

For different conflicts, you only need to modify the conditions of the parent container that require the current event. Other conditions do not need to be modified and cannot be modified.

ACTION_DOWN: must return false. If true is returned, subsequent events will be intercepted and cannot be passed to the child View;

ACTION_MOVE: Decide whether to intercept based on the needs;

ACTION_UP: must return false. If intercepted, the child View cannot receive the up event and cannot complete the click operation. If the parent container needs the event, it has been intercepted during ACTION_MOVE. According to conclusion 3 in the previous section, ACTION_UP will not pass through the onInterceptTouchEvent method and will be directly handed over to the parent container for processing;

2. Internal interception method

Internal interception means that the parent container does not intercept any events, and all events are passed to the child element. If the child element needs the event, it will consume it directly, otherwise it will be handled by the parent container. This method is inconsistent with the Android event distribution mechanism and needs to be combined with the requestDisallowInterceptTouchEvent method to work properly. The following is pseudo code:

  1. public boolean dispatchTouchEvent (MotionEvent event) {
  2. int x = ( int ) event.getX();
  3. int y = ( int ) event.getY();
  4. switch (event.getAction) {
  5. case MotionEvent.ACTION_DOWN:
  6. parent.requestDisallowInterceptTouchEvent( true );
  7. break;
  8. case MotionEvent.ACTION_MOVE:
  9. int deltaX = x - mLastX;
  10. int deltaY = y - mLastY;
  11. if (parent container requires this type of click event) {
  12. parent.requestDisallowInterceptTouchEvent( false );
  13. }
  14. break;
  15. case MotionEvent.ACTION_UP:
  16. break;
  17. default :
  18. break;
  19. }
  20. mLastX = x;
  21. mLastY = y;
  22. return super.dispatchTouchEvent(event);
  23. }

In addition to the processing required by the child element, the parent element must also intercept other events except ACTION_DOWN by default, so that when the child element calls the parent.requestDisallowInterceptTouchEvent(false) method, the parent element can continue to intercept the required events. Therefore, the parent element needs to make the following changes:

  1. public boolean onInterceptTouchEvent (MotionEvent event) {
  2. int action = event.getAction();
  3. if( action == MotionEvent.ACTION_DOWN) {
  4. return false ;
  5. } else {
  6. return true ;
  7. }
  8. }

4. Event Distribution Mechanism - Source Code Analysis

Understand the event distribution mechanism under Android from the perspective of source code

1. First, see the source code of the dispatchTouchEvent() method in Activity:

  1. public boolean dispatchTouchEvent(MotionEvent ev) {
  2. // If it is an ACTION_DOWN event, this statement will be executed. The onUserInteraction() method is empty in the system.
  3. if (ev.getAction() == MotionEvent.ACTION_DOWN) {
  4. onUserInteraction();
  5. }
  6. /**
  7. * Mainly look at this line of code
  8. * getWindow() means getting the PhoneWindow object which is a subclass of Window
  9. * That is to say, call the superDispatchTouchEvent(ev) method in PhoneWindow to determine whether there is a control processing the event
  10. */
  11. if (getWindow().superDispatchTouchEvent(ev)) {
  12. return true ;
  13. }
  14. // If no control can handle the event, follow this line of code and call the onTouchEvent() method of the Activity to handle the event
  15. return onTouchEvent(ev);
  16. }

2. Then enter PhoneWindow and check the superDispatchTouchEvent(ev) method:

  1. @Override
  2. public boolean superDispatchTouchEvent(MotionEvent event) {
  3. return mDecor.superDispatchTouchEvent(event);
  4. }

In the superDispatchTouchEvent(ev) method of the PhoneWindow class, the superDispatchTouchEvent(ev) method of the mDecor object is directly called. mDecor is actually an object that inherits from the DecorView of FrameLayout. The source code of the definition of the DecorView class is posted in the blog "Activity Composition".

Next, look at the superDispatchTouchEvent(ev) method in the class:

  1. public boolean superDispatchTouchEvent(MotionEvent event) {
  2. return super.dispatchTouchEvent(event);
  3. }

There is only one line of code, super.dispatchTouchEvent(event), which calls the parent class's dispatchTouchEvent(event) method, which is FrameLayout's dispatchTouchEvent(event) method. If you check the FrameLayout class, you will find that FrameLayout does not override the dispatchTouchEvent(event) method, so it uses the dispatchTouchEvent(event) method in ViewGroup.

This fully explains that when Activity distributes events, it calls the dispatchTouchEvent() method in ViewGroup.

3. Check the dispatchTouchEvent() method in ViewGroup:

  1. @Override
  2. public boolean dispatchTouchEvent(MotionEvent ev) {
  3. ...
  4. boolean handled = false ;
  5. // Filter touch safety policy. If it is false (when the window or control is covered), directly exit the touch event
  6. // Returns True if the event should be dispatched (calling onTouch() or onTouchEvdent() method); returns false if the event should be deleted
  7. if (onFilterTouchEventForSecurity(ev)) {
  8. ...
  9. /**
  10. * If it is a DOWN event, set mFirstTouchTarget to null first.
  11. * Then reset the state in the resetTouchState() method
  12. */
  13. if (actionMasked == MotionEvent.ACTION_DOWN) {
  14. cancelAndClearTouchTargets(ev);
  15. resetTouchState();
  16. }
  17. // Define the variable intercepted to mark whether ViewGroup intercepts the transmission of Touch events.
  18. final boolean intercepted;
  19. // The event is ACTION_DOWN or mFirstTouchTarget is not null (a control consumes touch events)
  20. if (actionMasked == MotionEvent.ACTION_DOWN || mFirstTouchTarget != null ) {
  21. //Judge the disallowIntercept flag
  22. final boolean disallowIntercept = (mGroupFlags & FLAG_DISALLOW_INTERCEPT) != 0;
  23. //When interception is not prohibited
  24. if (!disallowIntercept) {
  25. //Call onInterceptTouchEvent(ev) method and assign the return value to intercepted
  26. intercepted = onInterceptTouchEvent(ev);
  27. ev.setAction( action );
  28. } else {
  29. //When interception is prohibited, specify intercepted = false to indicate that the event will not be intercepted
  30. intercepted = false ;
  31. }
  32. } else {
  33. //When the event is not ACTION_DOWN and mFirstTouchTarget is null (no control consumes touch events)
  34. //Set intercepted = true to indicate that ViewGroup performs Touch event interception operations.
  35. intercepted = true ;
  36. }
  37. ...
  38. // Event distribution
  39. final boolean split = (mGroupFlags & FLAG_SPLIT_MOTION_EVENTS) != 0;
  40. TouchTarget newTouchTarget = null ;
  41. boolean alreadyDispatchedToNewTouchTarget = false ;
  42. //It is not an ACTION_CANCEL event and intercepted is false (ViewGroup does not intercept the event onInterceptTouchEvent() method returns false )
  43. if (!canceled && !intercepted) {
  44. //Handle ACTION_DOWN event
  45. if (actionMasked == MotionEvent.ACTION_DOWN
  46. || (split && actionMasked == MotionEvent.ACTION_POINTER_DOWN)
  47. || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {
  48. final int actionIndex = ev.getActionIndex();
  49. final int idBitsToAssign = split ? 1 << ev.getPointerId(actionIndex):TouchTarget.ALL_POINTER_IDS;
  50. removePointersFromTouchTargets(idBitsToAssign);
  51. final int childrenCount = mChildrenCount;
  52. if (childrenCount != 0) {
  53. // Find the child control based on the Touch coordinates to consume the Touch event
  54. final View [] children = mChildren;
  55. final float x = ev.getX(actionIndex);
  56. final float y = ev.getY(actionIndex);
  57. final boolean customOrder = isChildrenDrawingOrderEnabled();
  58. // Traverse all child controls to determine which one consumes the Touch event
  59. for ( int i = childrenCount - 1; i >= 0; i --) {
  60. final int childIndex = customOrder ? getChildDrawingOrder(childrenCount, i) : i;
  61. final View child = children[childIndex];
  62. if (!canViewReceivePointerEvents(child) || !isTransformedTouchPointInView(x, y, child, null )) {
  63. continue ;
  64. }
  65. newTouchTarget = getTouchTarget(child);
  66. if (newTouchTarget != null ) {
  67. // Find the child control that consumes the Touch event, jump out of the loop, and use newTouchTarget to represent the child control
  68. newTouchTarget.pointerIdBits |= idBitsToAssign;
  69. break;
  70. }
  71. resetCancelNextUpFlag(child);
  72. // Without jumping out of the loop, at this step, the dispatchTransformedTouchEvent() method will be called to pass the event to the child control for recursive processing. The third parameter is not null
  73. if (dispatchTransformedTouchEvent(ev, false , child, idBitsToAssign)) {
  74. ...
  75. }
  76. }
  77. }
  78. /**
  79. * If there is no child control consuming the event in the loop and the previous mFirstTouchTarget is not empty
  80. */
  81. if (newTouchTarget == null && mFirstTouchTarget != null ) {
  82. // Assign mFirstTouchTarget to newTouchTarget
  83. newTouchTarget = mFirstTouchTarget;
  84. while (newTouchTarget. next != null ) {
  85. newTouchTarget = newTouchTarget.next ;
  86. }
  87. // newTouchTarget points to the original TouchTarget
  88. newTouchTarget.pointerIdBits |= idBitsToAssign;
  89. }
  90. }
  91. }
  92. /**
  93. * Distribute Touch events to the target control (target). The above process is mainly for ACTION_DOWN.
  94. * If not (judged in the previous step), such as ACTION_MOVE and ACTION_UP, execution starts from here
  95. */
  96. if (mFirstTouchTarget == null ) {
  97. /**
  98. * mFirstTouchTarget is null , which means the Touch event has not been consumed or has been intercepted.
  99. * Call the dispatchTransformedTouchEvent() method of ViewGroup, recursively process, and the third parameter is null
  100. */
  101. handled = dispatchTransformedTouchEvent(ev, canceled, null ,TouchTarget.ALL_POINTER_IDS);
  102. } else {
  103. /**
  104. * mFirstTouchTarget is not null , indicating that a child View that can consume Touch events has been found
  105. * And the MOVE or UP event can be passed to the child View
  106. */
  107. TouchTarget predecessor = null ;
  108. // Assign the found mFirstTouchTarget that can consume events to the target control (target)
  109. TouchTarget target = mFirstTouchTarget;
  110. while (target != null ) {
  111. final TouchTarget next = target. next ;
  112. // If it has been distributed to a new control and the target control of the consumption event is the new control
  113. if (alreadyDispatchedToNewTouchTarget && target == newTouchTarget) {
  114. handled = true ;
  115. } else {
  116. final boolean cancelChild = resetCancelNextUpFlag(target.child) || intercepted;
  117. // Otherwise, call the dispatchTransformedTouchEvent() method for recursive processing, and the third parameter is not null
  118. if (dispatchTransformedTouchEvent(ev, cancelChild, target.child, target.pointerIdBits)) {
  119. handled = true ;
  120. }
  121. ...
  122. }
  123. predecessor = target;
  124. target = next ;
  125. }
  126. }
  127. /**
  128. * If it is ACTION_UP and ACTION_CANCEL events, restore the state
  129. */
  130. if (canceled|| actionMasked == MotionEvent.ACTION_UP
  131. || actionMasked == MotionEvent.ACTION_HOVER_MOVE) {
  132. resetTouchState();
  133. } else if (split && actionMasked == MotionEvent.ACTION_POINTER_UP) {
  134. ...
  135. }
  136. }
  137. ...
  138. return handled;
  139. }

We can see that in the above method, onInterceptTouchEvent() is called to determine whether the event needs to be intercepted.

Check out the dispatchTransformedTouchEvent() method in ViewGroup:

  1. private boolean dispatchTransformedTouchEvent(MotionEvent event, boolean cancel,
  2. View child, int desiredPointerIdBits) {
  3. final boolean handled;
  4. ...
  5. if (child == null ) {
  6. // If the child control is empty, call the View 's dispatchTouchEvent() method, and the onTouchEvent() method will be called in the View 's dispatchTouchEvent() method
  7. handled = super.dispatchTouchEvent(event);
  8. } else {
  9. // If the child control is not empty, call the dispatchTouchEvent() method of the child control
  10. // Here the child control may also be a ViewGroup, so just continue to call the dispatchTouchEvent() method of ViewGroup
  11. handled = child.dispatchTouchEvent(event);
  12. }
  13. event.setAction(oldAction);
  14. return handled;
  15. }
  16. ...
  17. transformedEvent.recycle();
  18. return handled;
  19. }
  20. Check the onInterceptTouchEvent() method in ViewGroup:
  21. public boolean onInterceptTouchEvent(MotionEvent ev) {
  22. return false ;
  23. }

In ViewGroup, the onTouchEvent() method is not overridden, so the onTouchEvent() method in View is called.

4. In the View class, first look at the dispatchTouchEvent() method in View:

  1. public boolean dispatchTouchEvent(MotionEvent event) {
  2. // If the event should be handled by accessibility focus first .
  3. if (event.isTargetAccessibilityFocus()) {
  4. // We don't have focus or no virtual descendant has it, do not handle the event.
  5. if (!isAccessibilityFocusedViewOrHost()) {
  6. return false ;
  7. }
  8. // We have focus and got the event, then use normal event dispatch.
  9. event.setTargetAccessibilityFocus( false );
  10. }
  11. boolean result = false ;
  12. if (mInputEventConsistencyVerifier != null ) {
  13. mInputEventConsistencyVerifier.onTouchEvent(event, 0);
  14. }
  15. // If it is a DOWN event, reset the state
  16. final int actionMasked = event.getActionMasked();
  17. if (actionMasked == MotionEvent.ACTION_DOWN) {
  18. stopNestedScroll();
  19. }
  20. // Filter touch safety policy. If it is false (when the window or control is covered), directly exit the touch event
  21. // Returns True if the event should be dispatched (calling onTouch() or onTouchEvdent() method); returns false if the event should be deleted
  22. if (onFilterTouchEventForSecurity(event)) {
  23. ListenerInfo li = mListenerInfo;
  24. if (li != null && li.mOnTouchListener != null
  25. && (mViewFlags & ENABLED_MASK) == ENABLED
  26. && li.mOnTouchListener.onTouch(this, event)) {
  27. // If the current control is enabled and the View calls the setOnTouchListener() method and returns true , then set result to true
  28. result = true ;
  29. }
  30. // result is false , indicating that the setOnTouchListener() method has not been called or the method returns false , then call
  31. // View 's onTouchEvent() method
  32. if (!result && onTouchEvent(event)) {
  33. result = true ;
  34. }
  35. }
  36. if (!result && mInputEventConsistencyVerifier != null ) {
  37. mInputEventConsistencyVerifier.onUnhandledEvent(event, 0);
  38. }
  39. // If it is an UP event, CANCEL event, or DOWN event but the control cannot consume the event, reset the state
  40. if (actionMasked == MotionEvent.ACTION_UP ||
  41. actionMasked == MotionEvent.ACTION_CANCEL ||
  42. (actionMasked == MotionEvent.ACTION_DOWN && !result)) {
  43. stopNestedScroll();
  44. }
  45. return result;
  46. }

Finally, check the onTouchEvent() method of View:

  1. public boolean onTouchEvent(MotionEvent event) {
  2. final float x = event.getX();
  3. final float y = event.getY();
  4. final int viewFlags = mViewFlags;
  5. final int action = event.getAction();
  6. // Determine whether there is a single click or long press event
  7. final boolean clickable = ((viewFlags & CLICKABLE) == CLICKABLE
  8. || (viewFlags & LONG_CLICKABLE) == LONG_CLICKABLE)
  9. || (viewFlags & CONTEXT_CLICKABLE) == CONTEXT_CLICKABLE;
  10. if ((viewFlags & ENABLED_MASK) == DISABLED) {
  11. if ( action == MotionEvent.ACTION_UP && (mPrivateFlags & PFLAG_PRESSED) != 0) {
  12. setPressed( false );
  13. }
  14. mPrivateFlags3 &= ~PFLAG3_FINGER_DOWN;
  15. // The control is disabled. It can still consume touch events, but it will not respond to them.
  16. return clickable;
  17. }
  18. // If there is a proxy, call the proxy method
  19. if (mTouchDelegate != null ) {
  20. if (mTouchDelegate.onTouchEvent(event)) {
  21. return true ;
  22. }
  23. }
  24. // Specific processing of click events. As long as there is a click event, the onTouchEvent() method returns true
  25. if (clickable || (viewFlags & TOOLTIP) == TOOLTIP) {
  26. switch ( action ) {
  27. case MotionEvent.ACTION_UP:
  28. // ...
  29. // mHasPerformedLongPress indicates the return value of the long press event. If the callback method of the long press event returns true , then the click event will not be called in the same event sequence (otherwise it will respond to both the long press event and the click event)
  30. if (!mHasPerformedLongPress && !mIgnoreNextUpEvent) {
  31. // This is a tap, so remove the longpress check
  32. removeLongPressCallback();
  33. // Only perform take click actions if we were in the pressed state
  34. if (!focusTaken) {
  35. // Use a Runnable and post this rather than calling
  36. // performClick directly. This lets other visual state
  37. // of the view update before click actions start.
  38. if (mPerformClick == null ) {
  39. mPerformClick = new PerformClick();
  40. }
  41. if (!post(mPerformClick)) {
  42. performClickInternal(); // will call the performClick() method to handle the click event
  43. }
  44. }
  45. }
  46. if (mUnsetPressedState == null ) {
  47. mUnsetPressedState = new UnsetPressedState();
  48. }
  49. if (prepressed) {
  50. postDelayed(mUnsetPressedState,
  51. ViewConfiguration.getPressedStateDuration());
  52. } else if (!post(mUnsetPressedState)) {
  53. // If the post failed, unpress right now
  54. mUnsetPressedState.run();
  55. }
  56. removeTapCallback();
  57. }
  58. mIgnoreNextUpEvent = false ;
  59. break;
  60. case MotionEvent.ACTION_DOWN:
  61. if (event.getSource() == InputDevice.SOURCE_TOUCHSCREEN) {
  62. mPrivateFlags3 |= PFLAG3_FINGER_DOWN;
  63. }
  64. mHasPerformedLongPress = false ;
  65. if (!clickable) {
  66. checkForLongClick(0, x, y);
  67. break;
  68. }
  69. if (performButtonActionOnTouchDown(event)) {
  70. break;
  71. }
  72. // Walk up the hierarchy to determine if we're inside a scrolling container.
  73. boolean isInScrollingContainer = isInScrollingContainer();
  74. // Depending on whether it is in the scroll container, use different methods to call the callback of the long press event
  75. if (isInScrollingContainer) {
  76. mPrivateFlags |= PFLAG_PREPRESSED;
  77. if (mPendingCheckForTap == null ) {
  78. mPendingCheckForTap = new CheckForTap(); // Finally call the long press event callback
  79. }
  80. mPendingCheckForTap.x = event.getX();
  81. mPendingCheckForTap.y = event.getY();
  82. postDelayed(mPendingCheckForTap, ViewConfiguration.getTapTimeout());
  83. } else {
  84. // Not inside a scrolling container, so show the feedback right away
  85. setPressed( true , x, y);
  86. checkForLongClick(0, x, y); // Finally call the long press event callback
  87. }
  88. break;
  89. case MotionEvent.ACTION_CANCEL:
  90. // ...
  91. break;
  92. }
  93. // As long as there is a click event, the onTouchEvent() method returns true
  94. return true ;
  95. }
  96. return false ;
  97. }

From the above code, as long as one of the View's CLICLABLE and LONG_CLICKABLE is true, the onTouchEvent() method will return true, regardless of whether the View is in DISABLE state, otherwise it returns false. True means that the control can consume events, and false means that the control cannot consume events. Now, looking back at the first picture, is it clearer?

5. Finally, for the default values ​​of CLICKABLE and LONG_CLICKABLE of View, the default value of LONG_CLICKABLE is false, but for CLICKABLE, it depends on the specific View. To be precise, the CLICKABLE value of a clickable View is true, such as Button, and the CLICKABLE value of a non-clickable View is false, such as TextView. However, when we call the setOnClickListener(@Nullable OnClickListener l) method or the setOnLongClickListener(@Nullable OnLongClickListener l) method of View, the corresponding value will be changed to true.

  1. public void setOnClickListener(@Nullable OnClickListener l) {
  2. if (!isClickable()) {
  3. setClickable( true );
  4. }
  5. getListenerInfo().mOnClickListener = l;
  6. }
  7. public void setOnLongClickListener(@Nullable OnLongClickListener l) {
  8. if (!isLongClickable()) {
  9. setLongClickable( true );
  10. }
  11. getListenerInfo().mOnLongClickListener = l;
  12. }

Summarize

  • For the disatchTouchEvent() and onTouchEvent() methods of ViewGroup and View, return true means processing the event and the event ends; return false means not processing the event and letting the event pass back to the onTouchEvent() method of the upper layer, that is, the onTouchEvent() method in the parent control;
  • For the disatchTouchEvent() method of Activity, if it is not overridden, it will start distributing events by calling the disatchTouchEvent() method of ViewGroup. If it is overridden, the event will be consumed regardless of whether it returns true or false, and the event will not be distributed downward;
  • For the dispatchTouchEvent() method, if the developer does not rewrite it, the default implementation in the system will be used. In ViewGroup, the onInterceptTouchEvent() method of ViewGroup will be called, and in View, the event will be directly dispatched to the onTouchEvent() method of View for processing;
  • For ViewGroup, if ViewGroup wants to handle events by itself, it needs to override the onInterceptTouchEvent() method and return true, so as to terminate the event transmission and call the onTouchEvent() method of ViewGroup to handle the event. Otherwise, the system onInterceptTouchEvent() method is called, and the system default return value is false, and the event is not processed and passed on.
  • For View, there is no onInterceptTouchEvent() method in View, because it has no child controls and does not need to be intercepted. The system will dispatch the event to the onTouchEvent() method of View by default in the dispatchTouchEvent() method;
  • In Android, the first to get the event is the Activity, and then the Activity's dispatchTouchEvent() method starts to distribute the event;
  • If an event is sent from the Activity, but all controls do not handle the event, it will eventually return to the onTouchEvent() method of the Activity. If the Activity does not consume the event, the event will be lost.

<<:  WeChat opens these 3 settings to improve fluency and security, and the elderly also need to learn

>>:  Of the six mobile phone features that have disappeared over the years, which one do you miss the most?

Recommend

How much does it cost to develop a home furnishing mini program in Chenzhou?

In order to better penetrate into various industr...

Common problems and optimization strategies for mobile networks

When we start to pay attention to the user experi...

Baidu bidding promotion optimization strategy

As the market and epidemic continue to change, ma...

Cheese rhythm Han Yu short-term gold mining compulsory course

Cheese Rhythm Han Yu Short-term Gold Digging Comp...

Little dirty! How to make APP operation and promotion "hard" and "soft"

APP operation and promotion , to put it simply an...

The battle for supremacy between Tencent and Alibaba—where has Baidu gone?

[[139349]] In 2015, the Chinese stock market was ...

Zebra AI: APP competitive product analysis!

2020 was an extraordinary year. The arrival of th...

Rexxar: Douban's thoughts on hybrid development

Some time ago, Douban open-sourced its hybrid dev...

ASO Optimization: How to optimize the Android App Market?

How to optimize gaming apps and how to promote th...

Screenshots and introductions of Apple Watch built-in apps and third-party apps

Apple Watch excels at quick check of information ...

8 App Rapid Development Tools That Developers Must Know

"I have a great idea, all I need is a CTO......