React Native Reanimated animation patterns. Use when implementing animations.
/plugin marketplace add IvanTorresEdge/molcajete.ai/plugin install ivantorresedge-react-native-tech-stacks-js-react-native@IvanTorresEdge/molcajete.aiThis skill inherits all available tools. When active, it can use any tool Claude has access to.
This skill covers React Native Reanimated for performant animations.
Use this skill when:
UI THREAD ANIMATIONS - Reanimated runs animations on the UI thread for 60fps.
npx expo install react-native-reanimated
Update babel.config.js:
module.exports = function(api) {
api.cache(true);
return {
presets: ['babel-preset-expo'],
plugins: ['react-native-reanimated/plugin'],
};
};
import { useSharedValue } from 'react-native-reanimated';
// Shared values are synchronized between JS and UI threads
const scale = useSharedValue(1);
const opacity = useSharedValue(0);
const translateX = useSharedValue(0);
// Update shared values
scale.value = 2;
opacity.value = 1;
import Animated, {
useSharedValue,
useAnimatedStyle,
} from 'react-native-reanimated';
function AnimatedBox(): React.ReactElement {
const scale = useSharedValue(1);
const animatedStyle = useAnimatedStyle(() => ({
transform: [{ scale: scale.value }],
}));
return (
<Animated.View style={[styles.box, animatedStyle]} />
);
}
import { withSpring } from 'react-native-reanimated';
// Spring animation (natural bounce)
scale.value = withSpring(2, {
damping: 10,
stiffness: 100,
mass: 1,
});
import { withTiming, Easing } from 'react-native-reanimated';
// Timed animation
opacity.value = withTiming(1, {
duration: 300,
easing: Easing.bezier(0.25, 0.1, 0.25, 1),
});
import { withDelay, withSpring } from 'react-native-reanimated';
// Delayed animation
scale.value = withDelay(500, withSpring(2));
import { withSequence, withTiming } from 'react-native-reanimated';
// Sequential animations
scale.value = withSequence(
withTiming(1.2, { duration: 100 }),
withTiming(0.9, { duration: 100 }),
withTiming(1, { duration: 100 })
);
import { withRepeat, withTiming } from 'react-native-reanimated';
// Repeating animation
rotation.value = withRepeat(
withTiming(360, { duration: 1000 }),
-1, // -1 for infinite
false // reverse
);
import Animated, {
useSharedValue,
useAnimatedStyle,
withTiming,
} from 'react-native-reanimated';
function FadeView({ visible }: { visible: boolean }): React.ReactElement {
const opacity = useSharedValue(0);
useEffect(() => {
opacity.value = withTiming(visible ? 1 : 0, { duration: 300 });
}, [visible]);
const animatedStyle = useAnimatedStyle(() => ({
opacity: opacity.value,
}));
return (
<Animated.View style={animatedStyle}>
{children}
</Animated.View>
);
}
function ScaleButton({ onPress, children }: Props): React.ReactElement {
const scale = useSharedValue(1);
const animatedStyle = useAnimatedStyle(() => ({
transform: [{ scale: scale.value }],
}));
const handlePressIn = () => {
scale.value = withSpring(0.95);
};
const handlePressOut = () => {
scale.value = withSpring(1);
};
return (
<TouchableOpacity
onPressIn={handlePressIn}
onPressOut={handlePressOut}
onPress={onPress}
activeOpacity={1}
>
<Animated.View style={animatedStyle}>
{children}
</Animated.View>
</TouchableOpacity>
);
}
import { Dimensions } from 'react-native';
const { width } = Dimensions.get('window');
function SlideIn({ visible }: { visible: boolean }): React.ReactElement {
const translateX = useSharedValue(width);
useEffect(() => {
translateX.value = withSpring(visible ? 0 : width);
}, [visible]);
const animatedStyle = useAnimatedStyle(() => ({
transform: [{ translateX: translateX.value }],
}));
return (
<Animated.View style={[styles.panel, animatedStyle]}>
{children}
</Animated.View>
);
}
import Animated, {
FadeIn,
FadeOut,
SlideInRight,
SlideOutLeft,
ZoomIn,
BounceIn,
} from 'react-native-reanimated';
// Fade
<Animated.View entering={FadeIn.duration(300)} exiting={FadeOut.duration(200)}>
// Slide
<Animated.View entering={SlideInRight} exiting={SlideOutLeft}>
// Zoom
<Animated.View entering={ZoomIn.springify()}>
// Bounce
<Animated.View entering={BounceIn.delay(200)}>
// Custom
<Animated.View
entering={FadeIn.duration(500).delay(100).springify()}
exiting={FadeOut.duration(300)}
>
import Animated, { Layout } from 'react-native-reanimated';
// Animate layout changes
<Animated.View layout={Layout.springify()}>
{items.map((item) => (
<Animated.View
key={item.id}
entering={FadeIn}
exiting={FadeOut}
layout={Layout}
>
<Text>{item.name}</Text>
</Animated.View>
))}
</Animated.View>
import { GestureDetector, Gesture } from 'react-native-gesture-handler';
import Animated, {
useSharedValue,
useAnimatedStyle,
withSpring,
} from 'react-native-reanimated';
function DraggableBox(): React.ReactElement {
const translateX = useSharedValue(0);
const translateY = useSharedValue(0);
const gesture = Gesture.Pan()
.onUpdate((event) => {
translateX.value = event.translationX;
translateY.value = event.translationY;
})
.onEnd(() => {
translateX.value = withSpring(0);
translateY.value = withSpring(0);
});
const animatedStyle = useAnimatedStyle(() => ({
transform: [
{ translateX: translateX.value },
{ translateY: translateY.value },
],
}));
return (
<GestureDetector gesture={gesture}>
<Animated.View style={[styles.box, animatedStyle]} />
</GestureDetector>
);
}
import { interpolate, Extrapolation } from 'react-native-reanimated';
const animatedStyle = useAnimatedStyle(() => {
const scale = interpolate(
scrollY.value,
[0, 100],
[1, 0.5],
Extrapolation.CLAMP
);
const opacity = interpolate(
scrollY.value,
[0, 50, 100],
[1, 0.5, 0]
);
return {
transform: [{ scale }],
opacity,
};
});
import { runOnJS } from 'react-native-reanimated';
// Call JS function from worklet
const updateState = (value: number) => {
setState(value);
};
const animatedStyle = useAnimatedStyle(() => {
if (position.value > 100) {
runOnJS(updateState)(position.value);
}
return { transform: [{ translateX: position.value }] };
});
This skill should be used when the user asks to "create an agent", "add an agent", "write a subagent", "agent frontmatter", "when to use description", "agent examples", "agent tools", "agent colors", "autonomous agent", or needs guidance on agent structure, system prompts, triggering conditions, or agent development best practices for Claude Code plugins.
This skill should be used when the user asks to "create a slash command", "add a command", "write a custom command", "define command arguments", "use command frontmatter", "organize commands", "create command with file references", "interactive command", "use AskUserQuestion in command", or needs guidance on slash command structure, YAML frontmatter fields, dynamic arguments, bash execution in commands, user interaction patterns, or command development best practices for Claude Code.
This skill should be used when the user asks to "create a hook", "add a PreToolUse/PostToolUse/Stop hook", "validate tool use", "implement prompt-based hooks", "use ${CLAUDE_PLUGIN_ROOT}", "set up event-driven automation", "block dangerous commands", or mentions hook events (PreToolUse, PostToolUse, Stop, SubagentStop, SessionStart, SessionEnd, UserPromptSubmit, PreCompact, Notification). Provides comprehensive guidance for creating and implementing Claude Code plugin hooks with focus on advanced prompt-based hooks API.