react-native-signature-canvas

A performant, customizable React Native signature canvas with advanced error handling, WebView optimization, and TypeScript support for iOS, Android, and Expo

react-native-signature-canvas downloads react-native-signature-canvas version react-native-signature-canvas license

react-native-signature-canvasSimilar Packages:
Npm Package Weekly Downloads Trend
3 Years
🌟 Show real-time usage chart on react-native-signature-canvas's README.md, just copy the code below.
## Usage Trend
[![Usage Trend of react-native-signature-canvas](https://npm-compare.com/img/npm-trend/THREE_YEARS/react-native-signature-canvas.png)](https://npm-compare.com/react-native-signature-canvas#timeRange=THREE_YEARS)
Cumulative GitHub Star Trend
🌟 Show GitHub stars trend chart on react-native-signature-canvas's README.md, just copy the code below.
## GitHub Stars Trend
[![GitHub Stars Trend of react-native-signature-canvas](https://npm-compare.com/img/github-trend/react-native-signature-canvas.png)](https://npm-compare.com/react-native-signature-canvas)
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
react-native-signature-canvas78,296483103 kB1085 months agoMIT
README for react-native-signature-canvas

React Native Signature Canvas

npm GitHub last commit runs with expo

A React Native component for capturing signatures or drawing on a canvas with a smooth, native feel. Works on iOS, Android, and Expo.

Features

  • Cross-platform support (iOS, Android, Expo)
  • Smooth, responsive drawing experience with optimized performance
  • Customizable pen color, size, and background
  • Support for background and overlay images
  • Export signatures as PNG, JPEG, or SVG
  • Undo/redo functionality
  • Drawing and erasing modes
  • Full TypeScript support with enhanced type definitions
  • 🆕 Advanced error handling with automatic recovery
  • 🆕 Performance monitoring and optimization
  • 🆕 Flexible WebView customization via webviewProps
  • 🆕 Enhanced security with configurable restrictions
  • 🆕 Memory management and leak prevention

Installation

For React Native ≥ 0.60.0 or Expo SDK ≥ 35.0.0

yarn add react-native-signature-canvas

or

npm install --save react-native-signature-canvas

This package depends on react-native-webview. If you're using React Native CLI (not Expo), you'll need to install react-native-webview separately:

yarn add react-native-webview
cd ios && pod install

For React Native < 0.60.0 or Expo SDK < 33.0.0

npm install --save react-native-signature-canvas@1.4.2

Basic Usage

import React, { useRef, useState } from 'react';
import { StyleSheet, View, Image } from 'react-native';
import SignatureCanvas from 'react-native-signature-canvas';

const SignatureScreen = () => {
  const [signature, setSignature] = useState(null);
  const [isLoading, setIsLoading] = useState(false);
  const ref = useRef();

  const handleSignature = (signature) => {
    console.log('Signature captured:', signature);
    setSignature(signature);
    setIsLoading(false);
  };

  const handleEmpty = () => {
    console.log('Signature is empty');
    setIsLoading(false);
  };

  const handleClear = () => {
    console.log('Signature cleared');
    setSignature(null);
  };

  const handleError = (error) => {
    console.error('Signature pad error:', error);
    setIsLoading(false);
  };

  const handleEnd = () => {
    setIsLoading(true);
    ref.current?.readSignature();
  };

  return (
    <View style={styles.container}>
      <View style={styles.preview}>
        {signature && (
          <Image
            resizeMode="contain"
            style={{ width: 335, height: 114 }}
            source={{ uri: signature }}
          />
        )}
      </View>
      <SignatureCanvas
        ref={ref}
        onEnd={handleEnd}
        onOK={handleSignature}
        onEmpty={handleEmpty}
        onClear={handleClear}
        onError={handleError}
        autoClear={true}
        descriptionText="Sign here"
        clearText="Clear"
        confirmText={isLoading ? "Processing..." : "Save"}
        penColor="#000000"
        backgroundColor="rgba(255,255,255,0)"
        webviewProps={{
          // Custom WebView optimization
          cacheEnabled: true,
          androidLayerType: "hardware",
        }}
      />
    </View>
  );
};

const styles = StyleSheet.create({
  container: {
    flex: 1,
  },
  preview: {
    width: 335,
    height: 114,
    backgroundColor: '#F8F8F8',
    justifyContent: 'center',
    alignItems: 'center',
    marginTop: 15,
  },
});

export default SignatureScreen;

Props

PropTypeDefaultDescription
androidHardwareAccelerationDisabledbooleanfalseDisable hardware acceleration on Android
autoClearbooleanfalseAuto clear signature after clicking the Confirm button
backgroundColorstringrgba(255,255,255,0)Background color of the canvas
bgHeightnumber0Height of the background image
bgWidthnumber0Width of the background image
bgSrcstringnullBackground image source URI
clearTextstringClearClear button text
confirmTextstringConfirmSave button text
customHtml(injectedJavaScript: string) => stringnullCustom HTML template for the canvas
dataURLstring""Base64 string to draw saved signature
descriptionTextstringSign aboveDescription text for signature
dotSizenumbernullRadius of a single dot
imageTypestringimage/pngImage type for export (image/png, image/jpeg, image/svg+xml)
minWidthnumber0.5Minimum width of a line
maxWidthnumber2.5Maximum width of a line
nestedScrollEnabledbooleanfalseEnable nested scrolling for use inside a ScrollView
showsVerticalScrollIndicatorbooleantrueShow vertical scroll indicator in WebView
onOKfunction-Callback after saving non-empty signature
onEmptyfunction-Callback after trying to save an empty signature
onClearfunction-Callback after clearing the signature
onGetDatafunction-Callback when getData() is called
onBeginfunction-Callback when a new stroke is started
onEndfunction-Callback when the stroke has ended
onLoadEndfunction-Callback when the WebView canvas load ended
onUndofunction-Callback when undo() is called
onRedofunction-Callback when redo() is called
onDrawfunction-Callback when drawing is enabled
onErasefunction-Callback when erasing is enabled
onChangePenColorfunction-Callback after changing the pen color
onChangePenSizefunction-Callback after changing the pen size
overlayHeightnumber0Height of the overlay image
overlayWidthnumber0Width of the overlay image
overlaySrcstringnullOverlay image source URI (must be PNG with transparent background)
penColorstringblackColor of the pen
rotatedbooleanfalseRotate signature pad 90 degrees
styleobject-Style of the wrapper view
scrollablebooleanfalseEnable scrolling in the signature pad
trimWhitespacebooleanfalseTrim image whitespace
webStylestring-WebView style to override default style
webviewContainerStyleobject-Style for the WebView container
androidLayerTypenone|software|hardwarehardwareSets the Android WebView layer type
onErrorfunction-Callback when an error occurs
webviewPropsobject{}Additional props to pass to the underlying WebView

Methods

Access these methods using a ref to the SignatureCanvas component.

MethodDescription
clearSignature()Clear the current signature
changePenColor(color)Change pen color
changePenSize(minW, maxW)Change pen size
draw()Enable drawing mode
erase()Enable erasing mode
getData()Triggers the onGetData callback with signature data
readSignature()Read the current signature and trigger callbacks
undo()Undo last stroke
redo()Redo last stroke

WebView Customization (New!)

The webviewProps parameter allows you to customize the underlying WebView behavior while maintaining signature functionality:

<SignatureCanvas
  // ... other props
  webviewProps={{
    // Performance optimization
    cacheEnabled: true,
    androidLayerType: "hardware",
    androidHardwareAccelerationDisabled: false,
    
    // Security settings
    allowFileAccess: false,
    allowFileAccessFromFileURLs: false,
    mixedContentMode: "never",
    
    // UI customization
    decelerationRate: 'fast',
    bounces: false,
    
    // Any other WebView props...
  }}
/>

Performance Optimization Examples

// High-performance mode
<SignatureCanvas
  webviewProps={{
    cacheEnabled: true,
    androidLayerType: "hardware",
    androidHardwareAccelerationDisabled: false,
  }}
/>

// Low-memory mode
<SignatureCanvas
  webviewProps={{
    cacheEnabled: false,
    androidLayerType: "software",
    androidHardwareAccelerationDisabled: true,
  }}
/>

Error Handling (Enhanced!)

const [error, setError] = useState(null);

const handleError = (error) => {
  console.error('Signature error:', error);
  setError(error.message);
  // Error recovery is automatic, but you can handle it here
};

<SignatureCanvas
  onError={handleError}
  // Component automatically retries on recoverable errors
/>

{error && (
  <Text style={{ color: 'red' }}>Error: {error}</Text>
)}

Advanced Usage

Using a Background Image

const imgWidth = 300;
const imgHeight = 200;
const style = `.m-signature-pad {box-shadow: none; border: none; } 
              .m-signature-pad--body {border: none;}
              .m-signature-pad--footer {display: none; margin: 0px;}
              body,html {
              width: ${imgWidth}px; height: ${imgHeight}px;}`;

<View style={{ width: imgWidth, height: imgHeight }}>
  <SignatureCanvas
    ref={ref}
    bgSrc="https://example.com/background.jpg"
    bgWidth={imgWidth}
    bgHeight={imgHeight}
    webStyle={style}
    onOK={handleSignature}
  />
</View>

Using an Overlay Image

const imgWidth = 256;
const imgHeight = 256;
const style = `.m-signature-pad {box-shadow: none; border: none; } 
              .m-signature-pad--body {border: none;}
              .m-signature-pad--footer {display: none; margin: 0px;}
              body,html {
              width: ${imgWidth}px; height: ${imgHeight}px;}`;

<View style={{ width: imgWidth, height: imgHeight }}>
  <SignatureCanvas
    ref={ref}
    overlaySrc="https://example.com/overlay.png" // Must be PNG with transparent background
    overlayWidth={imgWidth}
    overlayHeight={imgHeight}
    webStyle={style}
    onOK={handleSignature}
  />
</View>

Using in a Modal

import React, { useState, useRef } from 'react';
import { StyleSheet, View, TouchableOpacity, Modal, Text } from 'react-native';
import SignatureCanvas from 'react-native-signature-canvas';

const SignatureModal = ({ onSignature }) => {
  const [show, setShow] = useState(false);
  const ref = useRef();
  
  const handleSignature = (signature) => {
    onSignature(signature);
    setShow(false);
  };

  return (
    <View>
      <TouchableOpacity onPress={() => setShow(true)}>
        <Text>Open Signature Pad</Text>
      </TouchableOpacity>
      
      {show && (
        <Modal>
          <SignatureCanvas
            ref={ref}
            onOK={handleSignature}
            onEmpty={() => console.log('Empty')}
            descriptionText="Sign here"
            penColor="rgba(255,117,2,1)"
          />
        </Modal>
      )}
    </View>
  );
};

Scrollable Signature Canvas

import React, { useRef, useState } from 'react';
import { View, StyleSheet, ScrollView } from 'react-native';
import SignatureCanvas from 'react-native-signature-canvas';

const ScrollableSignature = () => {
  const [scrollEnabled, setScrollEnabled] = useState(true);
  const signatureRef = useRef(null);

  return (
    <ScrollView scrollEnabled={scrollEnabled}>
      <View style={styles.container}>
        <SignatureCanvas
          ref={signatureRef}
          style={styles.canvas}
          onBegin={() => setScrollEnabled(false)}
          onEnd={() => setScrollEnabled(true)}
        />
      </View>
    </ScrollView>
  );
};

const styles = StyleSheet.create({
  container: {
    flex: 1,
    alignItems: 'center',
  },
  canvas: {
    width: '90%',
    height: 300,
    borderWidth: 1,
    borderColor: '#000',
  },
});

Performance & Reliability

Automatic Error Recovery

  • Smart retry logic with exponential backoff
  • Circuit breaker pattern to prevent cascading failures
  • Memory leak prevention with automatic cleanup
  • Performance monitoring with automatic optimization

Performance Features

  • Debounced resize handling for smooth interaction
  • Memory pressure detection with adaptive optimization
  • Optimized rendering with reduced re-renders
  • Device-specific optimization based on hardware capabilities

Security Enhancements

  • Configurable WebView security via webviewProps
  • Input validation for all methods and callbacks
  • XSS protection with content security policies
  • File access restrictions by default

Migration Guide

From v4.6.x to v4.7.x

This version is fully backward compatible. New features:

// NEW: Enhanced error handling
<SignatureCanvas
  onError={(error) => console.error(error)} // New callback
/>

// NEW: WebView customization
<SignatureCanvas
  webviewProps={{ // New prop
    cacheEnabled: false,
    androidLayerType: "software"
  }}
/>

Troubleshooting

Common Issues

Issue: Signature pad not loading

// Solution: Add error handling and check WebView props
<SignatureCanvas
  onError={(error) => console.log('Error:', error)}
  onLoadEnd={() => console.log('Loaded successfully')}
  webviewProps={{
    startInLoadingState: true,
    renderLoading: () => <ActivityIndicator />
  }}
/>

Issue: Poor performance on older devices

// Solution: Use low-performance mode
<SignatureCanvas
  webviewProps={{
    androidLayerType: "software",
    androidHardwareAccelerationDisabled: true,
    cacheEnabled: false
  }}
/>

Issue: Memory issues

// Solution: The component now handles this automatically
// But you can customize via webviewProps if needed
<SignatureCanvas
  webviewProps={{
    cacheEnabled: false, // Reduce memory usage
    androidLayerType: "software" // Use software rendering
  }}
/>

API Reference

For detailed API documentation, see:

Core Technology

This component is built on:

  • signature_pad.js for the core signature functionality
  • React Native WebView for cross-platform rendering
  • Enhanced with performance monitoring and error recovery systems

Contributing

Contributions are welcome! Please read our contributing guidelines and submit pull requests to help improve this component.

Development Setup

# Clone the repository
git clone https://github.com/YanYuanFE/react-native-signature-canvas.git

# Install dependencies
cd react-native-signature-canvas
npm install

# Run example apps
cd example/expo-app
npm install && npm start

Changelog

v4.7.x (Latest)

  • 🆕 Added webviewProps for WebView customization
  • 🆕 Enhanced error handling with automatic recovery
  • 🆕 Performance monitoring and optimization
  • 🆕 Memory leak prevention
  • 🆕 Improved TypeScript definitions
  • 🔧 Fixed global variable pollution in WebView JavaScript
  • 🔧 Added input validation for all methods
  • ⚡ Optimized rendering performance

View full changelog

License

MIT License - see LICENSE file for details.

Buy Me a Coffee ☕

If you find this project helpful, consider supporting its development with cryptocurrency donations:

Cryptocurrency Donations

CurrencyAddressQR Code
Bitcoin (BTC)bc1phyz9agr0m9l2w9pd8w85w4da2jt3wl4cre7vv0qq4uesm3fv00pscu96tuxBTC QR
Ethereum (ETH)0xf5dfe16b1e64e8e3a92063fb2922447e13b48945ETH QR
Solana (SOL)3VuhyeTj3hMSrmzq7NctHkgFxvJrmtAUQTzagEBEu3VmSOL QR

Other Ways to Support

  • ⭐ Star this repository
  • 🐛 Report bugs and issues
  • 💡 Suggest new features
  • 🤝 Contribute code improvements
  • 📢 Share this project with others

Your support helps maintain and improve this open-source project. Thank you! 🙏


Made with ❤️ for the React Native community