Research
Security News
Malicious npm Package Targets Solana Developers and Hijacks Funds
A malicious npm package targets Solana developers, rerouting funds in 2% of transactions to a hardcoded address.
react-swipeable
Advanced tools
The react-swipeable package is a React component that provides easy-to-use swipe event handlers for touch devices. It allows developers to add swipe functionality to their React components, making it ideal for creating touch-friendly user interfaces.
Basic Swipe Detection
This code demonstrates how to use the react-swipeable package to detect basic swipe events. The `useSwipeable` hook is used to create swipe handlers, which are then applied to a div element. When a swipe is detected, a message is logged to the console.
import React from 'react';
import { useSwipeable } from 'react-swipeable';
const SwipeComponent = () => {
const handlers = useSwipeable({
onSwiped: (eventData) => console.log('User Swiped!', eventData)
});
return (
<div {...handlers} style={{ width: '100%', height: '100px', background: 'lightgray' }}>
Swipe here
</div>
);
};
export default SwipeComponent;
Swipe Direction Detection
This code demonstrates how to detect the direction of a swipe using the react-swipeable package. The `useSwipeable` hook is configured with handlers for each swipe direction (left, right, up, down), and logs a message to the console when a swipe in that direction is detected.
import React from 'react';
import { useSwipeable } from 'react-swipeable';
const SwipeDirectionComponent = () => {
const handlers = useSwipeable({
onSwipedLeft: () => console.log('Swiped Left!'),
onSwipedRight: () => console.log('Swiped Right!'),
onSwipedUp: () => console.log('Swiped Up!'),
onSwipedDown: () => console.log('Swiped Down!')
});
return (
<div {...handlers} style={{ width: '100%', height: '100px', background: 'lightblue' }}>
Swipe in any direction
</div>
);
};
export default SwipeDirectionComponent;
Swipe Threshold Configuration
This code demonstrates how to configure a swipe threshold using the react-swipeable package. The `useSwipeable` hook is configured with a `delta` value, which sets the minimum distance (in pixels) that a swipe must cover to be detected.
import React from 'react';
import { useSwipeable } from 'react-swipeable';
const SwipeThresholdComponent = () => {
const handlers = useSwipeable({
onSwiped: (eventData) => console.log('User Swiped!', eventData),
delta: 50 // Minimum distance (in pixels) for a swipe to be detected
});
return (
<div {...handlers} style={{ width: '100%', height: '100px', background: 'lightgreen' }}>
Swipe with a minimum threshold
</div>
);
};
export default SwipeThresholdComponent;
The react-swipe package provides a React component for touch slide navigation. It is similar to react-swipeable in that it allows for swipe detection, but it is more focused on creating swipeable carousels and sliders. It offers a higher-level abstraction compared to react-swipeable.
The react-use-gesture package is a set of hooks for handling gestures in React. It supports a wide range of gestures, including swipes, pinches, and scrolls. Compared to react-swipeable, react-use-gesture offers more comprehensive gesture support and can be used for more complex interactions.
The react-swipeable-views package is a React component for creating swipeable views, such as tabs or carousels. It is similar to react-swipeable in that it provides swipe detection, but it is specifically designed for creating swipeable view containers. It offers built-in support for animations and transitions.
React swipe event handler hook
Use the hook and set your swipe(d) handlers.
const handlers = useSwipeable({
onSwiped: (eventData) => console.log("User Swiped!", eventData),
...config,
});
return <div {...handlers}> You can swipe here </div>;
Spread handlers
onto the element you wish to track swipes on.
{
onSwiped, // After any swipe (SwipeEventData) => void
onSwipedLeft, // After LEFT swipe (SwipeEventData) => void
onSwipedRight, // After RIGHT swipe (SwipeEventData) => void
onSwipedUp, // After UP swipe (SwipeEventData) => void
onSwipedDown, // After DOWN swipe (SwipeEventData) => void
onSwipeStart, // Start of swipe (SwipeEventData) => void *see details*
onSwiping, // During swiping (SwipeEventData) => void
onTap, // After a tap ({ event }) => void
// Pass through callbacks, event provided: ({ event }) => void
onTouchStartOrOnMouseDown, // Called for `touchstart` and `mousedown`
onTouchEndOrOnMouseUp, // Called for `touchend` and `mouseup`
}
onSwipeStart
- called only once per swipe at the start and before the first onSwiping
callback
first
property of the SwipeEventData
will be true
{
delta: 10, // min distance(px) before a swipe starts. *See Notes*
preventScrollOnSwipe: false, // prevents scroll during swipe (*See Details*)
trackTouch: true, // track touch input
trackMouse: false, // track mouse input
rotationAngle: 0, // set a rotation angle
swipeDuration: Infinity, // allowable duration of a swipe (ms). *See Notes*
touchEventOptions: { passive: true }, // options for touch listeners (*See Details*)
}
delta
can be either a number
or an object
specifying different deltas for each direction, [left
, right
, up
, down
], direction values are optional and will default to 10
;
{
delta: { up: 20, down: 20 } // up and down ">= 20", left and right default to ">= 10"
}
A swipe lasting more than swipeDuration
, in milliseconds, will not be considered a swipe.
Infinity
for backwards compatibility, a sensible duration could be something like 250
use-gesture
swipe.duration{
swipeDuration: 250 // only swipes under 250ms will trigger callbacks
}
Allows the user to set the options for the touch event listeners( currently only passive
option ).
touchstart
, touchmove
, and touchend
event listeners{ passive: true }
preventScrollOnSwipe
option supersedes touchEventOptions.passive
for touchmove
event listener
preventScrollOnSwipe
for more detailsAll Event Handlers are called with the below event data, SwipeEventData
.
{
event, // source event
initial, // initial swipe [x,y]
first, // true for the first event of a tracked swipe
deltaX, // x offset (current.x - initial.x)
deltaY, // y offset (current.y - initial.y)
absX, // absolute deltaX
absY, // absolute deltaY
velocity, // √(absX^2 + absY^2) / time - "absolute velocity" (speed)
vxvy, // [ deltaX/time, deltaY/time] - velocity per axis
dir, // direction of swipe (Left|Right|Up|Down)
}
None of the props/config options are required.
handlers
are currently ref
and onMouseDown
handlers
as the props contained in it could change as react changes event listening capabilitiespreventScrollOnSwipe
detailsThis prop prevents scroll during swipe in most cases. Use this to stop scrolling in the browser while a user swipes.
Swipeable will call e.preventDefault()
internally in an attempt to stop the browser's touchmove event default action (mostly scrolling).
NOTE: preventScrollOnSwipe
option supersedes touchEventOptions.passive
for the touchmove
event listener
Example scenario:
If a user is swiping right with props
{ onSwipedRight: userSwipedRight, preventScrollOnSwipe: true }
thene.preventDefault()
will be called, but if the user was swiping left thene.preventDefault()
would not be called.
e.preventDefault()
is only called when:
preventScrollOnSwipe: true
trackTouch: true
onSwiping
or onSwiped
handler/propPlease experiment with the example app to test preventScrollOnSwipe
.
Swipeable adds the passive event listener option, by default, to internal uses of touch addEventListener
's. We set the passive
option to false
only when preventScrollOnSwipe
is true
and only to touchmove
. Other listeners will retain passive: true
.
When preventScrollOnSwipe
is:
true
=> el.addEventListener('touchmove', cb, { passive: false })
false
=> el.addEventListener('touchmove', cb, { passive: true })
Here is more information on react's long running passive event issue.
We previously had issues with chrome lighthouse performance deducting points for not having passive option set so it is now on by default except in the case mentioned above.
If, however, you really need all of the listeners to be passive (for performance reasons or otherwise), you can prevent all scrolling on the swipeable container by using the touch-action
css property instead, see below for an example.
If upgrading from v6 refer to the release notes and the migration doc.
document
?Example by @merrywhether #180
https://codesandbox.io/s/react-swipeable-document-swipe-example-1yvr2v
const { ref } = useSwipeable({
...
}) as { ref: RefCallback<Document> };
useEffect(() => {
ref(document);
});
ref
from useSwipeable
?Example ref passthrough, more details #189:
const MyComponent = () => {
const handlers = useSwipeable({ onSwiped: () => console.log('swiped') })
// setup ref for your usage
const myRef = React.useRef();
const refPassthrough = (el) => {
// call useSwipeable ref prop with el
handlers.ref(el);
// set myRef el so you can access it yourself
myRef.current = el;
}
return (<div {...handlers} ref={refPassthrough} />
}
touch-action
to prevent scrolling?Sometimes you don't want the body
of your page to scroll along with the user manipulating or swiping an item. Or you might want all of the internal event listeners to be passive and performant.
You can prevent scrolling via preventScrollOnSwipe, which calls event.preventDefault()
during onTouchMove
. But there may be a simpler, more effective solution, which has to do with a simple CSS property.
touch-action
is a CSS property that sets how an element's region can be manipulated by a touchscreen user. See the documentation for touch-action
to determine which property value to use for your particular use case.
const handlers = useSwipeable({
onSwiped: (eventData) => console.log("User Swiped!", eventData),
...config,
});
return <div {...handlers} style={{ touchAction: 'pan-y' }}>Swipe here</div>;
This explanation and example borrowed from use-gesture
's wonderful docs.
const MySwipeableComponent = props => {
const [stopScroll, setStopScroll] = useState(false);
const handlers = useSwipeable({
onSwipeStart: () => setStopScroll(true),
onSwiped: () => setStopScroll(false)
});
return <div {...handlers} style={{ touchAction: stopScroll ? 'none' : 'auto' }}>Swipe here</div>;
};
This is a somewhat contrived example as the final outcome would be similar to the static example. However, there may be cases where you want to determine when the user can scroll based on the user's swiping action along with any number of variables from state and props.
Please see our contributions guide.
Active: Formidable is actively working on this project, and we expect to continue for work for the foreseeable future. Bug reports, feature requests and pull requests are welcome.
FAQs
React Swipe event handler hook
The npm package react-swipeable receives a total of 388,423 weekly downloads. As such, react-swipeable popularity was classified as popular.
We found that react-swipeable demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 16 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Research
Security News
A malicious npm package targets Solana developers, rerouting funds in 2% of transactions to a hardcoded address.
Security News
Research
Socket researchers have discovered malicious npm packages targeting crypto developers, stealing credentials and wallet data using spyware delivered through typosquats of popular cryptographic libraries.
Security News
Socket's package search now displays weekly downloads for npm packages, helping developers quickly assess popularity and make more informed decisions.