UNPKG

playcanvas

Version:

PlayCanvas WebGL game engine

91 lines (89 loc) 3.06 kB
/** * @import { TouchDevice } from './touch-device.js' */ /** * This function takes a browser Touch object and returns the coordinates of the touch relative to * the target DOM element. * * @param {globalThis.Touch} touch - The browser Touch object. * @returns {object} The coordinates of the touch relative to the touch.target DOM element. In the * format \{x, y\}. * @category Input */ function getTouchTargetCoords(touch) { let totalOffsetX = 0; let totalOffsetY = 0; let target = touch.target; while(!(target instanceof HTMLElement) && target){ target = target.parentNode; } while(target){ totalOffsetX += target.offsetLeft - target.scrollLeft; totalOffsetY += target.offsetTop - target.scrollTop; target = target.offsetParent; } return { x: touch.pageX - totalOffsetX, y: touch.pageY - totalOffsetY }; } /** * A instance of a single point touch on a {@link TouchDevice}. * * @category Input */ class Touch { /** * Create a new Touch object from the browser Touch. * * @param {globalThis.Touch} touch - The browser Touch object. */ constructor(touch){ const coords = getTouchTargetCoords(touch); this.id = touch.identifier; this.x = coords.x; this.y = coords.y; this.target = touch.target; this.touch = touch; } } /** * The TouchEvent object is passed into all event handlers registered on the {@link TouchDevice}. * The events are: * * - {@link TouchDevice.EVENT_TOUCHSTART} * - {@link TouchDevice.EVENT_TOUCHEND} * - {@link TouchDevice.EVENT_TOUCHMOVE} * - {@link TouchDevice.EVENT_TOUCHCANCEL} * * @category Input */ class TouchEvent { /** * Create a new TouchEvent instance. It is created from an existing browser event. * * @param {TouchDevice} device - The source device of the touch events. * @param {globalThis.TouchEvent} event - The original browser TouchEvent. */ constructor(device, event){ /** * A list of all touches currently in contact with the device. * * @type {Touch[]} */ this.touches = []; /** * A list of touches that have changed since the last event. * * @type {Touch[]} */ this.changedTouches = []; this.element = event.target; this.event = event; this.touches = Array.from(event.touches).map((touch)=>new Touch(touch)); this.changedTouches = Array.from(event.changedTouches).map((touch)=>new Touch(touch)); } /** * Get an event from one of the touch lists by the id. It is useful to access touches by their * id so that you can be sure you are referencing the same touch. * * @param {number} id - The identifier of the touch. * @param {Touch[]} list - An array of touches to search. * @returns {Touch|null} The {@link Touch} object or null. */ getTouchById(id, list) { return list.find((touch)=>touch.id === id) || null; } } export { Touch, TouchEvent, getTouchTargetCoords };