HTML5 gesture detection principle and implementation

HTML5 gesture detection principle and implementation

Preface

With the richness of hybrid applications, HTML5 engineers are no longer satisfied with simply porting the desktop experience to the mobile terminal. They covet the humanized operation experience of mobile native applications, especially the rich gesture system that native applications are born with. HTML5 does not provide an out-of-the-box gesture system, but it provides a more basic monitoring of touch events. Based on this, we can make our own gesture library.

gesture

Commonly used HTML5 gestures can be divided into two categories, single-point gestures and two-point gestures. Single-point gestures include tap, double tap, long tap, swipe, and move. Two-point gestures include pinch and rotate.

Next, we will implement a javascript library to detect these gestures and use this gesture library to create cool interactive effects.

move

We will not go into details about mobile gesture detection here. To sum up, every time a touchmove event occurs, the coordinate positions between the two displacement points are subtracted.

Click (tap)

The key to gesture detection is to decompose gestures using three events: touchstart, touchmove, and touchend.

So how do you decompose the click event?

  • When touchstart occurs, single-touch detection is performed with only one contact point, because single-touch events are limited to the movement of one finger.
  • No touchmove event occurs or touchmove is in a very small range (as shown below). Limiting touchmove to a very small range is to give users a certain amount of redundant space, because there is no guarantee that the user's finger will not move slightly when touching the screen.

  • touchend occurs within a short time after touchstart (as shown below). The threshold of this time period is in milliseconds, which is used to limit the time the finger is in contact with the screen. This is because a click event starts and ends very quickly.

With the above process, you can start to implement tap event monitoring.

  1. _getTime() {  
  2. return new Date ().getTime();  
  3. }  
  4. _onTouchStart(e) {  
  5. //Record the position where touch starts  
  6. this.startX = e.touches[0].pageX;  
  7. this.startY = e.touches[0].pageY;  
  8. if(e.touches.length > 1) {  
  9. //Multi-point monitoring  
  10. ...  
  11. } else {  
  12. //Record the time when touch started  
  13. this.startTime = this._getTime();  
  14. }  
  15. }
  16.   _onTouchMove(e) {  
  17. ...  
  18. //Record the position of finger movement  
  19. this.moveX = e.touches[0].pageX;  
  20. this.moveY = e.touches[0].pageY;  
  21. ...  
  22. }  
  23. _onTouchEnd(e) {  
  24. let timestamp = this._getTime();  
  25. if(this.moveX !== null && Math. abs (this.moveX - this.startX) > 10 ||  
  26. this.moveY !== null && Math. abs (this.moveY - this.startY) > 10) {  
  27. ...  
  28. } else {  
  29. //The displacement of the finger should be less than 10 pixels and the contact time between the finger and the screen should be less than 500 milliseconds  
  30. if( timestamp - this.startTime < 500) {  
  31. this._emitEvent( 'onTap' )  
  32. }
  33. }
  34. }

Double tap

Like single click, double click event also requires us to quantify and decompose the gesture.

  • A double-click event is an action of one finger. So during touchstart, we need to determine how many contact points there are on the screen.
  • A double-click event contains two independent clicks. Ideally, the two clicks should fall on the same point on the screen. In order to give users some redundant space, the distance between the coordinate points of the two clicks is limited to 10 pixels.

  • The essence of a double-click event is two quick clicks. In other words, the time interval between the two clicks is very short. After some test quantification, we set the time interval between the two clicks to 300 milliseconds.

Note that in the double-click event we detect the displacement and time interval between two adjacent touchstart events.

  1. _onTouchStart(e) {  
  2. if(e.touches.length > 1) {  
  3. ...  
  4. } else {  
  5. if(this.previousTouchPoint) {  
  6. //The distance between two adjacent touchstarts should be less than 10, and the time interval should be less than 300ms  
  7. if( Math. abs (this.startX -this.previousTouchPoint.startX) < 10 &&  
  8. Math. abs (this.startY - this.previousTouchPoint.startY) < 10 &&  
  9. Math. abs (this.startTime - this.previousTouchTime) < 300) {  
  10. this._emitEvent( 'onDoubleTap' );  
  11. }  
  12. }
  13.   //Save the time and location information of the last touchstart  
  14. this.previousTouchTime = this.startTime;  
  15. this.previousTouchPoint = {  
  16. startX : this.startX,  
  17. startY : this.startY  
  18. };
  19.   }  
  20. }

