npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

react-native-glide-ui

v1.0.4

Published

Adaptive UI system with smooth animations, gesture detection, haptic feedback, and automatic performance optimization for React Native & Expo

Readme

🚀 react-native-glide-ui

The most advanced adaptive UI system for React Native & Expo

AI-powered performance optimization, intelligent gesture recognition, and automatic layout adaptation that makes your app feel buttery smooth on every device.

npm version License: MIT


✨ What Makes This Special?

| Feature | What It Does | |---------|--------------| | 🧠 Smart Performance | Auto-detects device capabilities and adjusts animations | | 📱 Adaptive Layouts | Responsive breakpoints that work like CSS media queries | | 👆 Gesture Intelligence | Learns user patterns and optimizes swipe detection | | 🎯 Haptic Feedback | Contextual vibrations that feel native | | ⚡ Zero Config | Works out of the box with sensible defaults | | 📦 Expo Compatible | No native linking required |


📦 Installation

# Using npm
npm install react-native-glide-ui react-native-reanimated react-native-gesture-handler

# Using yarn
yarn add react-native-glide-ui react-native-reanimated react-native-gesture-handler

# Using expo
npx expo install react-native-glide-ui react-native-reanimated react-native-gesture-handler

Setup for Expo

Add the Reanimated babel plugin to your babel.config.js:

module.exports = function(api) {
  api.cache(true);
  return {
    presets: ['babel-preset-expo'],
    plugins: ['react-native-reanimated/plugin'],
  };
};

Setup for React Native CLI

Follow the installation guides for:


🚀 Quick Start

import { GlideProvider, GlideView, GlideButton, GlideText } from 'react-native-glide-ui';

export default function App() {
  return (
    <GlideProvider>
      <GlideView flex={1} center padding={20}>
        <GlideText variant="h1">Hello Glide! 👋</GlideText>
        
        <GlideButton 
          onPress={() => console.log('Pressed!')}
          variant="solid"
          size="lg"
          rounded
        >
          Get Started
        </GlideButton>
      </GlideView>
    </GlideProvider>
  );
}

📖 Core Concepts

1. GlideProvider

Wrap your app to enable all features:

<GlideProvider
  config={{
    haptics: { enabled: true, intensity: 0.8 },
    performance: { enableMonitoring: true, adaptiveAnimations: true },
  }}
>
  {/* Your app */}
</GlideProvider>

2. Adaptive Layouts with useGlideLayout

import { useGlideLayout } from 'react-native-glide-ui';

function MyComponent() {
  const { breakpoint, spacing, typography, wp, hp, resolve } = useGlideLayout();

  // Responsive values (like CSS media queries!)
  const columns = resolve({ xs: 1, sm: 2, md: 3, lg: 4 });
  
  return (
    <View style={{ 
      padding: spacing.md,           // Auto-scales per device
      width: wp(90),                 // 90% of screen width
      fontSize: typography.body1,    // Adaptive font size
    }}>
      <Text>Current breakpoint: {breakpoint}</Text>
      <Text>Showing {columns} columns</Text>
    </View>
  );
}

3. Smart Animations with useGlideAnimation

import { useGlideAnimation } from 'react-native-glide-ui';
import Animated from 'react-native-reanimated';

function AnimatedBox() {
  const { value, spring, timing } = useGlideAnimation({ initialValue: 0 });

  return (
    <>
      <Animated.View style={{ transform: [{ translateX: value }] }}>
        <Text>I animate!</Text>
      </Animated.View>
      
      <Button onPress={() => spring(100, 'bounce')} title="Bounce Right" />
      <Button onPress={() => spring(0, 'smooth')} title="Smooth Back" />
    </>
  );
}

4. Gesture Intelligence with useGlideGesture

import { useGlideGesture } from 'react-native-glide-ui';
import { GestureDetector } from 'react-native-gesture-handler';

function SwipeableCard() {
  const { gesture, animatedStyle } = useGlideGesture({
    onSwipeLeft: () => console.log('Swiped left!'),
    onSwipeRight: () => console.log('Swiped right!'),
    enableHaptics: true,
  });

  return (
    <GestureDetector gesture={gesture}>
      <Animated.View style={animatedStyle}>
        <Text>Swipe me!</Text>
      </Animated.View>
    </GestureDetector>
  );
}

5. Performance-Aware Components

import { useGlidePerformance } from 'react-native-glide-ui';

