UNPKG

react-bottom-sheet-dialog

Version:

A lightweight TypeScript bottom sheet dialog for react

732 lines (601 loc) 19.1 kB
# Repo as one markdown file This file was generated by the repo-to-one-file package, find it here: [GitHub](https://github.com/tonypls/repo-to-one-file-cli) [NPM](https://www.npmjs.com/package/repo-to-one-file) # Directory Structure ``` .npmignore LICENSE README.md examples/ App.tsx index.html main.tsx package.json src/ BottomSheet.tsx baseBottomSheet.ts tsconfig.json tsconfig.node.json vite.config.ts ``` ## README.md ```md # react-react-bottom-sheet-dialog [![npm version](https://img.shields.io/npm/v/react-bottom-sheet-dialog.svg)](https://www.npmjs.com/package/react-bottom-sheet-dialog) [![npm downloads](https://img.shields.io/npm/dm/react-bottom-sheet-dialog.svg)](https://www.npmjs.com/package/react-bottom-sheet-dialog) [![License: MIT](https://img.shields.io/badge/License-MIT-yellow.svg)](https://opensource.org/licenses/MIT) react-bottom-sheet-dialog is a lightweight TypeScript library that provides an easy-to-use bottom sheet dialog component for react applications. It's designed to not have any imported packages and be as lightweight as possible. This bottom sheet is designed to do as little as the styling as possible so this leaves the the styling almost completely up to the content of the bottom sheet that is passed in as a child. [Repo](https://github.com/tonypls/react-bottom-sheet-dialog) [NPM](https://www.npmjs.com/package/react-bottom-sheet-dialog) Looking for a vanilla JS version? Find it [here](https://www.npmjs.com/package/bottom-sheet-dialog) ## Features - Customizable snap points - Smooth animations and transitions - Touch-enabled drag interactions - Accessibility support - Customizable background color - Event callbacks for open, close, and snap events - Exclude specific elements from touch interactions ## Installation You can install react-bottom-sheet-dialog using npm: ### npm ```bash npm install react-bottom-sheet-dialog ``` ### yarn ```bash yarn add react-bottom-sheet-dialog ``` ### pnpm ```bash pnpm install react-bottom-sheet-dialog ``` ## Usage Here's a basic example of how to use react-bottom-sheet-dialog: ### React Example Wrap your component with <BottomSheet><YourComponent/></BottomSheet> All props are optional, most users will need a `backgroundColor` which is the backdrop when the sheet is expanded above the child component and `snapPoints` a number array of pixel height from the bottom where the sheet will snap to. ```TypeScript import React from 'react'; import { BottomSheet } from 'react-bottom-sheet-dialog'; const App: React.FC = () => { return ( <div> <h1>My App</h1> <BottomSheet snapPoints={[100, 300, 600]} onOpen={() => console.log('Sheet opened')} onClose={() => console.log('Sheet closed')} onSnap={(index) => console.log(`Snapped to index ${index}`)} backgroundColor="white" > <div style={{ padding: 20 }}> <h2>Bottom Sheet Content</h2> <p>This is the content of the bottom sheet.</p> </div> </BottomSheet> </div> ); }; export default App; ``` ## API ### createBottomSheet(element, props) Creates a new bottom sheet instance. - `element`: The HTML element that will become the bottom sheet. - `props`: An object with the following properties: - `snapPoints`: An array of numbers representing the snap points in pixels. - `backgroundColor`: The background color of the bottom sheet (default: 'white'). - `excludeElement`: An HTML element to exclude from touch interactions. - `onOpen`: Callback function called when the bottom sheet is fully opened. - `onClose`: Callback function called when the bottom sheet is closed. - `onSnap`: Callback function called when the bottom sheet snaps to a point, receives the snap index as an argument. Returns an object with the following methods: - `snapTo(index)`: Moves the bottom sheet to the specified snap point index. - `destroy()`: Removes all event listeners and cleans up the bottom sheet. ## Browser Support react-bottom-sheet-dialog supports all modern browsers that are ES6-compatible. ## Contributing Contributions are welcome! Please feel free to submit a Pull Request. ## License This project is licensed under the MIT License - see the [LICENSE](LICENSE) file for details. ``` ## package.json ```json { "name": "react-bottom-sheet-dialog", "version": "1.0.1", "description": "A lightweight TypeScript bottom sheet dialog for react", "main": "BottomSheet.js", "dependencies": { "react": "^18.3.1", "react-dom": "^18.3.1" }, "scripts": { "start": "vite", "build": "vite build", "preview": "vite preview" }, "repository": { "type": "git", "url": "git+https://github.com/tonypls/react-bottom-sheet-dialog.git" }, "keywords": [ "React", "React.js", "TypeScript", "Bottom", "Sheet", "Modal", "Dialog", "Mobile" ], "author": "tonypls", "license": "MIT", "bugs": { "url": "https://github.com/tonypls/react-bottom-sheet-dialog/issues" }, "homepage": "https://github.com/tonypls/react-bottom-sheet-dialog#readme", "devDependencies": { "@types/react": "^18.3.3", "@types/react-dom": "^18.3.0", "@vitejs/plugin-react": "^4.3.1", "typescript": "^5.5.4", "vite": "^5.3.5" } } ``` ## examples/App.tsx ```tsx import React from "react"; import { BottomSheet } from "../src/BottomSheet"; const App: React.FC = () => { return ( <div> <h1>My App</h1> <BottomSheet snapPoints={[100, 300, 600]} onOpen={() => console.log("Sheet opened")} onClose={() => console.log("Sheet closed")} onSnap={(index: number) => console.log(`Snapped to index ${index}`)} backgroundColor="pink" > <div style={{ padding: 20, backgroundColor: "pink" }}> <h2>Bottom Sheet Content</h2> <p>This is the content of the bottom sheet.</p> </div> </BottomSheet> </div> ); }; export default App; ``` ## examples/main.tsx ```tsx import React from "react"; import ReactDOM from "react-dom/client"; import App from "./App"; ReactDOM.createRoot(document.getElementById("root")!).render( <React.StrictMode> <App /> </React.StrictMode> ); ``` ## src/BottomSheet.tsx ```tsx // BottomSheet.tsx import React, { useRef, useEffect } from "react"; import { createBottomSheet } from "./baseBottomSheet"; export type SnapPoint = number; interface BottomSheetEvents { onOpen?: () => void; onClose?: () => void; onSnap?: (snapIndex: number) => void; } export interface BottomSheetProps extends BottomSheetEvents { snapPoints?: SnapPoint[]; backgroundColor?: string; children: React.ReactNode; excludeElementRef?: React.RefObject<HTMLElement>; } export const BottomSheet: React.FC<BottomSheetProps> = ({ children, snapPoints, backgroundColor = "white", excludeElementRef, onOpen, onClose, onSnap, }) => { const bottomSheetRef = useRef<HTMLDivElement>(null); useEffect(() => { if (bottomSheetRef.current) { const bottomSheet = createBottomSheet(bottomSheetRef.current, { snapPoints, backgroundColor, excludeElement: excludeElementRef?.current || undefined, onOpen, onClose, onSnap, }); return () => { bottomSheet.destroy(); }; } }, [snapPoints, backgroundColor, excludeElementRef]); return <div ref={bottomSheetRef}>{children}</div>; }; ``` ## src/baseBottomSheet.ts ```ts export type SnapPoint = number; interface BottomSheetEvents { onOpen?: () => void; onClose?: () => void; onSnap?: (snapIndex: number) => void; } export interface BottomSheetProps extends BottomSheetEvents { snapPoints?: SnapPoint[]; backgroundColor?: string; excludeElement?: HTMLElement; } function createBackdropElement(bgColor: string): HTMLDivElement { const backdrop = document.createElement("div"); const hasTailwindBackground = bgColor.includes("bg-"); if (!hasTailwindBackground) { Object.assign(backdrop.style, { position: "absolute", left: "0", right: "0", bottom: "0", backgroundColor: bgColor, transition: "height 0.3s ease-out", }); } if (hasTailwindBackground) { Object.assign(backdrop.style, { position: "absolute", left: "0", right: "0", bottom: "0", transition: "height 0.3s ease-out", }); backdrop.classList.add(bgColor); } return backdrop; } function getSafeAreaBottom(): number { const windowHeight = window.innerHeight; const documentHeight = document.documentElement.clientHeight; return windowHeight - documentHeight; } function isExcludedElement( props: BottomSheetProps, target: EventTarget | null ): boolean { if (!props.excludeElement || !target) { return false; } return props.excludeElement.contains(target as Node); } export function createBottomSheet( element: HTMLElement, props: BottomSheetProps ) { const { backgroundColor = "white" } = props; const state = { currentSnap: 0, childrenHeight: 0, snapPointsWithChildHeight: [] as number[], }; const backdropElement = createBackdropElement(backgroundColor); const childrenElement = element.children[0] as HTMLElement; function init(): () => void { setupElementStyles(element); element.append(backdropElement); updateChildrenHeight(); setSnap(0); setupAccessibility(); return addEventListeners(); } function setupAccessibility(): void { element.setAttribute("role", "dialog"); element.setAttribute("aria-modal", "true"); } function setupElementStyles(element_: HTMLElement): void { Object.assign(element_.style, { position: "fixed", bottom: "0", left: "0", right: "0", touchAction: "none", transition: "height 0.3s ease-out", }); } function updateChildrenHeight(): void { if (childrenElement) { const newChildrenHeight = childrenElement.offsetHeight; if (newChildrenHeight !== state.childrenHeight) { state.childrenHeight = newChildrenHeight; updateBackdropPosition(); updateSnapPoints(); adjustCurrentSnapPoint(); } } } function adjustCurrentSnapPoint(): void { const currentSnapValue = state.snapPointsWithChildHeight[state.currentSnap]; if ( currentSnapValue === state.childrenHeight || state.currentSnap === state.snapPointsWithChildHeight.length - 1 ) { // If the current snap point is set to the full height of the inner element, // or if it's the last snap point, adjust it to the new height setSnap(state.snapPointsWithChildHeight.length - 1); } } function updateSnapPoints(): void { if (props.snapPoints) { const maxSnapPoint = Math.max(...props.snapPoints); state.snapPointsWithChildHeight = state.childrenHeight > maxSnapPoint ? [ ...props.snapPoints.filter((point) => point !== maxSnapPoint), state.childrenHeight, ] : [...props.snapPoints]; } else { const safeAreaBottom = getSafeAreaBottom(); state.snapPointsWithChildHeight = [ safeAreaBottom + 60, state.childrenHeight, ]; } } function updateBackdropPosition(): void { const currentSheetHeight = Number.parseFloat(element.style.height) || state.snapPointsWithChildHeight[0]; const backdropHeight = Math.max( currentSheetHeight - state.childrenHeight + 1, 0 ); backdropElement.style.height = `${backdropHeight}px`; backdropElement.style.bottom = "0px"; } function addEventListeners(): () => void { const handlers = createHandlers(); const resizeHandler = () => { updateChildrenHeight(); setSnap(state.currentSnap); }; // Touch events element.addEventListener("touchstart", handlers.start, { passive: true }); element.addEventListener("touchmove", handlers.move, { passive: false }); element.addEventListener("touchend", handlers.end, { passive: true }); // Mouse events element.addEventListener("mousedown", handlers.start); window.addEventListener("mousemove", handlers.move); window.addEventListener("mouseup", handlers.end); window.addEventListener("resize", resizeHandler); const resizeObserver = new ResizeObserver(updateChildrenHeight); resizeObserver.observe(childrenElement); return () => { element.removeEventListener("touchstart", handlers.start); element.removeEventListener("touchmove", handlers.move); element.removeEventListener("touchend", handlers.end); element.removeEventListener("mousedown", handlers.start); window.removeEventListener("mousemove", handlers.move); window.removeEventListener("mouseup", handlers.end); window.removeEventListener("resize", resizeHandler); resizeObserver.disconnect(); }; } function createHandlers() { let startY: number; let startHeight: number; let lastY: number; let lastTime: number; let velocity: number; let isExcludedTouch: boolean; let isDragging: boolean = false; return { start: (event: TouchEvent | MouseEvent) => { isExcludedTouch = isExcludedElement(props, event.target); if (isExcludedTouch) { return; } isDragging = true; startY = lastY = "touches" in event ? event.touches[0].clientY : event.clientY; startHeight = element.getBoundingClientRect().height; lastTime = Date.now(); velocity = 0; element.style.transition = "none"; backdropElement.style.transition = "none"; // Prevent text selection during drag event.preventDefault(); }, move: (event: TouchEvent | MouseEvent) => { if (isExcludedTouch || !isDragging) { return; } const currentY = "touches" in event ? event.touches[0].clientY : event.clientY; const currentTime = Date.now(); const deltaY = currentY - lastY; const deltaTime = currentTime - lastTime; if (deltaTime > 0) { velocity = deltaY / deltaTime; } const newHeight = calculateNewHeight(startHeight - (currentY - startY)); setHeight(newHeight); lastY = currentY; lastTime = currentTime; event.preventDefault(); }, end: () => { if (isExcludedTouch || !isDragging) { return; } isDragging = false; element.style.transition = "height 0.3s ease-out"; backdropElement.style.transition = "height 0.3s ease-out"; const currentHeight = element.getBoundingClientRect().height; const targetSnap = determineTargetSnap(currentHeight, velocity); setSnap(targetSnap); }, }; } function determineTargetSnap( currentHeight: number, velocity: number ): number { const closestSnapIndex = findClosestSnapIndex(currentHeight); const velocityThreshold = 0.5; // Adjust this value to change sensitivity if (Math.abs(velocity) > velocityThreshold) { // If flicking up if ( velocity < 0 && closestSnapIndex < state.snapPointsWithChildHeight.length - 1 ) { return closestSnapIndex + 1; } // If flicking down if (velocity > 0 && closestSnapIndex > 0) { return closestSnapIndex - 1; } } // If velocity is low, or at the edges, snap to closest return closestSnapIndex; } function calculateNewHeight(height: number): number { const [lowestSnapPoint, highestSnapPoint] = [ Math.min(...state.snapPointsWithChildHeight), Math.max(...state.snapPointsWithChildHeight), ]; if (height >= lowestSnapPoint && height <= highestSnapPoint) { return height; } const rubberBandFactor = 1; if (height > highestSnapPoint) { const overscroll = height - highestSnapPoint; return ( highestSnapPoint + (1 - Math.exp(-overscroll / 200)) * 50 * rubberBandFactor ); } const underscroll = lowestSnapPoint - height; return ( lowestSnapPoint - (1 - Math.exp(-underscroll / 200)) * 50 * rubberBandFactor ); } function findClosestSnapIndex(currentHeight: number): number { let closestIndex = 0; let smallestDiff = Math.abs( state.snapPointsWithChildHeight[0] - currentHeight ); for ( let index = 1; index < state.snapPointsWithChildHeight.length; index++ ) { const currentDiff = Math.abs( state.snapPointsWithChildHeight[index] - currentHeight ); if (currentDiff < smallestDiff) { smallestDiff = currentDiff; closestIndex = index; } } return closestIndex; } function setHeight(height: number): void { element.style.height = `${height}px`; updateBackdropPosition(); } function setSnap(snapIndex: number): void { state.currentSnap = snapIndex; const snapValue = state.snapPointsWithChildHeight[snapIndex]; setHeight(snapValue); props.onSnap?.(snapIndex); if (snapIndex === 0) { props.onClose?.(); } else if (snapIndex === state.snapPointsWithChildHeight.length - 1) { props.onOpen?.(); } } function snapTo(snapIndex: number): void { if (snapIndex >= 0 && snapIndex < state.snapPointsWithChildHeight.length) { setSnap(snapIndex); } } const removeListeners = init(); return { snapTo, destroy: () => { removeListeners(); element.removeChild(backdropElement); // Reset styles element.style.position = ""; element.style.bottom = ""; element.style.left = ""; element.style.right = ""; element.style.touchAction = ""; element.style.transition = ""; element.style.height = ""; // Remove accessibility attributes element.removeAttribute("role"); element.removeAttribute("aria-modal"); }, }; } ``` ## tsconfig.json ```json { "compilerOptions": { "target": "ESNext", "useDefineForClassFields": true, "lib": ["DOM", "DOM.Iterable", "ESNext"], "allowJs": false, "skipLibCheck": true, "esModuleInterop": false, "allowSyntheticDefaultImports": true, "strict": true, "forceConsistentCasingInFileNames": true, "module": "ESNext", "moduleResolution": "Node", "resolveJsonModule": true, "isolatedModules": true, "noEmit": true, "jsx": "react-jsx" }, "include": ["src", "examples"], "references": [{ "path": "./tsconfig.node.json" }] } ``` ## tsconfig.node.json ```json { "compilerOptions": { "composite": true, "module": "ESNext", "moduleResolution": "Node", "allowSyntheticDefaultImports": true }, "include": ["vite.config.ts"] } ``` ## vite.config.ts ```ts import { defineConfig } from "vite"; import react from "@vitejs/plugin-react"; export default defineConfig({ plugins: [react()], root: "./examples", }); ```