Long press

Long press is probably the easiest gesture to decompose. We can decompose it like this: if no touchmove or touchend event occurs for a long period of time after touchstart occurs, then a long press gesture is triggered.

Long press is a one-finger action that requires detecting whether there is only one contact point on the screen.

If the finger moves in space, the long press event is canceled.

If the finger stays on the screen for more than 800ms, a long press gesture is triggered.

If the finger stays on the screen for less than 800ms, that is, touchend is triggered within 800ms after touchstart occurs, the long press event is canceled.

  1. _onTouchStart(e) {  
  2. clearTimeout(this.longPressTimeout);  
  3. if(e.touches.length > 1) {  
  4. } else {  
  5. this.longPressTimeout = setTimeout(()=>{  
  6. this._emitEvent( 'onLongPress' );  
  7. });  
  8. }  
  9. }  
  10. _onTouchMove(e) {  
  11. ...  
  12. clearTimeout(this.longPressTimeout);  
  13. ...
  14.   }  
  15. _onTouchEnd(e) {  
  16. ...  
  17. clearTimeout(this.longPressTimeout);  
  18. ...  
  19. }

Pinch

Zooming is a very interesting gesture. Do you still remember the shock brought by pinching to zoom pictures on the first generation iPhone? Even so, the detection of zooming gesture is relatively simple.

Zooming is a two-finger behavior and requires detecting whether there are two contact points on the screen.

The quantification of the scaling ratio is obtained by the ratio of the distances between two scaling actions, as shown in the following figure.

So the core of scaling is to get the straight-line distance between two contact points.

  1. //Pythagorean theorem  
  2. _getDistance(xLen,yLen) {  
  3. return Math.sqrt(xLen * xLen + yLen * yLen);  
  4. }

Here xLen is the absolute value of the difference in x coordinates of the two contact points, and yLen is the absolute value of the difference in y coordinates.

  1. _onTouchStart(e) {  
  2. if(e.touches.length > 1) {  
  3. let point1 = e.touches[0];  
  4. let point2 = e.touches[1];  
  5. let xLen = Math. abs (point2.pageX - point1.pageX);  
  6. let yLen = Math. abs (point2.pageY - point1.pageY);  
  7. this.touchDistance = this._getDistance(xLen, yLen);
  8.   } else {  
  9. ...  
  10. }
  11.   }

In the _onTouchStart function, get and save the distance between the two contact points when touchstart occurs.

  1. _onTouchMove(e) {  
  2. if(e.touches.length > 1) {  
  3. let xLen = Math. abs (e.touches[0].pageX - e.touches[1].pageX);  
  4. let yLen = Math. abs (e.touches[1].pageY - e.touches[1].pageY);
  5.   let touchDistance = this._getDistance(xLen,yLen);  
  6. if(this.touchDistance) {  
  7. let pinchScale = touchDistance / this.touchDistance;
  8.   this._emitEvent( 'onPinch' ,{scale:pinchScale - this.previousPinchScale});  
  9. this.previousPinchScale = pinchScale;  
  10. }
  11.   } else {  
  12. ...  
  13. }  
  14. }

Rotate

The rotation gesture needs to detect two important values: the rotation angle and the rotation direction (clockwise or counterclockwise).

The calculation of the rotation angle and direction needs to be obtained through vector calculation, which will not be expanded in this article.

