diff --git a/examples/conversational-ai/talk-to-santa/README.md b/examples/conversational-ai/talk-to-santa/README.md index e215bc4..445650d 100644 --- a/examples/conversational-ai/talk-to-santa/README.md +++ b/examples/conversational-ai/talk-to-santa/README.md @@ -1,36 +1 @@ -This is a [Next.js](https://nextjs.org) project bootstrapped with [`create-next-app`](https://nextjs.org/docs/app/api-reference/cli/create-next-app). - -## Getting Started - -First, run the development server: - -```bash -npm run dev -# or -yarn dev -# or -pnpm dev -# or -bun dev -``` - -Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. - -You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file. - -This project uses [`next/font`](https://nextjs.org/docs/app/building-your-application/optimizing/fonts) to automatically optimize and load [Geist](https://vercel.com/font), a new font family for Vercel. - -## Learn More - -To learn more about Next.js, take a look at the following resources: - -- [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. -- [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial. - -You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js) - your feedback and contributions are welcome! - -## Deploy on Vercel - -The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js. - -Check out our [Next.js deployment documentation](https://nextjs.org/docs/app/building-your-application/deploying) for more details. +# 🎄 Talk to Santa diff --git a/examples/conversational-ai/talk-to-santa/app/(main)/actions/actions.ts b/examples/conversational-ai/talk-to-santa/app/(main)/actions/actions.ts new file mode 100644 index 0000000..8e30a84 --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/app/(main)/actions/actions.ts @@ -0,0 +1,62 @@ +"use server"; + +import { actionClient } from "@/app/(main)/actions/safe-action"; +import { z } from "zod"; +import { ElevenLabsClient } from "elevenlabs"; + +export const getAgentSignedUrl = actionClient + .schema(z.object({})) + .action(async () => { + const agentId = process.env.AGENT_ID; + const apiKey = process.env.XI_API_KEY; + + if (!agentId || !apiKey) { + throw new Error("Environment variables are not set"); + } + + const elevenlabs = new ElevenLabsClient({ + apiKey: apiKey, + }); + + try { + const { signed_url: signedUrl } = + await elevenlabs.conversationalAi.getSignedUrl({ + agent_id: agentId, + }); + + if (!signedUrl) { + throw new Error("Failed to get signed URL"); + } + + return { signedUrl }; + } catch (error) { + throw new Error(`Failed to get signed URL: ${error}`); + } + }); + +export const getAgentConversation = actionClient + .schema( + z.object({ + conversationId: z.string(), + }) + ) + .action(async ({ parsedInput: { conversationId } }) => { + const apiKey = process.env.XI_API_KEY; + + if (!apiKey) { + throw new Error("XI_API_KEY is not set"); + } + + const elevenlabs = new ElevenLabsClient({ + apiKey: apiKey, + }); + + try { + const conversation = await elevenlabs.conversationalAi.getConversation( + conversationId + ); + return { conversation }; + } catch (error) { + throw new Error(`Failed to get conversation: ${error}`); + } + }); diff --git a/examples/conversational-ai/talk-to-santa/app/(main)/actions/safe-action.tsx b/examples/conversational-ai/talk-to-santa/app/(main)/actions/safe-action.tsx new file mode 100644 index 0000000..22510a1 --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/app/(main)/actions/safe-action.tsx @@ -0,0 +1,20 @@ +import { + DEFAULT_SERVER_ERROR_MESSAGE, + createSafeActionClient, + } from "next-safe-action"; + import { headers } from "next/headers"; + + export const actionClient = createSafeActionClient({ + handleServerError(e) { + if (e instanceof Error) { + return e.message; + } + + return DEFAULT_SERVER_ERROR_MESSAGE; + }, + }).use(async ({ next }) => { + // forward the user's ip address to context (for rate limiting) + const ip = (await headers()).get("x-forwarded-for") ?? "127.0.0.1"; + return next({ ctx: { ip } }); + }); + \ No newline at end of file diff --git a/examples/conversational-ai/talk-to-santa/app/(main)/layout.tsx b/examples/conversational-ai/talk-to-santa/app/(main)/layout.tsx new file mode 100644 index 0000000..70cd62f --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/app/(main)/layout.tsx @@ -0,0 +1,39 @@ +import { Logo } from "@/components/logo/index"; +import { ChristmasCountdown } from "@/components/christmas-countdown"; +import { Snowfall } from "@/components/snowfall"; +import { MusicPlayer } from "@/components/music-player"; + +export default function Layout({ + children, +}: Readonly<{ + children: React.ReactNode; +}>) { + return ( +
+
+ + +
+ +
+
+ {children} +
+
+ +
+
+ +
+ +
+ ); +} diff --git a/examples/conversational-ai/talk-to-santa/app/(main)/page.tsx b/examples/conversational-ai/talk-to-santa/app/(main)/page.tsx new file mode 100644 index 0000000..bf3dd36 --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/app/(main)/page.tsx @@ -0,0 +1,265 @@ +"use client"; + +import { getAgentSignedUrl } from "@/app/(main)/actions/actions"; +import { CallButton } from "@/components/call-button"; +import { Orb } from "@/components/orb"; +import { SantaCard } from "@/components/santa-card"; +import { Button } from "@/components/ui/button"; +import { useConversation } from "@11labs/react"; +import { motion } from "framer-motion"; +import { useEffect, useRef, useState } from "react"; + +export default function Page() { + const conversation = useConversation(); + + const [isCardOpen, setIsCardOpen] = useState(false); + + // session state + const [conversationId, setConversationId] = useState(null); + const [name, setName] = useState(null); + const [wishlist, setWishlist] = useState< + Array<{ key: string; name: string }> + >([]); + + // video state + const [isVideoEnabled, setIsVideoEnabled] = useState(false); + const [videoStream, setVideoStream] = useState(null); + const [isPreviewVideoLoading, setIsPreviewVideoLoading] = useState(true); + const [recordedVideo, setRecordedVideo] = useState(null); + + // refs + const mediaRecorderRef = useRef(null); + const chunksRef = useRef([]); + const videoRef = useRef(null); + + useEffect(() => { + const getMedia = async () => { + try { + await navigator.mediaDevices.getUserMedia({ audio: true }); + } catch (err) { + console.error("Error accessing media devices:", err); + } + }; + getMedia(); + }, []); + + useEffect(() => { + let currentStream: MediaStream | null = null; + + const setupVideoStream = async () => { + if (isVideoEnabled) { + try { + const stream = await navigator.mediaDevices.getUserMedia({ + video: true, + audio: false, + }); + currentStream = stream; + setVideoStream(stream); + } catch (err) { + console.error("Error accessing camera:", err); + alert("Unable to access camera"); + setIsVideoEnabled(false); + } + } + }; + setupVideoStream(); + return () => { + if (currentStream) { + currentStream.getTracks().forEach(track => { + track.stop(); + }); + } + }; + }, [isVideoEnabled]); + + useEffect(() => { + if (videoStream && videoRef.current) { + videoRef.current.srcObject = videoStream; + } + return () => { + if (videoRef.current) { + videoRef.current.srcObject = null; + } + }; + }, [videoStream]); + + const startCall = async () => { + const req = await getAgentSignedUrl({}); + const signedUrl = req?.data?.signedUrl; + if (!signedUrl) { + throw new Error("Failed to get signed URL"); + } + conversation.startSession({ + signedUrl, + onConnect: ({ conversationId }) => { + setConversationId(conversationId); + if (isVideoEnabled) { + startRecordingVideo(); + } + }, + clientTools: tools, + }); + }; + + const endCall = async () => { + if ( + mediaRecorderRef.current && + mediaRecorderRef.current.state !== "inactive" + ) { + mediaRecorderRef.current.stop(); + } + setIsVideoEnabled(false); + await conversation.endSession(); + videoStream?.getTracks().forEach(track => track.stop()); + setVideoStream(null); + + // save the conversation + console.log("saving conversation"); + console.log(conversationId) + console.log(recordedVideo) + }; + + const startRecordingVideo = () => { + if (!videoStream) { + alert("unable to record video"); + return; + } + chunksRef.current = []; + const mediaRecorder = new MediaRecorder(videoStream); + mediaRecorderRef.current = mediaRecorder; + mediaRecorder.ondataavailable = event => { + chunksRef.current.push(event.data); + }; + mediaRecorder.onstop = () => { + const blob = new Blob(chunksRef.current, { + type: "video/webm", + }); + const videoUrl = URL.createObjectURL(blob); + setRecordedVideo(videoUrl); + }; + mediaRecorder.start(); + }; + + const tools = { + triggerName: async (parameters: { name: string }) => { + setName(parameters.name); + setIsCardOpen(true); + }, + triggerAddItemToWishlist: async (parameters: { + itemName: string; + itemKey: string; + }) => { + setWishlist(prevWishlist => [ + ...prevWishlist, + { name: parameters.itemName, key: parameters.itemKey }, + ]); + }, + triggerRemoveItemFromWishlist: async (parameters: { itemKey: string }) => { + setWishlist(prevWishlist => + prevWishlist.filter(item => item.key !== parameters.itemKey) + ); + }, + }; + + return ( +
+ {/* Call Santa Button */} +
+ {conversation.status !== "connected" && ( + + )} + + {/* In-Conversation View */} + {conversation.status === "connected" && ( + +
+
+ +
+
+
+ )} + +
+ {conversation.status === "connected" && ( + + Santa + + )} + + {isVideoEnabled && videoStream && ( + + {isPreviewVideoLoading && ( +
+
+
+ )} +
+ + {conversation.status === "connected" && ( + + )} + + {conversation.status === "connected" && ( + + )} +
+
+ ); +} diff --git a/examples/conversational-ai/talk-to-santa/app/api/get-conversation/[conversationId]/route.ts b/examples/conversational-ai/talk-to-santa/app/api/get-conversation/[conversationId]/route.ts deleted file mode 100644 index 21f134c..0000000 --- a/examples/conversational-ai/talk-to-santa/app/api/get-conversation/[conversationId]/route.ts +++ /dev/null @@ -1,31 +0,0 @@ -import { NextResponse } from "next/server"; -import { ElevenLabsClient } from "elevenlabs"; - -export async function GET( - request: Request, - { params }: { params: { conversationId: string } } -) { - console.log(params); - console.log("Getting conversation", params.conversationId); - if (!process.env.XI_API_KEY) { - throw Error("XI_API_KEY is not set"); - } - const elevenlabs = new ElevenLabsClient({ - apiKey: process.env.XI_API_KEY, - }); - - try { - const conversation = await elevenlabs.conversationalAi.getConversation( - params.conversationId - ); - console.log(conversation); - - return NextResponse.json({ conversation }); - } catch (error) { - console.error("Error getting conversation", error); - return NextResponse.json( - { error: "Failed to get Conversation" }, - { status: 500 } - ); - } -} diff --git a/examples/conversational-ai/talk-to-santa/app/api/signed-url/route.ts b/examples/conversational-ai/talk-to-santa/app/api/signed-url/route.ts deleted file mode 100644 index 601f227..0000000 --- a/examples/conversational-ai/talk-to-santa/app/api/signed-url/route.ts +++ /dev/null @@ -1,36 +0,0 @@ -import { NextResponse } from "next/server"; - -export async function GET() { - const agentId = process.env.AGENT_ID; - const apiKey = process.env.XI_API_KEY; - if (!agentId) { - throw Error("AGENT_ID is not set"); - } - if (!apiKey) { - throw Error("XI_API_KEY is not set"); - } - try { - const response = await fetch( - `https://api.elevenlabs.io/v1/convai/conversation/get_signed_url?agent_id=${agentId}`, - { - method: "GET", - headers: { - "xi-api-key": apiKey, - }, - } - ); - - if (!response.ok) { - throw new Error("Failed to get signed URL"); - } - - const data = await response.json(); - return NextResponse.json({ signedUrl: data.signed_url }); - } catch (error) { - console.error("Error:", error); - return NextResponse.json( - { error: "Failed to get signed URL" }, - { status: 500 } - ); - } -} diff --git a/examples/conversational-ai/talk-to-santa/app/favicon.ico b/examples/conversational-ai/talk-to-santa/app/favicon.ico index 718d6fe..43a55e1 100644 Binary files a/examples/conversational-ai/talk-to-santa/app/favicon.ico and b/examples/conversational-ai/talk-to-santa/app/favicon.ico differ diff --git a/examples/conversational-ai/talk-to-santa/app/layout.tsx b/examples/conversational-ai/talk-to-santa/app/layout.tsx index eae661e..30d2815 100644 --- a/examples/conversational-ai/talk-to-santa/app/layout.tsx +++ b/examples/conversational-ai/talk-to-santa/app/layout.tsx @@ -15,8 +15,8 @@ const geistMono = localFont({ }); export const metadata: Metadata = { - title: "Create Next App", - description: "Generated by create next app", + title: "Talk to Santa | ElevenLabs", + description: "Have a magical conversation with Santa Claus, powered by Conversational AI.", }; export default function RootLayout({ diff --git a/examples/conversational-ai/talk-to-santa/app/page.tsx b/examples/conversational-ai/talk-to-santa/app/page.tsx deleted file mode 100644 index 888c3a0..0000000 --- a/examples/conversational-ai/talk-to-santa/app/page.tsx +++ /dev/null @@ -1,428 +0,0 @@ -"use client"; - -import { LiveSantaCardDrawer } from "@/components/live-santa-card-drawer"; -import { Orb } from "@/components/orb"; -import { cn } from "@/lib/utils"; -import { useConversation } from "@11labs/react"; -import { AnimatePresence, motion } from "framer-motion"; -import { Phone } from "lucide-react"; -import { useEffect, useState, useRef } from "react"; -import Snowfall from "react-snowfall"; -import { ChristmasCountdown } from "@/components/christmas-countdown"; -import { Logo } from "@/components/logo/animated-logo"; -import { Switch } from "@/components/ui/switch"; -import { Label } from "@/components/ui/label"; -import { SaveSantaCardDrawer } from "@/components/save-santa-card-drawer"; -import { MusicPlayer } from "@/components/music-player"; - -export default function Home() { - const [isLiveSantaCardDrawerOpen, setIsLiveSantaCardDrawerOpen] = - useState(false); - const [isConversationDrawerOpen, setIsConversationComplete] = useState(false); - - const [isPhoneRinging, setIsPhoneRinging] = useState(false); - const [name, setName] = useState(null); - const [wishlist, setWishlist] = useState< - Array<{ key: string; name: string }> - >([]); - - // Video state - const [enableVideo, setEnableVideo] = useState(false); - const [videoStream, setVideoStream] = useState(null); - const [cameraError, setCameraError] = useState(null); - const [recordedVideo, setRecordedVideo] = useState(null); - const [conversationId, setConversationId] = useState(null); - const mediaRecorderRef = useRef(null); - const chunksRef = useRef([]); - - const videoRef = useRef(null); - - const [isPreviewVideoLoading, setIsPreviewVideoLoading] = useState(true); - - useEffect(() => { - const getMedia = async () => { - try { - await navigator.mediaDevices.getUserMedia({ audio: true }); - } catch (err) { - console.error("Error accessing media devices:", err); - } - }; - getMedia(); - }, []); - - useEffect(() => { - if (name || wishlist.length > 0) { - setIsLiveSantaCardDrawerOpen(true); - } - }, [name, wishlist]); - - const [ringingPhoneAudio] = useState(() => { - if (typeof Audio !== "undefined") { - const audioInstance = new Audio("/assets/ringing-phone.mp3"); - audioInstance.loop = true; - return audioInstance; - } - return null; - }); - const conversation = useConversation(); - - const handleCallClick = async () => { - if (conversation.status === "disconnected") { - setIsPhoneRinging(true); - ringingPhoneAudio?.play(); - const signedUrl = await getSignedUrl(); - setTimeout(() => { - setIsPhoneRinging(false); - ringingPhoneAudio?.pause(); - // Get signed URL before starting the session - conversation.startSession({ - signedUrl, - onConnect: ({ conversationId }) => { - setConversationId(conversationId); - // Start recording if video is enabled - if (enableVideo && videoStream) { - chunksRef.current = []; - const mediaRecorder = new MediaRecorder(videoStream); - mediaRecorderRef.current = mediaRecorder; - - mediaRecorder.ondataavailable = event => { - chunksRef.current.push(event.data); - }; - - mediaRecorder.onstop = () => { - const blob = new Blob(chunksRef.current, { - type: "video/webm", - }); - const videoUrl = URL.createObjectURL(blob); - setRecordedVideo(videoUrl); - }; - - mediaRecorder.start(); - } - }, - clientTools: { - triggerName: async (parameters: { name: string }) => { - setName(parameters.name); - }, - triggerAddItemToWishlist: async (parameters: { - itemName: string; - itemKey: string; - }) => { - setWishlist(prevWishlist => [ - ...prevWishlist, - { name: parameters.itemName, key: parameters.itemKey }, - ]); - }, - triggerRemoveItemFromWishlist: async (parameters: { - itemKey: string; - }) => { - setWishlist(prevWishlist => - prevWishlist.filter(item => item.key !== parameters.itemKey) - ); - }, - }, - }); - }, 6000); - } - }; - - const handleEndCallClick = async () => { - if ( - mediaRecorderRef.current && - mediaRecorderRef.current.state !== "inactive" - ) { - mediaRecorderRef.current.stop(); - } - setEnableVideo(false); - await conversation.endSession(); - videoStream?.getTracks().forEach(track => track.stop()); - setVideoStream(null); - setIsConversationComplete(true); - }; - - // First effect to handle stream setup - useEffect(() => { - let currentStream: MediaStream | null = null; - - const setupVideoStream = async () => { - console.log("Setting up video stream, enableVideo:", enableVideo); - - if (enableVideo) { - try { - console.log("Requesting user media..."); - const stream = await navigator.mediaDevices.getUserMedia({ - video: true, - audio: false, - }); - - console.log("Stream obtained:", stream.active); - currentStream = stream; - setVideoStream(stream); - setCameraError(null); - } catch (err) { - console.error("Error accessing camera:", err); - setCameraError("Unable to access camera"); - setEnableVideo(false); - } - } - }; - - setupVideoStream(); - - return () => { - console.log("Cleanup running, currentStream:", !!currentStream); - if (currentStream) { - currentStream.getTracks().forEach(track => { - console.log("Stopping track:", track.kind, track.enabled); - track.stop(); - }); - } - }; - }, [enableVideo]); - - // New effect to handle video element - useEffect(() => { - if (videoStream && videoRef.current) { - console.log("Setting video stream to video element"); - videoRef.current.srcObject = videoStream; - } - - return () => { - if (videoRef.current) { - videoRef.current.srcObject = null; - } - }; - }, [videoStream]); - - return ( -
- {/* Header */} -
- - -
- -
- {/* Call Santa Button */} -
- - - {conversation.status === "disconnected" && !isPhoneRinging && ( - -
- Santa - -
- - - Call Santa - -
- )} - {conversation.status === "connecting" || - (isPhoneRinging && ( - - Ringing... - - ))} - - {conversation.status === "connected" && ( - -
-
- -
-
-
- )} -
-
- - {conversation.status === "disconnected" && ( - <> -
- - - {cameraError && ( - - {cameraError} - - )} -
- - )} - -
- {conversation.status === "connected" && ( - - Santa - - )} - - {enableVideo && videoStream && ( - - {isPreviewVideoLoading && ( -
-
-
- )} -
- - {/* Open Card Drawer Button */} - {(name || wishlist.length > 0) && ( - - )} - - {isConversationDrawerOpen && ( - - )} - - {conversation.status === "connected" && ( - - End Call - - )} -
-
- - {/* Background */} -
-
- -
- -
- ); -} - -async function getSignedUrl(): Promise { - const response = await fetch("/api/signed-url"); - if (!response.ok) { - throw Error("Failed to get signed url"); - } - const data = await response.json(); - return data.signedUrl; -} diff --git a/examples/conversational-ai/talk-to-santa/components/call-button.tsx b/examples/conversational-ai/talk-to-santa/components/call-button.tsx new file mode 100644 index 0000000..2fbe8ee --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/components/call-button.tsx @@ -0,0 +1,93 @@ +"use client"; + +import { Button } from "@/components/ui/button"; +import { Label } from "@/components/ui/label"; +import { Switch } from "@/components/ui/switch"; +import { cn } from "@/lib/utils"; +import { Loader2 } from "lucide-react"; +import { useState } from "react"; + +interface CallButtonProps { + status: "disconnected" | "connecting" | "connected" | "disconnecting"; + startCall: () => void; + isVideoEnabled: boolean; + setIsVideoEnabled: (isVideoEnabled: boolean) => void; +} + +const RINGING_PHONE_AUDIO_DURATION = 6000; + +export function CallButton({ + status, + startCall, + isVideoEnabled, + setIsVideoEnabled, +}: CallButtonProps) { + const [isCalling, setIsCalling] = useState(false); + const [ringingPhoneAudio] = useState(() => { + if (typeof Audio !== "undefined") { + const audioInstance = new Audio("/assets/ringing-phone.mp3"); + audioInstance.loop = true; + return audioInstance; + } + return null; + }); + + const onCallClick = () => { + setIsCalling(true); + ringingPhoneAudio?.play(); + setTimeout(() => { + ringingPhoneAudio?.pause(); + ringingPhoneAudio?.load(); + startCall(); + }, RINGING_PHONE_AUDIO_DURATION); + }; + return ( + <> + + {status === "disconnected" && !isCalling && ( + <> +
+ + +
+ + )} + + ); +} diff --git a/examples/conversational-ai/talk-to-santa/components/live-santa-card-drawer.tsx b/examples/conversational-ai/talk-to-santa/components/live-santa-card-drawer.tsx deleted file mode 100644 index f4bea9f..0000000 --- a/examples/conversational-ai/talk-to-santa/components/live-santa-card-drawer.tsx +++ /dev/null @@ -1,79 +0,0 @@ -"use client"; - -import { christmasFont } from "@/components/custom-fonts"; -import { Button } from "@/components/ui/button"; -import { Drawer, DrawerContent, DrawerDescription, DrawerFooter, DrawerHeader, DrawerTitle } from "@/components/ui/drawer"; -import { cn } from "@/lib/utils"; -import { AnimatePresence, motion } from "framer-motion"; -import { Mail } from "lucide-react"; - -interface LiveSantaCardDrawerProps { - name: string | null - wishlist: Array<{ key: string; name: string }> - isOpen: boolean - setIsOpen: (isOpen: boolean) => void -} - -export function LiveSantaCardDrawer({ isOpen, setIsOpen, name, wishlist }: LiveSantaCardDrawerProps) { - return ( - <> - - {!isOpen && ( - - - - )} - - - -
- - My Letter to Santa - From my heart to the North Pole -
-
-
-
-
- Dear Santa, my name is {name}. -
-
-

- These are the presents I'm wishing for: -

-
    - {wishlist.map(({name: presentName, key}) => ( -
  1. - 🎄 - {presentName} -
  2. - ))} -
-

- Thank you Santa! -

-
-
-
- - Made with ❤️ at the North Pole by ElevenLabs - -
-
-
- - ); -} diff --git a/examples/conversational-ai/talk-to-santa/components/logo/animated-logo.tsx b/examples/conversational-ai/talk-to-santa/components/logo/index.tsx similarity index 94% rename from examples/conversational-ai/talk-to-santa/components/logo/animated-logo.tsx rename to examples/conversational-ai/talk-to-santa/components/logo/index.tsx index 474a96d..43b2309 100644 --- a/examples/conversational-ai/talk-to-santa/components/logo/animated-logo.tsx +++ b/examples/conversational-ai/talk-to-santa/components/logo/index.tsx @@ -8,11 +8,7 @@ import dynamic from "next/dynamic"; const Lottie = dynamic(() => import("lottie-react"), { ssr: false }); -export const Logo = ({ - className, -}: { - className?: string; -}) => { +export const Logo = ({ className }: { className?: string }) => { const ref = useRef(null); const [isReady, setIsReady] = useState(false); @@ -26,7 +22,7 @@ export const Logo = ({ return (
; + isOpen: boolean; + setIsOpen: (isOpen: boolean) => void; +} + +export function SantaCard({ + isOpen, + setIsOpen, + name, + wishlist, +}: SantaCardProps) { + return ( + <> + + {!isOpen && ( + + + + )} + + + +
+ + + My Letter to Santa + + + From my heart to the North Pole + +
+
+
+
+
+ Dear Santa, + {name && name.length > 0 && ( + + {" "} + my name is{" "} + {name} + + )} +
+
+

+ These are the presents I'm wishing for: +

+
    + {wishlist.map(({ name: presentName, key }) => ( +
  1. + 🎄 + + {presentName} + +
  2. + ))} +
+

Thank you Santa!

+
+
+
+ + + Made with{" "} + + ❤️ + {" "} + in the North Pole by{" "} + + + ElevenLabs + + + + +
+
+
+ + ); +} diff --git a/examples/conversational-ai/talk-to-santa/components/save-santa-card-drawer.tsx b/examples/conversational-ai/talk-to-santa/components/save-santa-card-drawer.tsx deleted file mode 100644 index 8e13c01..0000000 --- a/examples/conversational-ai/talk-to-santa/components/save-santa-card-drawer.tsx +++ /dev/null @@ -1,174 +0,0 @@ -"use client"; - -import { Button } from "@/components/ui/button"; -import { - Drawer, - DrawerContent, - DrawerDescription, - DrawerFooter, - DrawerHeader, - DrawerTitle, -} from "@/components/ui/drawer"; -import { cn } from "@/lib/utils"; -import { Mail, Share } from "lucide-react"; -import localFont from "next/font/local"; -import { motion } from "framer-motion"; -import { useEffect, useState } from "react"; - -interface SaveSantaCardDrawerProps { - name: string | null; - wishlist: Array<{ key: string; name: string }>; - conversationId: string | null; - isOpen: boolean; - recordedVideo: string | null; -} - -const santaFont = localFont({ - src: [ - { - path: "../app/fonts/SantasSleighFull.woff2", - weight: "400", - style: "normal", - }, - { - path: "../app/fonts/SantasSleighFullBold.woff2", - weight: "700", - style: "normal", - }, - ], - variable: "--font-santa", -}); - -async function getConversation(conversationId: string): Promise { - const response = await fetch(`/api/get-conversation/${conversationId}`); - if (!response.ok) { - throw Error("Failed to get signed url"); - } - const data = await response.json(); - return data.signedUrl; -} - -export function SaveSantaCardDrawer({ - isOpen, - name, - wishlist, - conversationId, - recordedVideo, -}: SaveSantaCardDrawerProps) { - const [isRecordedVideoLoading, setIsRecordedVideoLoading] = useState(false); - useEffect(() => { - if (conversationId) { - getConversation(conversationId) - .then(conversation => { - console.log(conversation); - }) - .catch(error => { - console.error(error); - }); - } - }, [conversationId]); - return ( - <> - - -
- - - My Letter to Santa - - - From my heart to the North Pole - -
-
-
-
-
- Dear Santa, - {name && name.length > 0 && ( - <> - my name is{" "} - {name} - . - - )} -
-
-

- These are the presents I'm wishing for: -

-
    - {wishlist.map(({ name: presentName, key }) => ( -
  1. - 🎄 - - {presentName} - -
  2. - ))} -
-

Thank you Santa!

-
-
-
- {recordedVideo && ( - - {isRecordedVideoLoading && ( -
-
-
- )} -
- - - - ); -} diff --git a/examples/conversational-ai/talk-to-santa/components/snowfall.tsx b/examples/conversational-ai/talk-to-santa/components/snowfall.tsx new file mode 100644 index 0000000..3cfed7d --- /dev/null +++ b/examples/conversational-ai/talk-to-santa/components/snowfall.tsx @@ -0,0 +1,17 @@ +'use client' + +import dynamic from 'next/dynamic' + +const SnowfallLibrary = dynamic(() => import('react-snowfall'), { ssr: false }) + +export function Snowfall() { + return ( + + ) +} diff --git a/examples/conversational-ai/talk-to-santa/components/ui/button.tsx b/examples/conversational-ai/talk-to-santa/components/ui/button.tsx index 65d4fcd..6a93327 100644 --- a/examples/conversational-ai/talk-to-santa/components/ui/button.tsx +++ b/examples/conversational-ai/talk-to-santa/components/ui/button.tsx @@ -5,7 +5,7 @@ import { cva, type VariantProps } from "class-variance-authority" import { cn } from "@/lib/utils" const buttonVariants = cva( - "inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-colors focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:pointer-events-none disabled:opacity-50 [&_svg]:pointer-events-none [&_svg]:size-4 [&_svg]:shrink-0", + "inline-flex items-center justify-center gap-2 whitespace-nowrap rounded-md text-sm font-medium transition-colors focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:pointer-events-none disabled:opacity-100 [&_svg]:pointer-events-none [&_svg]:size-4 [&_svg]:shrink-0", { variants: { variant: { diff --git a/examples/conversational-ai/talk-to-santa/package.json b/examples/conversational-ai/talk-to-santa/package.json index 20ce650..0f9ac20 100644 --- a/examples/conversational-ai/talk-to-santa/package.json +++ b/examples/conversational-ai/talk-to-santa/package.json @@ -18,6 +18,7 @@ "@react-three/drei": "^9.103.0", "@react-three/fiber": "9.0.0-alpha.8", "@vercel/analytics": "^1.4.1", + "@vercel/blob": "^0.26.0", "class-variance-authority": "^0.7.1", "clsx": "^2.1.1", "elevenlabs": "^0.18.1", @@ -25,13 +26,15 @@ "lottie-react": "^2.4.0", "lucide-react": "^0.462.0", "next": "15.0.3", + "next-safe-action": "^7.9.9", "react": "19.0.0-rc-66855b96-20241106", "react-dom": "19.0.0-rc-66855b96-20241106", "react-snowfall": "^2.2.0", "tailwind-merge": "^2.5.5", "tailwindcss-animate": "^1.0.7", "three": "^0.160.0", - "vaul": "^1.1.1" + "vaul": "^1.1.1", + "zod": "^3.23.8" }, "devDependencies": { "@types/node": "^20", diff --git a/examples/conversational-ai/talk-to-santa/pnpm-lock.yaml b/examples/conversational-ai/talk-to-santa/pnpm-lock.yaml index e6bec4f..0fd8f5e 100644 --- a/examples/conversational-ai/talk-to-santa/pnpm-lock.yaml +++ b/examples/conversational-ai/talk-to-santa/pnpm-lock.yaml @@ -35,6 +35,9 @@ importers: '@vercel/analytics': specifier: ^1.4.1 version: 1.4.1(next@15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106) + '@vercel/blob': + specifier: ^0.26.0 + version: 0.26.0 class-variance-authority: specifier: ^0.7.1 version: 0.7.1 @@ -56,6 +59,9 @@ importers: next: specifier: 15.0.3 version: 15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106) + next-safe-action: + specifier: ^7.9.9 + version: 7.9.9(next@15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106))(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106)(zod@3.23.8) react: specifier: 19.0.0-rc-66855b96-20241106 version: 19.0.0-rc-66855b96-20241106 @@ -77,6 +83,9 @@ importers: vaul: specifier: ^1.1.1 version: 1.1.1(@types/react-dom@18.3.1)(@types/react@18.3.12)(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106) + zod: + specifier: ^3.23.8 + version: 3.23.8 devDependencies: '@types/node': specifier: ^20 @@ -148,6 +157,10 @@ packages: resolution: {integrity: sha512-d9zaMRSTIKDLhctzH12MtXvJKSSUhaHcjV+2Z+GK+EEY7XKpP5yR4x+N3TAcHTcu963nIr+TMcCb4DBCYX1z6Q==} engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0} + '@fastify/busboy@2.1.1': + resolution: {integrity: sha512-vBZP4NlzfOlerQTnba4aqZoMhE/a9HY7HRqoOPaETQcSQuWEIyZMHGfVu6w9wGtGK5fED5qRs2DteVCjOH60sA==} + engines: {node: '>=14'} + '@humanwhocodes/config-array@0.13.0': resolution: {integrity: sha512-DZLEEqFWQFiyK6h5YIeynKx7JlvCYWL0cImfSRXZ9l4Sg2efkFGTuFf6vzXjK1cq6IYkU+Eg/JizXw+TD2vRNw==} engines: {node: '>=10.10.0'} @@ -849,6 +862,10 @@ packages: vue-router: optional: true + '@vercel/blob@0.26.0': + resolution: {integrity: sha512-5aF+bDYGFx5WgxGE+CeOWWI8GYD1I/JxAWl+R//+MgNjkTPpCKkUVjdchFOr622rEu2wuHAOtpLr5HYg7/uRAA==} + engines: {node: '>=16.14'} + '@webassemblyjs/ast@1.14.1': resolution: {integrity: sha512-nuBEDgQfm1ccRp/8bCQrx1frohyufl4JlbMMZ4P1wpeOfDhF6FQkxZJ1b/e+PLwr6X1Nhw6OLme5usuBWYBvuQ==} @@ -997,6 +1014,9 @@ packages: ast-types-flow@0.0.8: resolution: {integrity: sha512-OH/2E5Fg20h2aPrbe+QL8JZQFko0YZaF+j4mnQ7BGhfavO7OpSLa8a0y9sBwomHdSbkhTS8TQNayBfnW5DwbvQ==} + async-retry@1.3.3: + resolution: {integrity: sha512-wfr/jstw9xNi/0teMHrRW7dsz3Lt5ARhYNZ2ewpadnhaIp5mbALhOAP+EAdsC7t4Z6wqsDVv9+W6gm1Dk9mEyw==} + asynckit@0.4.0: resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==} @@ -1053,6 +1073,10 @@ packages: resolution: {integrity: sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==} engines: {node: '>=10.16.0'} + bytes@3.1.2: + resolution: {integrity: sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==} + engines: {node: '>= 0.8'} + call-bind@1.0.7: resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==} engines: {node: '>= 0.4'} @@ -1659,6 +1683,10 @@ packages: resolution: {integrity: sha512-kR5g0+dXf/+kXnqI+lu0URKYPKgICtHGGNCDSB10AaUFj3o/HkB3u7WfpRBJGFopxxY0oH3ux7ZsDjLtK7xqvw==} engines: {node: '>= 0.4'} + is-buffer@2.0.5: + resolution: {integrity: sha512-i2R6zNFDwgEHJyQUtJEk0XFi1i0dPFn/oqjK3/vPCcDeJvW5NQ83V8QbicfF1SupOaB0h8ntgBC2YiE7dfyctQ==} + engines: {node: '>=4'} + is-bun-module@1.3.0: resolution: {integrity: sha512-DgXeu5UWI0IsMQundYb5UAOzm6G2eVnarJ0byP6Tm55iZNKceD59LNPA2L4VvsScTtHcw0yEkVwSf7PC+QoLSA==} @@ -1706,6 +1734,9 @@ packages: resolution: {integrity: sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw==} engines: {node: '>= 0.4'} + is-node-process@1.2.0: + resolution: {integrity: sha512-Vg4o6/fqPxIjtxgUH5QLJhwZ7gW5diGCVlXpuUfELC62CuxM1iHcRe51f2W1FDy04Ai4KJkagKjx3XaqyfRKXw==} + is-number-object@1.1.0: resolution: {integrity: sha512-KVSZV0Dunv9DTPkhXwcZ3Q+tUc9TsaE1ZwX5J2WMvsSGS6Md8TFPun5uwh0yRdrNerI6vf/tbJxqSx4c1ZI1Lw==} engines: {node: '>= 0.4'} @@ -1950,6 +1981,27 @@ packages: neo-async@2.6.2: resolution: {integrity: sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==} + next-safe-action@7.9.9: + resolution: {integrity: sha512-wFKKCgfHNsObfbDrbOQV8WAE6RnVx7dwmuUazqdNaTL3ZdDzUlRTnIIVI36qSjmgA3zwwxj3nvfxgK9d0fWr5w==} + engines: {node: '>=18.17'} + peerDependencies: + '@sinclair/typebox': '>= 0.33.3' + next: '>= 14.0.0' + react: '>= 18.2.0' + react-dom: '>= 18.2.0' + valibot: '>= 0.36.0' + yup: '>= 1.0.0' + zod: '>= 3.0.0' + peerDependenciesMeta: + '@sinclair/typebox': + optional: true + valibot: + optional: true + yup: + optional: true + zod: + optional: true + next@15.0.3: resolution: {integrity: sha512-ontCbCRKJUIoivAdGB34yCaOcPgYXr9AAkV/IwqFfWWTXEPUgLYkSkqBhIk9KK7gGmgjc64B+RdoeIDM13Irnw==} engines: {node: ^18.18.0 || ^19.8.0 || >= 20.0.0} @@ -2282,6 +2334,10 @@ packages: resolution: {integrity: sha512-U7WjGVG9sH8tvjW5SmGbQuui75FiyjAX72HX15DwBBwF9dNiQZRQAg9nnPhYy+TUnE0+VcrttuvNI8oSxZcocA==} hasBin: true + retry@0.13.1: + resolution: {integrity: sha512-XQBQ3I8W1Cge0Seh+6gjj03LbmRFWuoszgK9ooCpwYIrhhoO80pfq4cUkU5DkknwfOfFteRwlZ56PYOGYyFWdg==} + engines: {node: '>= 4'} + reusify@1.0.4: resolution: {integrity: sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==} engines: {iojs: '>=1.0.0', node: '>=0.10.0'} @@ -2535,6 +2591,10 @@ packages: three@0.160.1: resolution: {integrity: sha512-Bgl2wPJypDOZ1stAxwfWAcJ0WQf7QzlptsxkjYiURPz+n5k4RBDLsq+6f9Y75TYxn6aHLcWz+JNmwTOXWrQTBQ==} + throttleit@2.1.0: + resolution: {integrity: sha512-nt6AMGKW1p/70DF/hGBdJB57B8Tspmbp5gfJ8ilhLnt7kkr2ye7hzD6NVG8GGErk2HWF34igrL2CXmNIkzKqKw==} + engines: {node: '>=18'} + to-regex-range@5.0.1: resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==} engines: {node: '>=8.0'} @@ -2608,6 +2668,10 @@ packages: undici-types@6.19.8: resolution: {integrity: sha512-ve2KP6f/JnbPBFyobGHuerC9g1FYGn/F8n1LWTwNxCEzd6IfqTwUQcNXgEtmmQ6DlRrC1hrSrBnCZPokRrDHjw==} + undici@5.28.4: + resolution: {integrity: sha512-72RFADWFqKmUb2hmmvNODKL3p9hcB6Gt2DOQMis1SEBaV6a4MH8soBvzg+95CYhCKPFedut2JY9bMfrDl9D23g==} + engines: {node: '>=14.0'} + update-browserslist-db@1.1.1: resolution: {integrity: sha512-R8UzCaa9Az+38REPiJ1tXlImTJXlVfgHZsglwBD/k6nj76ctsH1E3q4doGrukiLQd3sGQYu56r5+lo5r94l29A==} hasBin: true @@ -2736,6 +2800,9 @@ packages: resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==} engines: {node: '>=10'} + zod@3.23.8: + resolution: {integrity: sha512-XBx9AXhXktjUqnepgTiE5flcKIYWi/rme0Eaj+5Y0lftuGBq+jyRu/md4WnuxqgP1ubdpNCsYEYPxrzVHD8d6g==} + zustand@4.5.5: resolution: {integrity: sha512-+0PALYNJNgK6hldkgDq2vLrw5f6g/jCInz52n9RTpropGgeAf/ioFUCdtsjCqu4gNhW9D01rUQBROoRjdzyn2Q==} engines: {node: '>=12.7.0'} @@ -2812,6 +2879,8 @@ snapshots: '@eslint/js@8.57.1': {} + '@fastify/busboy@2.1.1': {} + '@humanwhocodes/config-array@0.13.0': dependencies: '@humanwhocodes/object-schema': 2.0.3 @@ -3450,6 +3519,15 @@ snapshots: next: 15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106) react: 19.0.0-rc-66855b96-20241106 + '@vercel/blob@0.26.0': + dependencies: + async-retry: 1.3.3 + bytes: 3.1.2 + is-buffer: 2.0.5 + is-node-process: 1.2.0 + throttleit: 2.1.0 + undici: 5.28.4 + '@webassemblyjs/ast@1.14.1': dependencies: '@webassemblyjs/helper-numbers': 1.13.2 @@ -3647,6 +3725,10 @@ snapshots: ast-types-flow@0.0.8: {} + async-retry@1.3.3: + dependencies: + retry: 0.13.1 + asynckit@0.4.0: {} available-typed-arrays@1.0.7: @@ -3700,6 +3782,8 @@ snapshots: dependencies: streamsearch: 1.1.0 + bytes@3.1.2: {} + call-bind@1.0.7: dependencies: es-define-property: 1.0.0 @@ -4454,6 +4538,8 @@ snapshots: call-bind: 1.0.7 has-tostringtag: 1.0.2 + is-buffer@2.0.5: {} + is-bun-module@1.3.0: dependencies: semver: 7.6.3 @@ -4492,6 +4578,8 @@ snapshots: is-negative-zero@2.0.3: {} + is-node-process@1.2.0: {} + is-number-object@1.1.0: dependencies: call-bind: 1.0.7 @@ -4711,6 +4799,14 @@ snapshots: neo-async@2.6.2: {} + next-safe-action@7.9.9(next@15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106))(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106)(zod@3.23.8): + dependencies: + next: 15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106) + react: 19.0.0-rc-66855b96-20241106 + react-dom: 19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106) + optionalDependencies: + zod: 3.23.8 + next@15.0.3(react-dom@19.0.0-rc-66855b96-20241106(react@19.0.0-rc-66855b96-20241106))(react@19.0.0-rc-66855b96-20241106): dependencies: '@next/env': 15.0.3 @@ -5034,6 +5130,8 @@ snapshots: path-parse: 1.0.7 supports-preserve-symlinks-flag: 1.0.0 + retry@0.13.1: {} + reusify@1.0.4: {} rimraf@3.0.2: @@ -5341,6 +5439,8 @@ snapshots: three@0.160.1: {} + throttleit@2.1.0: {} + to-regex-range@5.0.1: dependencies: is-number: 7.0.0 @@ -5434,6 +5534,10 @@ snapshots: undici-types@6.19.8: {} + undici@5.28.4: + dependencies: + '@fastify/busboy': 2.1.1 + update-browserslist-db@1.1.1(browserslist@4.24.2): dependencies: browserslist: 4.24.2 @@ -5591,6 +5695,8 @@ snapshots: yocto-queue@0.1.0: {} + zod@3.23.8: {} + zustand@4.5.5(@types/react@18.3.12)(react@19.0.0-rc-66855b96-20241106): dependencies: use-sync-external-store: 1.2.2(react@19.0.0-rc-66855b96-20241106)