function SmartComponent() {
  const { tier, shouldReduceMotion, capabilities } = useGlidePerformance();

  return (
    <View>
      <Text>Device tier: {tier}</Text> {/* 'low' | 'mid' | 'high' | 'ultra' */}
      
      {!shouldReduceMotion && (
        <FancyAnimation /> // Only show on capable devices
      )}
    </View>
  );
}

🧩 Components

GlideView

Animated container with responsive shortcuts:

<GlideView
  flex={1}
  row                    // flexDirection: 'row'
  center                 // centers both axes
  padding={{ xs: 10, md: 20 }}  // responsive padding
  gap={12}
  bg="#f5f5f5"
  rounded={16}
  entering="fadeIn"      // 'fadeIn' | 'slideUp' | 'zoomIn' | etc.
>
  {children}
</GlideView>

GlideButton

Animated buttons with haptic feedback:

<GlideButton
  onPress={handlePress}
  variant="solid"        // 'solid' | 'outline' | 'ghost' | 'soft'
  size="md"              // 'xs' | 'sm' | 'md' | 'lg' | 'xl'
  color="#007AFF"
  rounded
  haptic="medium"        // 'light' | 'medium' | 'heavy' | false
  leftIcon={<Icon />}
>
  Press Me
</GlideButton>

GlideText

Adaptive typography:

<GlideText variant="h1" color="#333" align="center">
  Big Title
</GlideText>

<GlideText variant="body1">
  Regular text that scales nicely
</GlideText>

GlideCard

Pressable card with elevation:

<GlideCard
  onPress={handlePress}
  elevated
  rounded={12}
  entering="slide"
>
  <GlideText variant="title">Card Title</GlideText>
  <GlideText variant="body2">Card content here</GlideText>
</GlideCard>

🎨 Animation Presets

Built-in spring presets that auto-adapt to device performance:

| Preset | Feel | Use Case | |--------|------|----------| | bounce | Playful | Buttons, cards | | smooth | Elegant | Transitions, modals | | snappy | Quick | Tabs, toggles | | gentle | Soft | Background elements | | elastic | Springy | Draggables | | stiff | Precise | Forms, inputs | | swift | Fast | Micro-interactions |

const { spring } = useGlideAnimation();

spring(100, 'bounce');  // Bouncy animation
spring(100, 'smooth');  // Smooth animation

🎯 Haptic Types

const { trigger, confirm, reject, warn } = useGlideHaptics();

trigger('light');    // Subtle tap
trigger('medium');   // Standard feedback
trigger('heavy');    // Strong impact
trigger('success');  // Success pattern
trigger('warning');  // Warning pattern
trigger('error');    // Error pattern
trigger('selection'); // Selection tick

// Shortcuts
confirm();  // Success haptic
reject();   // Error haptic
warn();     // Warning haptic

📱 Responsive Breakpoints

Default breakpoints (customizable):

| Breakpoint | Width | |------------|-------| | xs | 0-359px | | sm | 360-479px | | md | 480-767px | | lg | 768-1023px | | xl | 1024-1279px | | xxl | 1280px+ |

const { resolve } = useGlideLayout();

// Returns appropriate value based on screen size
const padding = resolve({ xs: 8, sm: 12, md: 16, lg: 24 });
const columns = resolve({ xs: 1, sm: 2, lg: 3, xl: 4 });

⚙️ Configuration

<GlideProvider
  config={{
    // Custom breakpoints
    breakpoints: {
      sm: 400,
      md: 600,
      lg: 900,
    },
    
    // Gesture settings
    gestures: {
      swipeThreshold: 50,
      swipeVelocityThreshold: 500,
      longPressDelay: 500,
    },
    
    // Haptic settings
    haptics: {
      enabled: true,
      intensity: 1, // 0-1
    },
    
    // Performance settings
    performance: {
      enableMonitoring: false,
      adaptiveAnimations: true,
    },
  }}
>

🔧 TypeScript Support

Full TypeScript support with exported types:

import type {
  GlideConfig,
  LayoutMetrics,
  ResponsiveValue,
  Breakpoint,
  AnimationPreset,
  HapticFeedbackType,
  SwipeGestureData,
  DeviceCapabilities,
} from 'react-native-glide-ui';

📄 License

MIT © Your Name


🤝 Contributing

Contributions welcome! Please read our contributing guidelines.


Made with ❤️ for the React Native community