First, you need to get the rotation direction and angle of the vector.

  1. //These two methods belong to vector calculation. For the specific principles, please read the references of this article***  
  2. _getRotateDirection(vector1,vector2) {
  3.   return vector1.x * vector2.y - vector2.x * vector1.y;  
  4. }  
  5. _getRotateAngle(vector1,vector2) {  
  6. let direction = this._getRotateDirection(vector1,vector2);  
  7. direction = direction > 0 ? -1 : 1;  
  8. let len1 = this._getDistance(vector1.x,vector1.y);  
  9. let len2 = this._getDistance(vector2.x,vector2.y);  
  10. let mr = len1 * len2;  
  11. if(mr === 0) return 0;  
  12. let dot = vector1.x * vector2.x + vector1.y * vector2.y;  
  13. let r = dot / mr;  
  14. if(r > 1) r = 1;  
  15. if(r < -1) r = -1;  
  16. return Math.acos(r) * direction * 180 / Math.PI;  
  17. }

Then, when the finger moves, we call the method to obtain the rotation direction and angle.

  1. _onTouchStart(e) {  
  2. ...  
  3. if(e.touches.length > 1) {  
  4. this.touchVector = {  
  5. x: point2.pageX - this.startX,  
  6. y: point2.pageY - this.startY  
  7. };  
  8. }  
  9. ...  
  10. }  
  11. _onTouchMove(e) {  
  12. ...  
  13. if(this.touchVector) {  
  14. let vector = {  
  15. x: e.touches[1].pageX - e.touches[0].pageX,
  16.   y: e.touches[1].pageY - e.touches[0].pageY  
  17. };  
  18. let angle = this._getRotateAngle(vector,this.touchVector);  
  19. this._emitEvent( 'onRotate' ,{  
  20. angle  
  21. });  
  22. this.touchVector.x = vector.x;  
  23. this.touchVector.y = vector.y;  
  24. }
  25.   ...  
  26. }

Actual Combat

Well, our gesture system is now complete. Next, we need to test whether this system is reliable in actual combat and make a simple image browser that supports image zooming, rotation, movement, and long pressing.

First, make a good DOM plan. Just like "before", our event monitoring mechanism does not act directly on the image, but on the parent element of the image.

Then, you can start using the gesture detection system above.

  1. render() {  
  2. return (  
  3. <Gestures onPinch={this.onPinch} onMove={this.onMove} onRotate={this.onRotate} onDoubleTap={this.onDoubleTap} onLongPress={this.onLongPress}>
  4.   <div className= "wrapper" >
  5.   ![](http://upload-images.jianshu.io/upload_images/2362670-f8b44d4b9101e8d6.jpg?imageMogr2/auto-orient/strip%7CimageView2/2/w/1240)
  6. </div>
  7. </Gestures>
  8. );  
  9. }

Because our gesture system detects increments, we cannot directly apply the increments to the object, but need to accumulate these increments. Take rotation as an example:

  1. onRotate(event) {  
  2. //Accumulate the increment  
  3. this.angle += event.angle  
  4. this.setState({  
  5. angle:this.angle  
  6. });  
  7. }

At this point, our gesture detection is complete.

<<:  You can also play like this: Check out Siri's 12 new features in iOS 11

>>:  How to solve the multi-body problem in deep learning

Recommend

Bao Juncheng: ATA All-round Literacy - Reading Chinese Stories (A)

A unique learning dimension: explaining Chinese s...

Methodology: Use the idea of ​​creating a "hot product" to operate content

When doing content operations , most people hope ...

A 35-year-old programmer can’t go home

Xi'erqi is the place with the highest proport...

4 modules teach you how to use marketing thinking to seduce girls

"I will be 27 after this birthday. I will ch...

How to run a community well?

In recent years, the concept of community operati...

ASO optimization tool is a data-based operation and promotion method!

The Weituo ASO optimization platform has recently...

Efficient debugging of iOS

Bugs are inevitable when writing code. Having som...

Young people, have you watched the "News Broadcast"? This is an awesome IP!

Judging from the major trends this year, one phen...

Zhang Ce: The Making of a Short Video Director, Short Video Creation Course

It’s simple and easy to understand, and you can t...

10 Tips to Speed ​​Up Table Views Development

[[142625]] Before we get started, I'd like to...

Analysis of Taobao APP user system operation

This article attempts to be a systematic design g...

Baidu bidding hosting optimization service standards!

The market for Baidu's bidding promotion is v...

Overall trends in the tourism industry and advertising optimization strategies

When promoting the tourism industry, we often see...