text
stringlengths
21
253k
id
stringlengths
25
123
metadata
dict
__index_level_0__
int64
0
181
import { Sidebar } from "@/app/(app)/_components/sidebar"; import { Button } from "@/components/ui/button"; import { Sheet, SheetContent, SheetTrigger } from "@/components/ui/sheet"; import { MenuIcon } from "lucide-react"; type MobileSideNavProps = { sidebarNavIncludeIds?: string[]; sidebarNavRemoveIds?: string[]; showOrgSwitcher?: boolean; }; export function MobileSidenav({ showOrgSwitcher, sidebarNavIncludeIds, sidebarNavRemoveIds, }: MobileSideNavProps) { return ( <Sheet> <SheetTrigger asChild> <Button variant="outline" size="iconSmall"> <MenuIcon className="h-4 w-4" /> <p className="sr-only">Open menu</p> </Button> </SheetTrigger> <SheetContent side="left" className="px-3 pb-20 pt-10"> <Sidebar showLogo={false} showOrgSwitcher={showOrgSwitcher} sidebarNavIncludeIds={sidebarNavIncludeIds} sidebarNavRemoveIds={sidebarNavRemoveIds} /> </SheetContent> </Sheet> ); }
alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/_components/mobile-sidenav.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/_components/mobile-sidenav.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 567 }
11
import { AppPageLoading } from "@/app/(app)/_components/page-loading"; import { adminDashConfig } from "@/app/(app)/admin/dashboard/_constants/page-config"; import { Skeleton } from "@/components/ui/skeleton"; export default function AdminFeedbackPageLoading() { return ( <AppPageLoading title={adminDashConfig.title} description={adminDashConfig.description} > <Skeleton className="h-96 w-full" /> </AppPageLoading> ); }
alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/dashboard/loading.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/dashboard/loading.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 190 }
12
import { AppPageShell } from "@/app/(app)/_components/page-shell"; import { z } from "zod"; import type { SearchParams } from "@/types/data-table"; import { organizationsPageConfig } from "@/app/(app)/admin/organizations/_constants/page-config"; import { getPaginatedOrgsQuery } from "@/server/actions/organization/queries"; import { OrgsTable } from "@/app/(app)/admin/organizations/_components/orgs-table"; type UsersPageProps = { searchParams: SearchParams; }; const searchParamsSchema = z.object({ page: z.coerce.number().default(1), per_page: z.coerce.number().default(10), sort: z.string().optional(), email: z.string().optional(), name: z.string().optional(), operator: z.string().optional(), }); export default async function AdminOrganizationsPage({ searchParams, }: UsersPageProps) { const search = searchParamsSchema.parse(searchParams); const orgsPromise = getPaginatedOrgsQuery(search); return ( <AppPageShell title={organizationsPageConfig.title} description={organizationsPageConfig.description} > <div className="w-full"> <OrgsTable orgsPromise={orgsPromise} /> </div> </AppPageShell> ); }
alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/organizations/page.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/organizations/page.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 472 }
13
import { type Feature, features } from "@/config/features"; import { cn } from "@/lib/utils"; import Image from "next/image"; import Balancer from "react-wrap-balancer"; export default function Features() { return ( <section className="flex flex-col items-center justify-center gap-20 py-20"> <div className="grid gap-3"> <h2 className="text-center text-2xl font-bold text-foreground sm:text-3xl"> Starterkit Features </h2> <Balancer as="p" className="max-w-2xl text-center text-base text-muted-foreground sm:text-xl" > Starterkit features are designed to help you build a robust and scalable SaaS project. </Balancer> </div> <div className="grid max-w-6xl grid-cols-1 gap-4 md:grid-cols-2"> {features.map((feature, idx) => ( <FeatureCard key={feature.title + idx} index={idx + 1} {...feature} /> ))} </div> </section> ); } type FeatureCardProps = Feature & { index: number; }; function FeatureCard({ title, description, image, imageDark, index, }: FeatureCardProps) { return ( <div className="grid gap-10 rounded-[25px] border border-border bg-muted/50 p-10 transition-colors duration-300 hover:bg-muted/20 md:grid-cols-1"> <div className={cn( "-m-2 w-full rounded-xl bg-foreground/5 p-2 ring-1 ring-inset ring-foreground/10 lg:rounded-2xl", index % 2 === 0 ? "order-1" : "order-2", )} > <div className="relative aspect-video w-full rounded-md bg-muted"> <Image src={image} alt={title} fill className={cn( "block rounded-md border border-border", imageDark && "dark:hidden", )} priority /> {imageDark && ( <Image src={imageDark} alt={title} fill className="hidden rounded-md border border-border dark:block" priority /> )} </div> </div> <div className={cn( "order-1 flex flex-col gap-2", index % 2 === 0 ? "order-2" : "order-1", )} > <h3 className="text-xl font-bold text-foreground sm:text-2xl"> {title} </h3> <Balancer as="p" className="text-base text-muted-foreground"> {description} </Balancer> </div> </div> ); }
alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/_components/features.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/_components/features.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 1908 }
14
import { Card, CardContent, CardDescription, CardHeader, CardTitle, } from "@/components/ui/card"; import { Badge } from "@/components/ui/badge"; import { CheckIcon, XIcon } from "lucide-react"; import { type PrincingPlan, pricingPlans, pricingFeatures, } from "@/config/pricing"; import { cn } from "@/lib/utils"; import { Button } from "@/components/ui/button"; import { redirect } from "next/navigation"; import { siteUrls } from "@/config/urls"; /** * This is a customizable design for pricing plans. You can customize the design to your needs. * * @introduce a new pricing plan, please refer to @see /config/pricing.ts */ export function PricingTable() { return ( <div className="grid gap-4 md:grid-cols-2 lg:grid-cols-3"> {pricingPlans.map((pricing) => ( <PricingCard key={pricing.id} pricing={pricing} /> ))} </div> ); } type PricingCardProps = { pricing: PrincingPlan; }; function PricingCard({ pricing }: PricingCardProps) { return ( <Card className={cn( "relative px-6 py-20", pricing.buttonHighlighted && "border-2 border-primary", )} > {pricing.badge && ( <Badge variant="secondary" className="absolute inset-x-10 bottom-auto top-12 w-fit" > {pricing.badge} </Badge> )} <CardHeader> <CardTitle className="font-heading text-2xl font-bold"> {pricing.title} </CardTitle> <CardDescription>{pricing.description}</CardDescription> </CardHeader> <CardContent className="flex flex-col gap-5"> <p className="flex items-end gap-2"> <span className="font-heading text-4xl font-medium"> {pricing.currency.symbol} {pricing.price.monthly} </span> <span className="font-light text-muted-foreground"> {pricing.currency.code} {pricing.duration} </span> </p> <CardDescription className="font-light"> {pricing.highlight} </CardDescription> <form action={async () => { "use server"; redirect(siteUrls.dashboard.home); }} > <Button size="lg" className="w-full" type="submit" variant={ pricing.buttonHighlighted ? "default" : "secondary" } > Get Started </Button> </form> <div className="flex flex-col gap-4 pt-10"> <p className="text-sm font-medium"> Whats included in {pricing.title}: </p> <ul className="flex flex-col gap-2"> {pricing.uniqueFeatures?.map((feature, index) => ( <li key={feature + " " + index} className="flex items-start gap-3" > <CheckIcon className="h-5 w-5 flex-shrink-0" /> <span className="text-sm">{feature}</span> </li> ))} {pricingFeatures.map((feature) => ( <li key={feature.id} className="flex items-start gap-3" > {feature.inludedIn.includes(pricing.id) ? ( <CheckIcon className="h-5 w-5 flex-shrink-0" /> ) : ( <XIcon className="h-5 w-5 flex-shrink-0 text-muted-foreground/60" /> )} <span className={cn( "text-sm", !feature.inludedIn.includes(pricing.id) ? "text-muted-foreground/60" : "", )} > {feature.title} </span> </li> ))} </ul> </div> </CardContent> </Card> ); }
alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/pricing/_components/pricing-table.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/pricing/_components/pricing-table.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 3107 }
15
import { docs } from "@/app/source"; import type { Metadata } from "next"; import { DocsPage, DocsBody } from "fumadocs-ui/page"; import { notFound } from "next/navigation"; import { useMDXComponents } from "mdx-components"; import { RollButton } from "fumadocs-ui/components/roll-button"; export const dynamic = "force-static"; export default async function Page({ params, }: { params: { slug?: string[] }; }) { const page = docs.getPage(params.slug); if (page == null) { notFound(); } const MDX = page.data.exports.default; const components = useMDXComponents(); return ( <DocsPage toc={page.data.exports.toc}> <RollButton /> <DocsBody> <h1>{page.data.title}</h1> <p>{page.data.description}</p> <MDX components={components} /> </DocsBody> </DocsPage> ); } export async function generateStaticParams() { return docs.getPages().map((page) => ({ slug: page.slugs, })); } export function generateMetadata({ params }: { params: { slug?: string[] } }) { const page = docs.getPage(params.slug); if (page == null) notFound(); return { title: page.data.title, description: page.data.description, } satisfies Metadata; }
alifarooq9/rapidlaunch/starterkits/saas/src/app/docs/[[...slug]]/page.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/docs/[[...slug]]/page.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 553 }
16
"use client"; import React from "react"; import { ResponsiveContainer, LineChart as LineReCharts, Line, CartesianGrid, YAxis, XAxis, Tooltip, type CartesianGridProps, type YAxisProps, type XAxisProps, } from "recharts"; type LineChartProps = { data: unknown[]; lineDataKeys: string[]; xAxisDataKey: string; yAxisDataKey: string; lineProps?: React.ComponentPropsWithoutRef<typeof Line>[]; CartesionGridProps?: CartesianGridProps; yAxisProps?: YAxisProps; xAxisProps?: XAxisProps; }; export const LineChart = ({ data, lineDataKeys, xAxisDataKey, yAxisDataKey, lineProps, CartesionGridProps, yAxisProps, xAxisProps, }: LineChartProps) => { return ( <ResponsiveContainer width="100%" minHeight={250}> <LineReCharts data={data}> {lineDataKeys.map((lineDataKey, index) => ( <Line key={lineDataKey} type="monotone" dataKey={lineDataKey} stroke="hsl(var(--primary))" dot={false} {...(lineProps?.[index] ?? {})} /> ))} <CartesianGrid stroke="hsl(var(--border))" strokeDasharray="3 3" {...CartesionGridProps} /> <YAxis stroke="hsl(var(--muted-foreground))" strokeOpacity={0.2} fontSize={"0.75rem"} fontWeight={500} tickCount={6} tickMargin={18} tickLine={false} axisLine={false} dataKey={yAxisDataKey} {...yAxisProps} /> <XAxis dataKey={xAxisDataKey} tickCount={5} stroke="hsl(var(--muted-foreground))" strokeOpacity={0.2} fontSize={"0.75rem"} fontWeight={500} tickLine={false} axisLine={false} tickMargin={16} {...xAxisProps} /> <Tooltip cursorStyle={{ stroke: "hsl(var(--border))", }} content={({ active, payload }) => { if (active && payload) { const payloadItemArray = payload.length > 0 ? [ { key: xAxisDataKey, value: ( payload[0]?.payload as Record< string, unknown > )[xAxisDataKey] as string, }, ...payload?.map((pl) => ({ key: pl.dataKey ?? "", value: pl.value as string, stroke: pl.stroke ?? "hsl(var(--primary))", })), ] : []; return <CustomTooltip payload={payloadItemArray} />; } return null; }} /> </LineReCharts> </ResponsiveContainer> ); }; type CustomTooltipProps = { payload: { key: string | number; value: string; stroke?: string }[]; }; export const CustomTooltip = ({ payload }: CustomTooltipProps) => { if (payload.length === 0) return null; return ( <div className="grid divide-y rounded-sm border border-border bg-background shadow-md"> {payload.map(({ key, value, stroke }) => ( <p key={key} className="flex flex-row items-center justify-start gap-2 p-2 text-xs" > {stroke && ( <span className="h-1.5 w-1.5 rounded-full" style={{ backgroundColor: stroke }} /> )} <span className="font-medium text-muted-foreground"> {String(key)}: </span> <span className="font-medium">{value}</span> </p> ))} </div> ); };
alifarooq9/rapidlaunch/starterkits/saas/src/components/charts.tsx
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/components/charts.tsx", "repo_id": "alifarooq9/rapidlaunch", "token_count": 3355 }
17
import { Inter, Bricolage_Grotesque } from "next/font/google"; export const fontSans = Inter({ subsets: ["latin"], variable: "--font-sans", }); export const fontHeading = Bricolage_Grotesque({ subsets: ["latin"], variable: "--font-heading", });
alifarooq9/rapidlaunch/starterkits/saas/src/lib/fonts.ts
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/lib/fonts.ts", "repo_id": "alifarooq9/rapidlaunch", "token_count": 98 }
18
import { drizzle } from "drizzle-orm/postgres-js"; import postgres from "postgres"; import { env } from "@/env.js"; import * as schema from "./schema"; const globalForDb = globalThis as unknown as { conn: postgres.Sql | undefined; }; const conn = globalForDb.conn ?? postgres(env.DATABASE_URL); if (env.NODE_ENV !== "production") globalForDb.conn = conn; export const db = drizzle(conn, { schema });
alifarooq9/rapidlaunch/starterkits/saas/src/server/db/index.ts
{ "file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/server/db/index.ts", "repo_id": "alifarooq9/rapidlaunch", "token_count": 140 }
19
'use client'; import type { Database } from '@/types/types_db'; import { createPagesBrowserClient } from '@supabase/auth-helpers-nextjs'; import type { SupabaseClient } from '@supabase/auth-helpers-nextjs'; import { useRouter } from 'next/navigation'; import { createContext, useContext, useEffect, useState } from 'react'; type SupabaseContext = { supabase: SupabaseClient<Database>; }; const Context = createContext<SupabaseContext | undefined>(undefined); export default function SupabaseProvider({ children }: { children: React.ReactNode; }) { const [supabase] = useState(() => createPagesBrowserClient()); const router = useRouter(); useEffect(() => { const { data: { subscription } } = supabase.auth.onAuthStateChange((event) => { if (event === 'SIGNED_IN') router.refresh(); }); return () => { subscription.unsubscribe(); }; }, [router, supabase]); return <Context.Provider value={{ supabase }}>{children}</Context.Provider>; } export const useSupabase = () => { const context = useContext(Context); if (context === undefined) { throw new Error('useSupabase must be used inside SupabaseProvider'); } return context; };
horizon-ui/shadcn-nextjs-boilerplate/app/supabase-provider.tsx
{ "file_path": "horizon-ui/shadcn-nextjs-boilerplate/app/supabase-provider.tsx", "repo_id": "horizon-ui/shadcn-nextjs-boilerplate", "token_count": 383 }
20
import { Button } from '../ui/button'; import { DropdownMenu, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuTrigger, } from '@/components/ui/dropdown-menu'; import React from 'react'; import { AiOutlineUser } from 'react-icons/ai'; import { AiOutlineShop } from 'react-icons/ai'; import { BsThreeDots } from 'react-icons/bs'; import { FiSettings } from 'react-icons/fi'; import { TiLightbulb } from 'react-icons/ti'; function CardMenu(props: { transparent?: boolean; vertical?: boolean }) { const { transparent, vertical } = props; const [open, setOpen] = React.useState(false); return ( <div> <DropdownMenu> <DropdownMenuTrigger asChild> <Button onClick={() => setOpen(!open)} className={`flex items-center text-xl hover:cursor-pointer ${ transparent ? 'bg-transparent text-white hover:bg-transparent active:bg-transparent' : vertical ? 'bg-transparent text-zinc-950 hover:bg-transparent active:bg-transparent dark:text-white dark:hover:bg-transparent dark:active:bg-transparent' : 'bg-lightPrimary text-brand-500 p-2 hover:bg-gray-100 dark:bg-zinc-950 dark:text-white dark:hover:bg-white/20 dark:active:bg-white/10' } justify-center rounded-lg font-bold transition duration-200`} > {vertical ? ( <p className="text-2xl hover:cursor-pointer"> <BsThreeDots /> </p> ) : ( <BsThreeDots className="h-6 w-6" /> )} </Button> </DropdownMenuTrigger> <DropdownMenuContent className="z-[80] w-40 border-zinc-200 dark:border-zinc-800"> <DropdownMenuGroup> <DropdownMenuItem> <p className="flex cursor-pointer items-center gap-2 text-zinc-800 hover:font-medium hover:text-zinc-950 dark:text-zinc-200 dark:hover:text-white"> <span> <AiOutlineUser /> </span> Panel 1 </p> </DropdownMenuItem> <DropdownMenuItem> <p className="mt-2 flex cursor-pointer items-center gap-2 pt-1 text-zinc-950 hover:font-medium hover:text-zinc-950 dark:text-zinc-200 dark:hover:text-white"> <span> <AiOutlineShop /> </span> Panel 2 </p> </DropdownMenuItem> <DropdownMenuItem> <p className="mt-2 flex cursor-pointer items-center gap-2 pt-1 text-zinc-950 hover:font-medium hover:text-zinc-950 dark:text-zinc-200 dark:hover:text-white"> <span> <TiLightbulb /> </span> Panel 3 </p> </DropdownMenuItem> <DropdownMenuItem> <p className="mt-2 flex cursor-pointer items-center gap-2 pt-1 text-zinc-950 hover:font-medium hover:text-zinc-950 dark:text-zinc-200 dark:hover:text-white"> <span> <FiSettings /> </span> Panel 4 </p> </DropdownMenuItem> </DropdownMenuGroup> </DropdownMenuContent> </DropdownMenu> </div> ); } export default CardMenu;
horizon-ui/shadcn-nextjs-boilerplate/components/card/CardMenu.tsx
{ "file_path": "horizon-ui/shadcn-nextjs-boilerplate/components/card/CardMenu.tsx", "repo_id": "horizon-ui/shadcn-nextjs-boilerplate", "token_count": 1637 }
21
/*eslint-disable*/ 'use client'; interface Props { status?: 'danger' | 'waiting' | 'confirmed'; message: string; time: string; className?: string; } export default function Notification(props: Props) { return ( <div className={`relative mx-auto flex w-full max-w-full md:pt-[unset] ${props.className}`} > <div className={`w-2 h-2 mt-1 me-4 rounded-full ${ props.status === 'danger' ? 'bg-red-500' : props.status === 'waiting' ? 'bg-yellow-500' : props.status === 'confirmed' ? 'bg-green-500' : 'bg-blue-500' }`} /> <div> <p className="text-zinc-950 dark:text-white font-medium mb-1"> {props.message} </p> <p className="text-zinc-500 dark:text-zinc-400 font-medium"> {props.time} </p> </div> </div> ); }
horizon-ui/shadcn-nextjs-boilerplate/components/notification/index.tsx
{ "file_path": "horizon-ui/shadcn-nextjs-boilerplate/components/notification/index.tsx", "repo_id": "horizon-ui/shadcn-nextjs-boilerplate", "token_count": 464 }
22
'use client' import { createClient } from '@/utils/supabase/client'; import { type Provider } from '@supabase/supabase-js'; import { getURL } from '@/utils/helpers'; import { redirectToPath } from './server'; import { AppRouterInstance } from 'next/dist/shared/lib/app-router-context.shared-runtime'; export async function handleRequest( e: React.FormEvent<HTMLFormElement>, requestFunc: (formData: FormData) => Promise<string>, router: AppRouterInstance | null = null ): Promise<boolean | void> { // Prevent default form submission refresh e.preventDefault(); const formData = new FormData(e.currentTarget); const redirectUrl: string = await requestFunc(formData); if (router) { // If client-side router is provided, use it to redirect return router.push(redirectUrl); } else { // Otherwise, redirect server-side return await redirectToPath(redirectUrl); } } export async function signInWithOAuth(e: React.FormEvent<HTMLFormElement>) { // Prevent default form submission refresh e.preventDefault(); const formData = new FormData(e.currentTarget); const provider = String(formData.get('provider')).trim() as Provider; // Create client-side supabase client and call signInWithOAuth const supabase = createClient(); const redirectURL = getURL('/auth/callback'); await supabase.auth.signInWithOAuth({ provider: provider, options: { redirectTo: redirectURL } }); }
horizon-ui/shadcn-nextjs-boilerplate/utils/auth-helpers/client.ts
{ "file_path": "horizon-ui/shadcn-nextjs-boilerplate/utils/auth-helpers/client.ts", "repo_id": "horizon-ui/shadcn-nextjs-boilerplate", "token_count": 442 }
23
import { SupabaseClient } from '@supabase/supabase-js'; import { cache } from 'react'; export const getUser = cache(async (supabase: SupabaseClient) => { const { data: { user } } = await supabase.auth.getUser(); return user; }); export const getUserDetails = cache(async (supabase: SupabaseClient) => { const { data: userDetails } = await supabase .from('users') .select('*') .single(); return userDetails; });
horizon-ui/shadcn-nextjs-boilerplate/utils/supabase/queries.ts
{ "file_path": "horizon-ui/shadcn-nextjs-boilerplate/utils/supabase/queries.ts", "repo_id": "horizon-ui/shadcn-nextjs-boilerplate", "token_count": 149 }
24
import { fileURLToPath } from 'node:url'; import withBundleAnalyzer from '@next/bundle-analyzer'; import { withSentryConfig } from '@sentry/nextjs'; import createJiti from 'jiti'; import withNextIntl from 'next-intl/plugin'; const jiti = createJiti(fileURLToPath(import.meta.url)); jiti('./src/libs/Env'); const withNextIntlConfig = withNextIntl('./src/libs/i18n.ts'); const bundleAnalyzer = withBundleAnalyzer({ enabled: process.env.ANALYZE === 'true', }); /** @type {import('next').NextConfig} */ export default withSentryConfig( bundleAnalyzer( withNextIntlConfig({ eslint: { dirs: ['.'], }, poweredByHeader: false, reactStrictMode: true, experimental: { serverComponentsExternalPackages: ['@electric-sql/pglite'], }, }), ), { // For all available options, see: // https://github.com/getsentry/sentry-webpack-plugin#options // FIXME: Add your Sentry organization and project names org: 'nextjs-boilerplate-org', project: 'nextjs-boilerplate', // Only print logs for uploading source maps in CI silent: !process.env.CI, // For all available options, see: // https://docs.sentry.io/platforms/javascript/guides/nextjs/manual-setup/ // Upload a larger set of source maps for prettier stack traces (increases build time) widenClientFileUpload: true, // Route browser requests to Sentry through a Next.js rewrite to circumvent ad-blockers. // This can increase your server load as well as your hosting bill. // Note: Check that the configured route will not match with your Next.js middleware, otherwise reporting of client- // side errors will fail. tunnelRoute: '/monitoring', // Hides source maps from generated client bundles hideSourceMaps: true, // Automatically tree-shake Sentry logger statements to reduce bundle size disableLogger: true, // Enables automatic instrumentation of Vercel Cron Monitors. (Does not yet work with App Router route handlers.) // See the following for more information: // https://docs.sentry.io/product/crons/ // https://vercel.com/docs/cron-jobs automaticVercelMonitors: true, // Disable Sentry telemetry telemetry: false, }, );
ixartz/SaaS-Boilerplate/next.config.mjs
{ "file_path": "ixartz/SaaS-Boilerplate/next.config.mjs", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 757 }
25
import { useTranslations } from 'next-intl'; import { getTranslations } from 'next-intl/server'; import { DashboardHeader } from '@/features/dashboard/DashboardHeader'; export async function generateMetadata(props: { params: { locale: string } }) { const t = await getTranslations({ locale: props.params.locale, namespace: 'Dashboard', }); return { title: t('meta_title'), description: t('meta_description'), }; } export default function DashboardLayout(props: { children: React.ReactNode }) { const t = useTranslations('DashboardLayout'); return ( <> <div className="shadow-md"> <div className="mx-auto flex max-w-screen-xl items-center justify-between px-3 py-4"> <DashboardHeader menu={[ { href: '/dashboard', label: t('home'), }, // PRO: Link to the /dashboard/todos page { href: '/dashboard/organization-profile/organization-members', label: t('members'), }, { href: '/dashboard/organization-profile', label: t('settings'), }, // PRO: Link to the /dashboard/billing page ]} /> </div> </div> <div className="min-h-[calc(100vh-72px)] bg-muted"> <div className="mx-auto max-w-screen-xl px-3 pb-16 pt-6"> {props.children} </div> </div> </> ); } export const dynamic = 'force-dynamic';
ixartz/SaaS-Boilerplate/src/app/[locale]/(auth)/dashboard/layout.tsx
{ "file_path": "ixartz/SaaS-Boilerplate/src/app/[locale]/(auth)/dashboard/layout.tsx", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 733 }
26
import { render, screen } from '@testing-library/react'; import userEvent from '@testing-library/user-event'; import { vi } from 'vitest'; import { ToggleMenuButton } from './ToggleMenuButton'; describe('ToggleMenuButton', () => { describe('onClick props', () => { it('should call the callback when the user click on the button', async () => { const handler = vi.fn(); render(<ToggleMenuButton onClick={handler} />); const button = screen.getByRole('button'); await userEvent.click(button); expect(handler).toHaveBeenCalled(); }); }); });
ixartz/SaaS-Boilerplate/src/components/ToggleMenuButton.test.tsx
{ "file_path": "ixartz/SaaS-Boilerplate/src/components/ToggleMenuButton.test.tsx", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 195 }
27
import { useTranslations } from 'next-intl'; import React from 'react'; import type { BillingInterval, PlanId } from '@/types/Subscription'; export const PricingCard = (props: { planId: PlanId; price: number; interval: BillingInterval; button: React.ReactNode; children: React.ReactNode; }) => { const t = useTranslations('PricingPlan'); return ( <div className="rounded-xl border border-border px-6 py-8 text-center"> <div className="text-lg font-semibold"> {t(`${props.planId}_plan_name`)} </div> <div className="mt-3 flex items-center justify-center"> <div className="text-5xl font-bold"> {`$${props.price}`} </div> <div className="ml-1 text-muted-foreground"> {`/ ${t(`plan_interval_${props.interval}`)}`} </div> </div> <div className="mt-2 text-sm text-muted-foreground"> {t(`${props.planId}_plan_description`)} </div> {props.button} <ul className="mt-8 space-y-3">{props.children}</ul> </div> ); };
ixartz/SaaS-Boilerplate/src/features/billing/PricingCard.tsx
{ "file_path": "ixartz/SaaS-Boilerplate/src/features/billing/PricingCard.tsx", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 468 }
28
import { act, renderHook } from '@testing-library/react'; import { useMenu } from './UseMenu'; describe('UseMenu', () => { describe('Render hook', () => { it('shouldn\'t show the menu by default', async () => { const { result } = renderHook(() => useMenu()); expect(result.current.showMenu).toBeFalsy(); }); it('should make the menu visible by toggling the menu', () => { const { result } = renderHook(() => useMenu()); act(() => { result.current.handleToggleMenu(); }); expect(result.current.showMenu).toBeTruthy(); }); it('shouldn\'t make the menu visible after toggling and closing the menu', () => { const { result } = renderHook(() => useMenu()); act(() => { result.current.handleClose(); }); expect(result.current.showMenu).toBeFalsy(); }); it('shouldn\'t make the menu visible after toggling the menu twice', () => { const { result } = renderHook(() => useMenu()); act(() => { result.current.handleToggleMenu(); result.current.handleToggleMenu(); }); expect(result.current.showMenu).toBeFalsy(); }); }); });
ixartz/SaaS-Boilerplate/src/hooks/UseMenu.test.ts
{ "file_path": "ixartz/SaaS-Boilerplate/src/hooks/UseMenu.test.ts", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 452 }
29
import { useTranslations } from 'next-intl'; import { Background } from '@/components/Background'; import { FeatureCard } from '@/features/landing/FeatureCard'; import { Section } from '@/features/landing/Section'; export const Features = () => { const t = useTranslations('Features'); return ( <Background> <Section subtitle={t('section_subtitle')} title={t('section_title')} description={t('section_description')} > <div className="grid grid-cols-1 gap-x-3 gap-y-8 md:grid-cols-3"> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature1_title')} > {t('feature_description')} </FeatureCard> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature2_title')} > {t('feature_description')} </FeatureCard> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature3_title')} > {t('feature_description')} </FeatureCard> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature4_title')} > {t('feature_description')} </FeatureCard> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature5_title')} > {t('feature_description')} </FeatureCard> <FeatureCard icon={( <svg className="stroke-primary-foreground stroke-2" xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" strokeLinecap="round" strokeLinejoin="round" > <path d="M0 0h24v24H0z" stroke="none" /> <path d="M12 3l8 4.5v9L12 21l-8-4.5v-9L12 3M12 12l8-4.5M12 12v9M12 12L4 7.5" /> </svg> )} title={t('feature6_title')} > {t('feature_description')} </FeatureCard> </div> </Section> </Background> ); };
ixartz/SaaS-Boilerplate/src/templates/Features.tsx
{ "file_path": "ixartz/SaaS-Boilerplate/src/templates/Features.tsx", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 2722 }
30
import { expect, test } from '@playwright/test'; // Checkly is a tool used to monitor deployed environments, such as production or preview environments. // It runs end-to-end tests with the `.check.e2e.ts` extension after each deployment to ensure that the environment is up and running. // With Checkly, you can monitor your production environment and run `*.check.e2e.ts` tests regularly at a frequency of your choice. // If the tests fail, Checkly will notify you via email, Slack, or other channels of your choice. // On the other hand, E2E tests ending with `*.e2e.ts` are only run before deployment. // You can run them locally or on CI to ensure that the application is ready for deployment. // BaseURL needs to be explicitly defined in the test file. // Otherwise, Checkly runtime will throw an exception: `CHECKLY_INVALID_URL: Only URL's that start with http(s)` // You can't use `goto` function directly with a relative path like with other *.e2e.ts tests. // Check the example at https://feedback.checklyhq.com/changelog/new-changelog-436 test.describe('Sanity', () => { test.describe('Static pages', () => { test('should display the homepage', async ({ page, baseURL }) => { await page.goto(`${baseURL}/`); await expect(page.getByText('The perfect SaaS template to build')).toBeVisible(); }); }); });
ixartz/SaaS-Boilerplate/tests/e2e/Sanity.check.e2e.ts
{ "file_path": "ixartz/SaaS-Boilerplate/tests/e2e/Sanity.check.e2e.ts", "repo_id": "ixartz/SaaS-Boilerplate", "token_count": 386 }
31
import { eventHandler, setResponseHeader, defaultContentType } from 'h3'; import { Resvg, initWasm } from '@resvg/resvg-wasm'; import wasm from './loadWasm'; var initializedResvg = initWasm(wasm); export default eventHandler(async (event) => { const { params = {} } = event.context; await initializedResvg; const imageSize = 96; const [iconSizeString, svgData] = params.data.split('/'); const iconSize = parseInt(iconSizeString, 10); const data = svgData.slice(0, -4); const src = Buffer.from(data, 'base64').toString('utf8'); const svg = (src.includes('<svg') ? src : `<svg>${src}</svg>`) .replace(/(\r\n|\n|\r)/gm, '') .replace( /<svg[^>]*/, `<svg xmlns="http://www.w3.org/2000/svg" width="${iconSize}" height="${iconSize}" viewBox="0 0 24 24" fill="none" stroke="#fff" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" `, ); const resvg = new Resvg(svg, { background: '#000' }); const pngData = resvg.render(); const pngBuffer = Buffer.from(pngData.asPng()); defaultContentType(event, 'image/svg+xml'); setResponseHeader(event, 'Cache-Control', 'public,max-age=31536000'); return ` <svg xmlns="http://www.w3.org/2000/svg" width="${imageSize}" height="${imageSize}" viewBox="0 0 ${imageSize} ${imageSize}"> <style> @media screen and (prefers-color-scheme: light) { #fallback-background { fill: transparent; } } @media screen and (prefers-color-scheme: dark) { #fallback-background { fill: transparent; } rect { fill: #fff; } } </style> <mask id="mask"> <image width="${imageSize}" height="${imageSize}" href="data:image/png;base64,${pngBuffer.toString('base64')}" image-rendering="pixelated" /> </mask> <rect id="fallback-background" width="${imageSize}" height="${imageSize}" ry="${imageSize / 24}" fill="#fff" /> <rect width="${imageSize}" height="${imageSize}" fill="#000" mask="url(#mask)" /> </svg>`; });
lucide-icons/lucide/docs/.vitepress/api/gh-icon/dpi/[...data].get.ts
{ "file_path": "lucide-icons/lucide/docs/.vitepress/api/gh-icon/dpi/[...data].get.ts", "repo_id": "lucide-icons/lucide", "token_count": 810 }
32
import React from 'react'; import { PathProps, Path } from './types'; import { getPaths, assert } from './utils'; export const darkModeCss = ` @media screen and (prefers-color-scheme: light) { .svg-preview-grid-rect { fill: none } } @media screen and (prefers-color-scheme: dark) { .svg-preview-grid-rect { fill: none } .svg .svg-preview-grid-group, .svg-preview-radii-group, .svg-preview-shadow-mask-group, .svg-preview-shadow-group { stroke: #fff; } } `; export const Grid = ({ radius, fill = '#fff', ...props }: { strokeWidth: number; radius: number; } & PathProps<'stroke', 'strokeWidth'>) => ( <g className="svg-preview-grid-group" strokeLinecap="butt" {...props} > <rect className="svg-preview-grid-rect" width={24 - props.strokeWidth} height={24 - props.strokeWidth} x={props.strokeWidth / 2} y={props.strokeWidth / 2} rx={radius} fill={fill} /> <path strokeDasharray={'0 0.1 ' + '0.1 0.15 '.repeat(11) + '0 0.15'} strokeWidth={0.1} d={ props.d || new Array(Math.floor(24 - 1)) .fill(null) .map((_, i) => i) .filter((i) => i % 3 !== 2) .flatMap((i) => [ `M${props.strokeWidth} ${i + 1}h${24 - props.strokeWidth * 2}`, `M${i + 1} ${props.strokeWidth}v${24 - props.strokeWidth * 2}`, ]) .join('') } /> <path d={ props.d || new Array(Math.floor(24 - 1)) .fill(null) .map((_, i) => i) .filter((i) => i % 3 === 2) .flatMap((i) => [ `M${props.strokeWidth} ${i + 1}h${24 - props.strokeWidth * 2}`, `M${i + 1} ${props.strokeWidth}v${24 - props.strokeWidth * 2}`, ]) .join('') } /> </g> ); const Shadow = ({ radius, paths, ...props }: { radius: number; paths: Path[]; } & PathProps<'stroke' | 'strokeWidth' | 'strokeOpacity', 'd'>) => { const groupedPaths = Object.entries( paths.reduce( (groups, val) => { const key = val.c.id; groups[key] = [...(groups[key] || []), val]; return groups; }, {} as Record<number, Path[]>, ), ); return ( <> <g className="svg-preview-shadow-mask-group" {...props} > {groupedPaths.map(([id, paths]) => ( <mask id={`svg-preview-shadow-mask-${id}`} maskUnits="userSpaceOnUse" strokeOpacity="1" strokeWidth={props.strokeWidth} stroke="#000" > <rect x={0} y={0} width={24} height={24} fill="#fff" stroke="none" rx={radius} /> <path d={paths .flatMap(({ prev, next }) => [ `M${prev.x} ${prev.y}h.01`, `M${next.x} ${next.y}h.01`, ]) .filter((val, idx, arr) => arr.indexOf(val) === idx) .join('')} /> </mask> ))} </g> <g className="svg-preview-shadow-group" {...props} > {paths.map(({ d, c: { id } }, i) => ( <path key={i} mask={`url(#svg-preview-shadow-mask-${id})`} d={d} /> ))} <path d={paths .flatMap(({ prev, next }) => [`M${prev.x} ${prev.y}h.01`, `M${next.x} ${next.y}h.01`]) .filter((val, idx, arr) => arr.indexOf(val) === idx) .join('')} /> </g> </> ); }; const ColoredPath = ({ colors, paths, ...props }: { paths: Path[]; colors: string[] } & PathProps<never, 'd' | 'stroke'>) => ( <g className="svg-preview-colored-path-group" {...props} > {paths.map(({ d, c }, i) => ( <path key={i} d={d} stroke={colors[(c.name === 'path' ? i : c.id) % colors.length]} /> ))} </g> ); const ControlPath = ({ paths, radius, pointSize, ...props }: { pointSize: number; paths: Path[]; radius: number } & PathProps< 'stroke' | 'strokeWidth', 'd' >) => { const controlPaths = paths.map((path, i) => { const element = paths.filter((p) => p.c.id === path.c.id); const lastElement = element.at(-1)?.next; assert(lastElement); const isClosed = element[0].prev.x === lastElement.x && element[0].prev.y === lastElement.y; const showMarker = !['rect', 'circle', 'ellipse'].includes(path.c.name); return { ...path, showMarker, startMarker: showMarker && path.isStart && !isClosed, endMarker: showMarker && paths[i + 1]?.isStart !== false && !isClosed, }; }); return ( <> <g className="svg-preview-control-path-marker-mask-group" strokeWidth={pointSize} stroke="#000" > {controlPaths.map(({ prev, next, showMarker }, i) => { return ( showMarker && ( <mask id={`svg-preview-control-path-marker-mask-${i}`} key={i} maskUnits="userSpaceOnUse" > <rect x="0" y="0" width="24" height="24" fill="#fff" stroke="none" rx={radius} /> <path d={`M${prev.x} ${prev.y}h.01`} /> <path d={`M${next.x} ${next.y}h.01`} /> </mask> ) ); })} </g> <g className="svg-preview-control-path-group" {...props} > {controlPaths.map(({ d, showMarker }, i) => ( <path key={i} mask={showMarker ? `url(#svg-preview-control-path-marker-mask-${i})` : undefined} d={d} /> ))} </g> <g className="svg-preview-control-path-marker-group" {...props} > <path d={controlPaths .flatMap(({ prev, next, showMarker }) => showMarker ? [`M${prev.x} ${prev.y}h.01`, `M${next.x} ${next.y}h.01`] : [], ) .join('')} /> {controlPaths.map(({ d, prev, next, startMarker, endMarker }, i) => ( <React.Fragment key={i}> {startMarker && ( <circle cx={prev.x} cy={prev.y} r={pointSize / 2} /> )} {endMarker && ( <circle cx={next.x} cy={next.y} r={pointSize / 2} /> )} </React.Fragment> ))} </g> </> ); }; const Radii = ({ paths, ...props }: { paths: Path[] } & PathProps< 'strokeWidth' | 'stroke' | 'strokeDasharray' | 'strokeOpacity', any >) => { return ( <g className="svg-preview-radii-group" {...props} > {paths.map( ({ c, prev, next, circle }, i) => circle && ( <React.Fragment key={i}> {c.name !== 'circle' && ( <path d={`M${prev.x} ${prev.y} ${circle.x} ${circle.y} ${next.x} ${next.y}`} /> )} <circle cy={circle.y} cx={circle.x} r={0.25} strokeDasharray="0" stroke={ (Math.round(circle.x * 100) / 100) % 1 !== 0 || (Math.round(circle.y * 100) / 100) % 1 !== 0 ? 'red' : undefined } /> <circle cy={circle.y} cx={circle.x} r={circle.r} stroke={(Math.round(circle.r * 1000) / 1000) % 1 !== 0 ? 'red' : undefined} /> </React.Fragment> ), )} </g> ); }; const Handles = ({ paths, ...props }: { paths: Path[] } & PathProps< 'strokeWidth' | 'stroke' | 'strokeDasharray' | 'strokeOpacity', any >) => { return ( <g className="svg-preview-handles-group" {...props} > {paths.map(({ c, prev, next, cp1, cp2 }) => ( <> {cp1 && <path d={`M${prev.x} ${prev.y} ${cp1.x} ${cp1.y}`} />} {cp1 && ( <circle cy={cp1.y} cx={cp1.x} r={0.25} /> )} {cp2 && <path d={`M${next.x} ${next.y} ${cp2.x} ${cp2.y}`} />} {cp2 && ( <circle cy={cp2.y} cx={cp2.x} r={0.25} /> )} </> ))} </g> ); }; const SvgPreview = React.forwardRef< SVGSVGElement, { src: string | ReturnType<typeof getPaths>; showGrid?: boolean; } & React.SVGProps<SVGSVGElement> >(({ src, children, showGrid = false, ...props }, ref) => { const paths = typeof src === 'string' ? getPaths(src) : src; return ( <svg ref={ref} xmlns="http://www.w3.org/2000/svg" width={24} height={24} viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth={2} strokeLinecap="round" strokeLinejoin="round" {...props} > <style>{darkModeCss}</style> {showGrid && ( <Grid strokeWidth={0.1} stroke="#777" strokeOpacity={0.3} radius={1} /> )} <Shadow paths={paths} strokeWidth={4} stroke="#777" radius={1} strokeOpacity={0.15} /> <Handles paths={paths} strokeWidth={0.12} stroke="#777" strokeOpacity={0.6} /> <ColoredPath paths={paths} colors={[ '#1982c4', '#4267AC', '#6a4c93', '#B55379', '#FF595E', '#FF7655', '#ff924c', '#FFAE43', '#ffca3a', '#C5CA30', '#8ac926', '#52A675', ]} /> <Radii paths={paths} strokeWidth={0.12} strokeDasharray="0 0.25 0.25" stroke="#777" strokeOpacity={0.3} /> <ControlPath radius={1} paths={paths} pointSize={1} stroke="#fff" strokeWidth={0.125} /> <Handles paths={paths} strokeWidth={0.12} stroke="#FFF" strokeOpacity={0.3} /> {children} </svg> ); }); export default SvgPreview;
lucide-icons/lucide/docs/.vitepress/lib/SvgPreview/index.tsx
{ "file_path": "lucide-icons/lucide/docs/.vitepress/lib/SvgPreview/index.tsx", "repo_id": "lucide-icons/lucide", "token_count": 6182 }
33
import { onMounted, onUpdated, onUnmounted } from 'vue'; import { throttleAndDebounce } from 'vitepress/dist/client/theme-default/support/utils'; /* * This file is compied and adjusted from vitepress/dist/client/theme-default/composables/useActiveAnchor.ts */ export function useActiveAnchor(container, marker) { const setActiveLinkDebounced = throttleAndDebounce(setActiveLink, 100); let prevActiveLink = null; onMounted(() => { requestAnimationFrame(setActiveLink); window.addEventListener('scroll', setActiveLinkDebounced); }); onUpdated(() => { // sidebar update means a route change activateLink(location.hash); }); onUnmounted(() => { window.removeEventListener('scroll', setActiveLinkDebounced); }); function setActiveLink() { const links = [].slice.call(container.value.querySelectorAll('.outline-link')); const anchors = [].slice .call(document.querySelectorAll('.content .header-anchor')) .filter((anchor) => { return links.some((link) => { return link.hash === anchor.hash && anchor.offsetParent !== null; }); }); const scrollY = window.scrollY; const innerHeight = window.innerHeight; const offsetHeight = document.body.offsetHeight; const isBottom = Math.abs(scrollY + innerHeight - offsetHeight) < 1; // page bottom - highlight last one if (anchors.length && isBottom) { activateLink(anchors[anchors.length - 1].hash); return; } for (let i = 0; i < anchors.length; i++) { const anchor = anchors[i]; const nextAnchor = anchors[i + 1]; const [isActive, hash] = isAnchorActive(i, anchor, nextAnchor); if (isActive) { activateLink(hash); return; } } } function activateLink(hash) { if (prevActiveLink) { prevActiveLink.classList.remove('active'); } if (hash !== null) { prevActiveLink = container.value.querySelector(`a[href="${decodeURIComponent(hash)}"]`); } const activeLink = prevActiveLink; if (activeLink) { activeLink.classList.add('active'); marker.value.style.top = activeLink.offsetTop + 5 + 'px'; marker.value.style.opacity = '1'; } else { marker.value.style.top = '33px'; marker.value.style.opacity = '0'; } } return { setActiveLinkDebounced, }; } const PAGE_OFFSET = 128; function getAnchorTop(anchor) { return anchor.parentElement.offsetTop - PAGE_OFFSET; } function isAnchorActive(index, anchor, nextAnchor) { const scrollTop = window.scrollY; if (index === 0 && scrollTop === 0) { return [true, anchor.hash]; } if (scrollTop < getAnchorTop(anchor)) { return [false, null]; } if (!nextAnchor || scrollTop < getAnchorTop(nextAnchor)) { return [true, anchor.hash]; } return [false, null]; }
lucide-icons/lucide/docs/.vitepress/theme/composables/useActiveAnchor.ts
{ "file_path": "lucide-icons/lucide/docs/.vitepress/theme/composables/useActiveAnchor.ts", "repo_id": "lucide-icons/lucide", "token_count": 1058 }
34
const chunkArray = <ArrayType>(stream: ArrayType, size: number) => { return stream.reduce<ArrayType[][]>( (chunks, item, idx, arr) => idx % size == 0 ? [...chunks, arr.slice(idx, idx + size)] : chunks, [], ); }; export default chunkArray;
lucide-icons/lucide/docs/.vitepress/theme/utils/chunkArray.ts
{ "file_path": "lucide-icons/lucide/docs/.vitepress/theme/utils/chunkArray.ts", "repo_id": "lucide-icons/lucide", "token_count": 101 }
35
.lucide { /* Change this! */ color: #ffadff; width: 56px; height: 56px; stroke-width: 1px; } .app { display: grid; grid-template-columns: 1fr 1fr 1fr; grid-template-rows: 1fr 1fr 1fr; gap: 6px; }
lucide-icons/lucide/docs/guide/advanced/examples/global-styling-css-example/icon.css
{ "file_path": "lucide-icons/lucide/docs/guide/advanced/examples/global-styling-css-example/icon.css", "repo_id": "lucide-icons/lucide", "token_count": 98 }
36
import { Star } from "lucide-react"; import "./icon.css"; function App() { return ( <div className="text-wrapper"> <Star class="my-icon" /> <div>Yes</div> </div> ); } export default App;
lucide-icons/lucide/docs/guide/basics/examples/size-icon-font-example/App.js
{ "file_path": "lucide-icons/lucide/docs/guide/basics/examples/size-icon-font-example/App.js", "repo_id": "lucide-icons/lucide", "token_count": 90 }
37
<svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" stroke-width="2" stroke-linecap="round" stroke-linejoin="round" id="lucide-logo" > <path d="M14 12C14 9.79086 12.2091 8 10 8C7.79086 8 6 9.79086 6 12C6 16.4183 9.58172 20 14 20C18.4183 20 22 16.4183 22 12C22 8.446 20.455 5.25285 18 3.05557" stroke="#fff" /> <path d="M10 12C10 14.2091 11.7909 16 14 16C16.2091 16 18 14.2091 18 12C18 7.58172 14.4183 4 10 4C5.58172 4 2 7.58172 2 12C2 15.5841 3.57127 18.8012 6.06253 21" stroke="#F56565" /> </svg>
lucide-icons/lucide/docs/public/logo.dark.svg
{ "file_path": "lucide-icons/lucide/docs/public/logo.dark.svg", "repo_id": "lucide-icons/lucide", "token_count": 277 }
38
type HtmlAttributes = { [key: string]: string | number }; export type LucideIconNode = readonly [string, HtmlAttributes]; export type LucideIconData = readonly LucideIconNode[]; export type LucideIcons = { [key: string]: LucideIconData }; /** @deprecated Use LucideIconData instead. Will be removed in v1.0. */ export type IconData = LucideIconData; /** @deprecated Use LucideIconNode instead. Will be removed in v1.0. */ export type IconNode = LucideIconNode; /** @deprecated Use LucideIcons instead. Will be removed in v1.0. */ export type Icons = LucideIcons;
lucide-icons/lucide/packages/lucide-angular/src/icons/types/index.ts
{ "file_path": "lucide-icons/lucide/packages/lucide-angular/src/icons/types/index.ts", "repo_id": "lucide-icons/lucide", "token_count": 170 }
39
/* eslint-disable import/no-extraneous-dependencies */ import base64SVG from '@lucide/build-icons/utils/base64SVG.mjs'; export default ({ componentName, iconName, children, getSvg, deprecated, deprecationReason }) => { const svgContents = getSvg(); const svgBase64 = base64SVG(svgContents); return ` import createLucideIcon from '../createLucideIcon'; /** * @component @name ${componentName} * @description Lucide SVG icon component, renders SVG Element with children. * * @preview ![img](data:image/svg+xml;base64,${svgBase64}) - https://lucide.dev/icons/${iconName} * @see https://lucide.dev/guide/packages/lucide-preact - Documentation * * @param {Object} props - Lucide icons props and any valid SVG attribute * @returns {JSX.Element} JSX Element * ${deprecated ? `@deprecated ${deprecationReason}` : ''} */ const ${componentName} = createLucideIcon('${componentName}', ${JSON.stringify(children)}); export default ${componentName}; `; };
lucide-icons/lucide/packages/lucide-preact/scripts/exportTemplate.mjs
{ "file_path": "lucide-icons/lucide/packages/lucide-preact/scripts/exportTemplate.mjs", "repo_id": "lucide-icons/lucide", "token_count": 309 }
40
import { defineConfig } from 'vitest/config' import preact from '@preact/preset-vite' export default defineConfig({ plugins: [preact()], test: { globals: true, environment: 'jsdom', setupFiles: './tests/setupVitest.js', }, resolve: { mainFields: ['module'], }, });
lucide-icons/lucide/packages/lucide-preact/vitest.config.mts
{ "file_path": "lucide-icons/lucide/packages/lucide-preact/vitest.config.mts", "repo_id": "lucide-icons/lucide", "token_count": 113 }
41
import { describe, it, expect, vi, beforeEach } from 'vitest'; import { cleanup, render } from '@testing-library/react'; import { Edit2, Grid, Pen } from '../src/lucide-react-native'; vi.mock('react-native-svg'); type Attributes = Record<string, { value: unknown }>; describe('Using lucide icon components', () => { it('should render an component', () => { const { container } = render(<Grid />); expect(container.innerHTML).toMatchSnapshot(); }); it('should adjust the size, stroke color and stroke width', () => { const { container } = render( <Grid size={48} stroke="red" strokeWidth={4} />, ); const SVGElement = container.firstElementChild; expect(SVGElement).toHaveAttribute('stroke', 'red'); expect(SVGElement).toHaveAttribute('width', '48'); expect(SVGElement).toHaveAttribute('height', '48'); expect(SVGElement).toHaveAttribute('stroke-width', '4'); expect(container.innerHTML).toMatchSnapshot(); }); it('should render the alias icon', () => { const testId = 'pen-icon'; const { container } = render( <Pen data-testid={testId} size={48} stroke="red" strokeWidth={4} />, ); const PenIconRenderedHTML = container.innerHTML; cleanup(); const { container: Edit2Container } = render( <Edit2 data-testid={testId} size={48} stroke="red" strokeWidth={4} />, ); expect(PenIconRenderedHTML).toBe(Edit2Container.innerHTML); }); it('should not scale the strokeWidth when absoluteStrokeWidth is set', () => { const { container } = render( <Grid size={48} stroke="red" absoluteStrokeWidth />, ); const SVGElement = container.firstElementChild; expect(SVGElement).toHaveAttribute('stroke', 'red'); expect(SVGElement).toHaveAttribute('width', '48'); expect(SVGElement).toHaveAttribute('height', '48'); expect(SVGElement).toHaveAttribute('stroke-width', '1'); expect(container.innerHTML).toMatchSnapshot(); }); it('should work with a single child component', () => { const testId = 'single-child'; const childId = 'child'; const { container, getByTestId } = render( <Grid data-testid={testId}> <Grid data-testid={childId} /> </Grid>, ); const { children } = container.firstElementChild ?? {}; const lastChild = children?.[children.length - 1]; expect(lastChild).toEqual(getByTestId(childId)); expect(container.innerHTML).toMatchSnapshot(); }); it('should work with several children components', () => { const testId = 'multiple-children'; const childId1 = 'child1'; const childId2 = 'child2'; const { container, getByTestId } = render( <Grid data-testid={testId}> <Grid data-testid={childId1} /> <Grid data-testid={childId2} /> </Grid>, ); const { children } = getByTestId(testId) as unknown as { children: HTMLCollection }; const child1 = children[children.length - 2]; const child2 = children[children.length - 1]; expect(child1).toEqual(getByTestId(childId1)); expect(child2).toEqual(getByTestId(childId2)); expect(container.innerHTML).toMatchSnapshot(); }); it('should duplicate properties to children components', () => { const testId = 'multiple-children'; const fill = 'red'; const color = 'white'; const strokeWidth = 10; const { container, getByTestId } = render( <Grid data-testid={testId} fill={fill} color={color} strokeWidth={strokeWidth} />, ); const { children = [] } = getByTestId(testId) as unknown as { children: HTMLCollection }; for (let i = 0; i < children.length; i++) { const child = children[i]; expect(child.getAttribute('fill')).toBe(fill); expect(child.getAttribute('stroke')).toBe(color); expect(child.getAttribute('stroke-width')).toBe(`${strokeWidth}`); } expect(container.innerHTML).toMatchSnapshot(); }); });
lucide-icons/lucide/packages/lucide-react-native/tests/lucide-react-native.spec.tsx
{ "file_path": "lucide-icons/lucide/packages/lucide-react-native/tests/lucide-react-native.spec.tsx", "repo_id": "lucide-icons/lucide", "token_count": 1552 }
42
import { For, splitProps } from 'solid-js'; import { Dynamic } from 'solid-js/web'; import defaultAttributes from './defaultAttributes'; import { IconNode, LucideProps } from './types'; import { mergeClasses, toKebabCase } from '@lucide/shared'; interface IconProps { name?: string; iconNode: IconNode; } const Icon = (props: LucideProps & IconProps) => { const [localProps, rest] = splitProps(props, [ 'color', 'size', 'strokeWidth', 'children', 'class', 'name', 'iconNode', 'absoluteStrokeWidth', ]); return ( <svg {...defaultAttributes} width={localProps.size ?? defaultAttributes.width} height={localProps.size ?? defaultAttributes.height} stroke={localProps.color ?? defaultAttributes.stroke} stroke-width={ localProps.absoluteStrokeWidth ? (Number(localProps.strokeWidth ?? defaultAttributes['stroke-width']) * 24) / Number(localProps.size) : Number(localProps.strokeWidth ?? defaultAttributes['stroke-width']) } class={mergeClasses( 'lucide', 'lucide-icon', localProps.name != null ? `lucide-${toKebabCase(localProps?.name)}` : undefined, localProps.class != null ? localProps.class : '', )} {...rest} > <For each={localProps.iconNode}> {([elementName, attrs]) => { return ( <Dynamic component={elementName} {...attrs} /> ); }} </For> </svg> ); }; export default Icon;
lucide-icons/lucide/packages/lucide-solid/src/Icon.tsx
{ "file_path": "lucide-icons/lucide/packages/lucide-solid/src/Icon.tsx", "repo_id": "lucide-icons/lucide", "token_count": 686 }
43
<script lang="ts"> import defaultAttributes from './defaultAttributes' import type { IconNode } from './types'; export let name: string | undefined = undefined export let color = 'currentColor' export let size: number | string = 24 export let strokeWidth: number | string = 2 export let absoluteStrokeWidth: boolean = false export let iconNode: IconNode = [] const mergeClasses = <ClassType = string | undefined | null>( ...classes: ClassType[] ) => classes.filter((className, index, array) => { return Boolean(className) && array.indexOf(className) === index; }) .join(' '); </script> <svg {...defaultAttributes} {...$$restProps} width={size} height={size} stroke={color} stroke-width={ absoluteStrokeWidth ? Number(strokeWidth) * 24 / Number(size) : strokeWidth } class={ mergeClasses( 'lucide-icon', 'lucide', name ? `lucide-${name}`: '', $$props.class ) } > {#each iconNode as [tag, attrs]} <svelte:element this={tag} {...attrs}/> {/each} <slot /> </svg>
lucide-icons/lucide/packages/lucide-svelte/src/Icon.svelte
{ "file_path": "lucide-icons/lucide/packages/lucide-svelte/src/Icon.svelte", "repo_id": "lucide-icons/lucide", "token_count": 398 }
44
import { defineConfig } from 'vitest/config' import vue from '@vitejs/plugin-vue' export default defineConfig({ plugins: [vue()], test: { globals: true, environment: 'jsdom', setupFiles: './tests/setupVitest.js', }, });
lucide-icons/lucide/packages/lucide-vue-next/vitest.config.mts
{ "file_path": "lucide-icons/lucide/packages/lucide-vue-next/vitest.config.mts", "repo_id": "lucide-icons/lucide", "token_count": 93 }
45
import { describe, it, expect } from 'vitest'; import { getAttrs, getClassNames, combineClassNames } from '../src/replaceElement'; describe('getAtts', () => { it('should returns attrbrutes of an element', () => { const element = { attributes: [ { name: 'class', value: 'item1 item2 item4', }, { name: 'date-name', value: 'volume', }, ], }; const attrs = getAttrs(element); expect(attrs.class).toBe(element.attributes[0].value); }); }); describe('getClassNames', () => { it('should returns an array when giving class property of string', () => { const elementAttrs = { class: 'item1 item2 item3', }; const attrs = getClassNames(elementAttrs); expect(JSON.stringify(attrs)).toBe(JSON.stringify(['item1', 'item2', 'item3'])); }); it('should returns an array when givind class property with an array', () => { const elementAttrs = { class: ['item1', 'item2', 'item3'], }; const attrs = getClassNames(elementAttrs); expect(JSON.stringify(attrs)).toBe(JSON.stringify(['item1', 'item2', 'item3'])); }); }); describe('combineClassNames', () => { it('should retuns a string of classNames', () => { const arrayOfClassnames = [ 'item', { class: ['item1', 'item2', 'item3'], }, { class: ['item4', 'item5', 'item6'], }, { class: ['item7', 'item8', 'item9'], }, ]; const combinedClassNames = combineClassNames(arrayOfClassnames); expect(combinedClassNames).toMatchSnapshot(); }); });
lucide-icons/lucide/packages/lucide/tests/replaceElement.spec.js
{ "file_path": "lucide-icons/lucide/packages/lucide/tests/replaceElement.spec.js", "repo_id": "lucide-icons/lucide", "token_count": 675 }
46
import getArgumentOptions from 'minimist'; import githubApi from './githubApi.mjs'; const fetchCompareTags = (oldTag) => githubApi(`https://api.github.com/repos/lucide-icons/lucide/compare/${oldTag}...main`); const iconRegex = /icons\/(.*)\.svg/g; const iconTemplate = ({ name, pullNumber, author }) => `- \`${name}\` (${pullNumber}) by @${author}`; const topics = [ { title: 'New icons ', template: iconTemplate, filter: ({ status, filename }) => status === 'added' && filename.match(iconRegex), }, { title: 'Modified Icons ', template: iconTemplate, filter: ({ status, filename }) => status === 'modified' && filename.match(iconRegex), }, { title: 'Code improvements ', template: ({ title, pullNumber, author }) => `- ${title} (${pullNumber}) by @${author}`, filter: ({ filename }, index, self) => !filename.match(iconRegex) && self.indexOf(filename) === index, }, ]; const fetchCommits = async (file) => { const commits = await githubApi( `https://api.github.com/repos/lucide-icons/lucide/commits?path=${file.filename}`, ); return { ...file, commits }; }; const cliArguments = getArgumentOptions(process.argv.slice(2)); // eslint-disable-next-line func-names (async function () { try { const output = await fetchCompareTags(cliArguments['old-tag']); if (output?.files == null) { throw new Error('Tag not found!'); } const changedFiles = output.files.filter( ({ filename }) => !filename.match(/docs\/(.*)|(.*)package\.json|tags.json/g), ); const commits = await Promise.all(changedFiles.map(fetchCommits)); if (!commits.length) { throw new Error('No commits found'); } const mappedCommits = commits .map(({ commits: [pr], filename, sha, status }) => { const pullNumber = /(.*)\((#[0-9]*)\)/gm.exec(pr.commit.message); const nameRegex = /^\/?(.+\/)*(.+)\.(.+)$/g.exec(filename); if (!pr.author) { // Most likely bot commit return null; } return { filename, name: nameRegex && nameRegex[2] ? nameRegex[2] : null, title: pullNumber && pullNumber[1] ? pullNumber[1].trim() : null, pullNumber: pullNumber && pullNumber[2] ? pullNumber[2].trim() : null, author: pr.author?.login || 'unknown', sha, status, }; }) .filter(Boolean) .filter(({ pullNumber }) => !!pullNumber); const changelog = topics.map(({ title, filter, template }) => { const lines = mappedCommits.filter(filter).map(template); if (lines.length) { return [`## ${title}`, ' ', ...lines, ' ']; } return ['']; }); const changelogMarkown = changelog.flat().join('\n'); console.log(changelogMarkown); } catch (error) { throw new Error(error); } })().catch((error) => { console.error(error); process.exit(1); });
lucide-icons/lucide/scripts/generateChangelog.mjs
{ "file_path": "lucide-icons/lucide/scripts/generateChangelog.mjs", "repo_id": "lucide-icons/lucide", "token_count": 1173 }
47
import { readJson } from 'fs-extra/esm'; import svgtofont from 'svgtofont'; import getArgumentOptions from 'minimist'; import path from 'path'; const fontName = 'lucide'; const classNamePrefix = 'icon'; const startUnicode = 57400; const inputDir = path.join(process.cwd(), '../../', 'outlined'); const cliArguments = getArgumentOptions(process.argv.slice(2)); const { outputDir = 'lucide-font' } = cliArguments; const targetDir = path.join(process.cwd(), '../../', outputDir); const releaseMetaDataDir = path.join(process.cwd(), '../../', 'docs/.vitepress/data'); const releaseMetaDataPath = path.resolve(releaseMetaDataDir, 'releaseMetaData.json'); const releaseMetaData = convertReleaseMetaData(await getReleaseMetaData()); async function getReleaseMetaData() { let releaseMetaData = {}; try { releaseMetaData = await readJson(releaseMetaDataPath); } catch (err) { throw new Error('Execution stopped because no release information was found.'); } return releaseMetaData; } function convertReleaseMetaData(releaseMetaData) { return Object.entries(releaseMetaData) .map(([key, value]) => [key, addAttribute(value, 'name', key)]) .map(([, value]) => value) .sort((a, b) => sortMultiple(a, b, [sortByCreatedReleaseDate, sortByName])) .map((value, index) => addAttribute(value, 'index', index)) .map((value, index) => addAttribute(value, 'unicode', index + startUnicode)); } function addAttribute(obj, attribute, value) { obj[attribute] = value; return obj; } function sortMultiple(a, b, collators = []) { const comparison = collators.shift()(a, b); if (comparison === 0 && collators.length > 0) return sortMultiple(a, b, collators); return comparison; } function sortByCreatedReleaseDate(a, b) { const dates = [a, b].map((value) => new Date(value.createdRelease.date).valueOf()); return (dates[0] > dates[1]) - (dates[0] < dates[1]); } function sortByName(a, b) { return new Intl.Collator('en-US').compare(a.name, b.name); } function getIconUnicode(name) { const { unicode } = releaseMetaData.find(({ name: iconname }) => iconname === name); return String.fromCharCode(unicode); } async function init() { console.time('Font generation'); try { await svgtofont({ src: path.resolve(process.cwd(), inputDir), dist: path.resolve(process.cwd(), targetDir), // styleTemplates: path.resolve(process.cwd(), 'styles'), // Add different templates if needed fontName, classNamePrefix, css: { fontSize: 'inherit', }, emptyDist: true, useCSSVars: false, outSVGReact: false, outSVGPath: false, svgicons2svgfont: { fontHeight: 1000, // At least 1000 is recommended normalize: false, }, generateInfoData: true, website: { title: 'Lucide', logo: null, meta: { description: 'Lucide icons as TTF/EOT/WOFF/WOFF2/SVG.', keywords: 'Lucide,TTF,EOT,WOFF,WOFF2,SVG', }, corners: { url: 'https://github.com/lucide-icons/lucide', width: 62, // default: 60 height: 62, // default: 60 bgColor: '#dc3545', // default: '#151513' }, links: [ { title: 'GitHub', url: 'https://github.com/lucide-icons/lucide', }, { title: 'Feedback', url: 'https://github.com/lucide-icons/lucide/issues', }, { title: 'Font Class', url: 'index.html', }, { title: 'Unicode', url: 'unicode.html', }, ], }, getIconUnicode, }); } catch (err) { console.log(err); } console.timeEnd('Font generation'); } init();
lucide-icons/lucide/tools/build-font/main.mjs
{ "file_path": "lucide-icons/lucide/tools/build-font/main.mjs", "repo_id": "lucide-icons/lucide", "token_count": 1575 }
48
/* eslint-disable import/prefer-default-export */ import fs from 'fs'; import path from 'path'; /** * reads the icon directory * * @param {string} directory * @param {string} fileExtension * @returns {array} An array of file paths containing svgs */ export const readSvgDirectory = (directory, fileExtension = '.svg') => fs.readdirSync(directory).filter((file) => path.extname(file) === fileExtension);
lucide-icons/lucide/tools/build-helpers/src/readSvgDirectory.mjs
{ "file_path": "lucide-icons/lucide/tools/build-helpers/src/readSvgDirectory.mjs", "repo_id": "lucide-icons/lucide", "token_count": 124 }
49
ui/ *.d.ts *.config.*
moinulmoin/chadnext/.eslintignore
{ "file_path": "moinulmoin/chadnext/.eslintignore", "repo_id": "moinulmoin/chadnext", "token_count": 11 }
50
{ "semi": true, "trailingComma": "es5", "singleQuote": false, "printWidth": 80, "tabWidth": 2, "plugins": ["prettier-plugin-tailwindcss"] }
moinulmoin/chadnext/.prettierrc
{ "file_path": "moinulmoin/chadnext/.prettierrc", "repo_id": "moinulmoin/chadnext", "token_count": 64 }
51
import GoBack from "~/components/go-back"; export default function SingleProjectLayout({ children, }: { children: React.ReactNode; }) { return ( <> <GoBack /> {children} </> ); }
moinulmoin/chadnext/src/app/[locale]/dashboard/projects/[projectId]/layout.tsx
{ "file_path": "moinulmoin/chadnext/src/app/[locale]/dashboard/projects/[projectId]/layout.tsx", "repo_id": "moinulmoin/chadnext", "token_count": 84 }
52
import { generateState } from "arctic"; import { cookies } from "next/headers"; import { github } from "~/lib/github"; export const GET = async () => { const state = generateState(); const url = await github.createAuthorizationURL(state, { scopes: ["user:email", "read:user"], }); cookies().set("github_oauth_state", state, { path: "/", secure: process.env.NODE_ENV === "production", httpOnly: true, maxAge: 60 * 10, sameSite: "lax", }); return Response.redirect(url); };
moinulmoin/chadnext/src/app/api/auth/login/github/route.ts
{ "file_path": "moinulmoin/chadnext/src/app/api/auth/login/github/route.ts", "repo_id": "moinulmoin/chadnext", "token_count": 178 }
53
import { StarIcon } from "lucide-react"; import Link from "next/link"; import { BrandIcons } from "~/components/shared/brand-icons"; import Icons from "~/components/shared/icons"; import { buttonVariants } from "~/components/ui/button"; import { nFormatter } from "~/lib/utils"; import { getScopedI18n } from "~/locales/server"; export default async function Hero() { const scopedT = await getScopedI18n("hero"); const { stargazers_count: stars } = await fetch( "https://api.github.com/repos/moinulmoin/chadnext", { cache: "no-store", } ) .then((res) => res.json()) .catch((e) => console.error(e)); return ( <section> <div className="container flex w-full flex-col items-center justify-center space-y-20 py-16 md:py-20 lg:py-24 xl:py-28"> <div className="mx-auto w-full max-w-2xl "> <a href="https://twitter.com/immoinulmoin/status/1661645764697919489" title="Follow Updates" target="_blank" rel="noreferrer" className="mx-auto mb-5 flex max-w-fit items-center justify-center space-x-2 overflow-hidden rounded-full bg-blue-100 px-7 py-2 transition-colors duration-300 hover:bg-blue-200" > <Icons.twitter className="h-5 w-5 text-blue-700" /> <p className="text-sm font-semibold text-blue-700"> {scopedT("top")} ChadNext </p> </a> <h1 className=" text-balance bg-gradient-to-br from-gray-900 via-gray-800 to-gray-400 bg-clip-text text-center font-heading text-[40px] font-bold leading-tight tracking-[-0.02em] text-transparent drop-shadow-sm duration-300 ease-linear [word-spacing:theme(spacing.1)] dark:bg-gradient-to-br dark:from-gray-100 dark:to-gray-900 md:text-7xl md:leading-[5rem]"> {scopedT("main")} </h1> <p className="mt-6 text-balance text-center text-muted-foreground md:text-xl"> {scopedT("sub")} </p> <div className="mx-auto mt-6 flex items-center justify-center space-x-5"> <Link className={buttonVariants() + " gap-x-2"} href="/login"> {scopedT("firstButton")} </Link> <Link className={buttonVariants({ variant: "outline" }) + " gap-x-2"} href="https://github.com/moinulmoin/chadnext" target="_blank" rel="noopener noreferrer" > <span className="font-medium">{nFormatter(stars)}</span> <StarIcon width={16} /> <span>{scopedT("on")}</span> <Icons.gitHub width={16} /> </Link> </div> </div> <div className="w-full "> <h2 className="mb-6 text-center text-2xl font-semibold tracking-tight transition-colors"> {scopedT("tools")} </h2> <div className="flex w-full flex-wrap items-center justify-center gap-x-20 gap-y-10 "> {tools.map((t, i) => ( <Link key={i} href={t.link} target="_blank"> <t.icon /> </Link> ))} </div> </div> </div> </section> ); } const tools = [ { link: "https://www.typescriptlang.org/", icon: BrandIcons.ts, }, { link: "https://nextjs.org/", icon: BrandIcons.nextjs, }, { link: "https://tailwindcss.com/", icon: BrandIcons.tailwind, }, { link: "https://www.prisma.io/", icon: BrandIcons.prisma, }, { link: "https://vercel.com/", icon: BrandIcons.vercel, }, ];
moinulmoin/chadnext/src/components/sections/hero.tsx
{ "file_path": "moinulmoin/chadnext/src/components/sections/hero.tsx", "repo_id": "moinulmoin/chadnext", "token_count": 1731 }
54
import { generateReactHelpers } from "@uploadthing/react/hooks"; import type { OurFileRouter } from "~/app/api/uploadthing/core"; export const { useUploadThing, uploadFiles } = generateReactHelpers<OurFileRouter>();
moinulmoin/chadnext/src/lib/uploadthing.ts
{ "file_path": "moinulmoin/chadnext/src/lib/uploadthing.ts", "repo_id": "moinulmoin/chadnext", "token_count": 70 }
55
import * as React from "react"; function LinkedInIcon(props: React.SVGProps<SVGSVGElement> | undefined) { return ( <svg width="20px" height="20px" xmlns="http://www.w3.org/2000/svg" className="ionicon fill-foreground" viewBox="0 0 512 512" {...props} > <path d="M444.17 32H70.28C49.85 32 32 46.7 32 66.89v374.72C32 461.91 49.85 480 70.28 480h373.78c20.54 0 35.94-18.21 35.94-38.39V66.89C480.12 46.7 464.6 32 444.17 32zm-273.3 373.43h-64.18V205.88h64.18zM141 175.54h-.46c-20.54 0-33.84-15.29-33.84-34.43 0-19.49 13.65-34.42 34.65-34.42s33.85 14.82 34.31 34.42c-.01 19.14-13.31 34.43-34.66 34.43zm264.43 229.89h-64.18V296.32c0-26.14-9.34-44-32.56-44-17.74 0-28.24 12-32.91 23.69-1.75 4.2-2.22 9.92-2.22 15.76v113.66h-64.18V205.88h64.18v27.77c9.34-13.3 23.93-32.44 57.88-32.44 42.13 0 74 27.77 74 87.64z" /> </svg> ); } export default LinkedInIcon;
nobruf/shadcn-landing-page/components/icons/linkedin-icon.tsx
{ "file_path": "nobruf/shadcn-landing-page/components/icons/linkedin-icon.tsx", "repo_id": "nobruf/shadcn-landing-page", "token_count": 487 }
56
import { useTheme } from "next-themes"; import { Button } from "../ui/button"; import { Moon, Sun } from "lucide-react"; export const ToggleTheme = () => { const { theme, setTheme } = useTheme(); return ( <Button onClick={() => setTheme(theme === "light" ? "dark" : "light")} size="sm" variant="ghost" className="w-full justify-start" > <div className="flex gap-2 dark:hidden"> <Moon className="size-5" /> <span className="block lg:hidden"> Escuro </span> </div> <div className="dark:flex gap-2 hidden"> <Sun className="size-5" /> <span className="block lg:hidden">Claro</span> </div> <span className="sr-only">Trocar de tema</span> </Button> ); };
nobruf/shadcn-landing-page/components/layout/toogle-theme.tsx
{ "file_path": "nobruf/shadcn-landing-page/components/layout/toogle-theme.tsx", "repo_id": "nobruf/shadcn-landing-page", "token_count": 317 }
57
"use client"; import * as React from "react"; import * as SheetPrimitive from "@radix-ui/react-dialog"; import { cva, type VariantProps } from "class-variance-authority"; import { X } from "lucide-react"; import { cn } from "@/lib/utils"; const Sheet = SheetPrimitive.Root; const SheetTrigger = SheetPrimitive.Trigger; const SheetClose = SheetPrimitive.Close; const SheetPortal = SheetPrimitive.Portal; const SheetOverlay = React.forwardRef< React.ElementRef<typeof SheetPrimitive.Overlay>, React.ComponentPropsWithoutRef<typeof SheetPrimitive.Overlay> >(({ className, ...props }, ref) => ( <SheetPrimitive.Overlay className={cn( "fixed inset-0 z-50 bg-black/80 data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:fade-out-0 data-[state=open]:fade-in-0", className )} {...props} ref={ref} /> )); SheetOverlay.displayName = SheetPrimitive.Overlay.displayName; const sheetVariants = cva( "fixed z-50 gap-4 bg-background p-6 shadow-lg transition ease-in-out data-[state=open]:animate-in data-[state=closed]:animate-out data-[state=closed]:duration-300 data-[state=open]:duration-500", { variants: { side: { top: "inset-x-0 top-0 border-b data-[state=closed]:slide-out-to-top data-[state=open]:slide-in-from-top", bottom: "inset-x-0 bottom-0 border-t data-[state=closed]:slide-out-to-bottom data-[state=open]:slide-in-from-bottom", left: "inset-y-0 left-0 h-full w-3/4 border-r data-[state=closed]:slide-out-to-left data-[state=open]:slide-in-from-left sm:max-w-sm", right: "inset-y-0 right-0 h-full w-3/4 border-l data-[state=closed]:slide-out-to-right data-[state=open]:slide-in-from-right sm:max-w-sm", }, }, defaultVariants: { side: "right", }, } ); interface SheetContentProps extends React.ComponentPropsWithoutRef<typeof SheetPrimitive.Content>, VariantProps<typeof sheetVariants> {} const SheetContent = React.forwardRef< React.ElementRef<typeof SheetPrimitive.Content>, SheetContentProps >(({ side = "right", className, children, ...props }, ref) => ( <SheetPortal> <SheetOverlay /> <SheetPrimitive.Content ref={ref} className={cn(sheetVariants({ side }), className)} {...props} > {children} <SheetPrimitive.Close className="absolute right-4 top-4 rounded-sm opacity-70 ring-offset-background transition-opacity hover:opacity-100 focus:outline-none focus:ring-2 focus:ring-ring focus:ring-offset-2 disabled:pointer-events-none data-[state=open]:bg-secondary"> <X className="h-4 w-4" /> <span className="sr-only">Close</span> </SheetPrimitive.Close> </SheetPrimitive.Content> </SheetPortal> )); SheetContent.displayName = SheetPrimitive.Content.displayName; const SheetHeader = ({ className, ...props }: React.HTMLAttributes<HTMLDivElement>) => ( <div className={cn( "flex flex-col space-y-2 text-center sm:text-left", className )} {...props} /> ); SheetHeader.displayName = "SheetHeader"; const SheetFooter = ({ className, ...props }: React.HTMLAttributes<HTMLDivElement>) => ( <div className={cn( "flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2", className )} {...props} /> ); SheetFooter.displayName = "SheetFooter"; const SheetTitle = React.forwardRef< React.ElementRef<typeof SheetPrimitive.Title>, React.ComponentPropsWithoutRef<typeof SheetPrimitive.Title> >(({ className, ...props }, ref) => ( <SheetPrimitive.Title ref={ref} className={cn("text-lg font-semibold text-foreground", className)} {...props} /> )); SheetTitle.displayName = SheetPrimitive.Title.displayName; const SheetDescription = React.forwardRef< React.ElementRef<typeof SheetPrimitive.Description>, React.ComponentPropsWithoutRef<typeof SheetPrimitive.Description> >(({ className, ...props }, ref) => ( <SheetPrimitive.Description ref={ref} className={cn("text-sm text-muted-foreground", className)} {...props} /> )); SheetDescription.displayName = SheetPrimitive.Description.displayName; export { Sheet, SheetPortal, SheetOverlay, SheetTrigger, SheetClose, SheetContent, SheetHeader, SheetFooter, SheetTitle, SheetDescription, };
nobruf/shadcn-landing-page/components/ui/sheet.tsx
{ "file_path": "nobruf/shadcn-landing-page/components/ui/sheet.tsx", "repo_id": "nobruf/shadcn-landing-page", "token_count": 1630 }
58
import Link from "next/link" import { docsConfig } from "@/config/docs" import { siteConfig } from "@/config/site" import { Icons } from "@/components/icons" import { MainNav } from "@/components/main-nav" import { DocsSearch } from "@/components/search" import { DocsSidebarNav } from "@/components/sidebar-nav" import { SiteFooter } from "@/components/site-footer" interface DocsLayoutProps { children: React.ReactNode } export default function DocsLayout({ children }: DocsLayoutProps) { return ( <div className="flex min-h-screen flex-col"> <header className="sticky top-0 z-40 w-full border-b bg-background"> <div className="container flex h-16 items-center space-x-4 sm:justify-between sm:space-x-0"> <MainNav items={docsConfig.mainNav}> <DocsSidebarNav items={docsConfig.sidebarNav} /> </MainNav> <div className="flex flex-1 items-center space-x-4 sm:justify-end"> <div className="flex-1 sm:grow-0"> <DocsSearch /> </div> <nav className="flex space-x-4"> <Link href={siteConfig.links.github} target="_blank" rel="noreferrer" > <Icons.gitHub className="h-7 w-7" /> <span className="sr-only">GitHub</span> </Link> </nav> </div> </div> </header> <div className="container flex-1">{children}</div> <SiteFooter className="border-t" /> </div> ) }
shadcn-ui/taxonomy/app/(docs)/layout.tsx
{ "file_path": "shadcn-ui/taxonomy/app/(docs)/layout.tsx", "repo_id": "shadcn-ui/taxonomy", "token_count": 714 }
59
import { getServerSession } from "next-auth/next" import { z } from "zod" import { proPlan } from "@/config/subscriptions" import { authOptions } from "@/lib/auth" import { stripe } from "@/lib/stripe" import { getUserSubscriptionPlan } from "@/lib/subscription" import { absoluteUrl } from "@/lib/utils" const billingUrl = absoluteUrl("/dashboard/billing") export async function GET(req: Request) { try { const session = await getServerSession(authOptions) if (!session?.user || !session?.user.email) { return new Response(null, { status: 403 }) } const subscriptionPlan = await getUserSubscriptionPlan(session.user.id) // The user is on the pro plan. // Create a portal session to manage subscription. if (subscriptionPlan.isPro && subscriptionPlan.stripeCustomerId) { const stripeSession = await stripe.billingPortal.sessions.create({ customer: subscriptionPlan.stripeCustomerId, return_url: billingUrl, }) return new Response(JSON.stringify({ url: stripeSession.url })) } // The user is on the free plan. // Create a checkout session to upgrade. const stripeSession = await stripe.checkout.sessions.create({ success_url: billingUrl, cancel_url: billingUrl, payment_method_types: ["card"], mode: "subscription", billing_address_collection: "auto", customer_email: session.user.email, line_items: [ { price: proPlan.stripePriceId, quantity: 1, }, ], metadata: { userId: session.user.id, }, }) return new Response(JSON.stringify({ url: stripeSession.url })) } catch (error) { if (error instanceof z.ZodError) { return new Response(JSON.stringify(error.issues), { status: 422 }) } return new Response(null, { status: 500 }) } }
shadcn-ui/taxonomy/app/api/users/stripe/route.ts
{ "file_path": "shadcn-ui/taxonomy/app/api/users/stripe/route.ts", "repo_id": "shadcn-ui/taxonomy", "token_count": 676 }
60
interface DashboardHeaderProps { heading: string text?: string children?: React.ReactNode } export function DashboardHeader({ heading, text, children, }: DashboardHeaderProps) { return ( <div className="flex items-center justify-between px-2"> <div className="grid gap-1"> <h1 className="font-heading text-3xl md:text-4xl">{heading}</h1> {text && <p className="text-lg text-muted-foreground">{text}</p>} </div> {children} </div> ) }
shadcn-ui/taxonomy/components/header.tsx
{ "file_path": "shadcn-ui/taxonomy/components/header.tsx", "repo_id": "shadcn-ui/taxonomy", "token_count": 201 }
61
import * as React from "react" import { siteConfig } from "@/config/site" import { cn } from "@/lib/utils" import { Icons } from "@/components/icons" import { ModeToggle } from "@/components/mode-toggle" export function SiteFooter({ className }: React.HTMLAttributes<HTMLElement>) { return ( <footer className={cn(className)}> <div className="container flex flex-col items-center justify-between gap-4 py-10 md:h-24 md:flex-row md:py-0"> <div className="flex flex-col items-center gap-4 px-8 md:flex-row md:gap-2 md:px-0"> <Icons.logo /> <p className="text-center text-sm leading-loose md:text-left"> Built by{" "} <a href={siteConfig.links.twitter} target="_blank" rel="noreferrer" className="font-medium underline underline-offset-4" > shadcn </a> . Hosted on{" "} <a href="https://vercel.com" target="_blank" rel="noreferrer" className="font-medium underline underline-offset-4" > Vercel </a> . Illustrations by{" "} <a href="https://popsy.co" target="_blank" rel="noreferrer" className="font-medium underline underline-offset-4" > Popsy </a> . The source code is available on{" "} <a href={siteConfig.links.github} target="_blank" rel="noreferrer" className="font-medium underline underline-offset-4" > GitHub </a> . </p> </div> <ModeToggle /> </div> </footer> ) }
shadcn-ui/taxonomy/components/site-footer.tsx
{ "file_path": "shadcn-ui/taxonomy/components/site-footer.tsx", "repo_id": "shadcn-ui/taxonomy", "token_count": 994 }
62
"use client" import * as React from "react" import * as SliderPrimitive from "@radix-ui/react-slider" import { cn } from "@/lib/utils" const Slider = React.forwardRef< React.ElementRef<typeof SliderPrimitive.Root>, React.ComponentPropsWithoutRef<typeof SliderPrimitive.Root> >(({ className, ...props }, ref) => ( <SliderPrimitive.Root ref={ref} className={cn( "relative flex w-full touch-none select-none items-center", className )} {...props} > <SliderPrimitive.Track className="relative h-2 w-full grow overflow-hidden rounded-full bg-secondary"> <SliderPrimitive.Range className="absolute h-full bg-primary" /> </SliderPrimitive.Track> <SliderPrimitive.Thumb className="block h-5 w-5 rounded-full border-2 border-primary bg-background ring-offset-background transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:pointer-events-none disabled:opacity-50" /> </SliderPrimitive.Root> )) Slider.displayName = SliderPrimitive.Root.displayName export { Slider }
shadcn-ui/taxonomy/components/ui/slider.tsx
{ "file_path": "shadcn-ui/taxonomy/components/ui/slider.tsx", "repo_id": "shadcn-ui/taxonomy", "token_count": 379 }
63
import { SiteConfig } from "types" export const siteConfig: SiteConfig = { name: "Taxonomy", description: "An open source application built using the new router, server components and everything new in Next.js 13.", url: "https://tx.shadcn.com", ogImage: "https://tx.shadcn.com/og.jpg", links: { twitter: "https://twitter.com/shadcn", github: "https://github.com/shadcn/taxonomy", }, }
shadcn-ui/taxonomy/config/site.ts
{ "file_path": "shadcn-ui/taxonomy/config/site.ts", "repo_id": "shadcn-ui/taxonomy", "token_count": 142 }
64
import * as z from "zod" export const userNameSchema = z.object({ name: z.string().min(3).max(32), })
shadcn-ui/taxonomy/lib/validations/user.ts
{ "file_path": "shadcn-ui/taxonomy/lib/validations/user.ts", "repo_id": "shadcn-ui/taxonomy", "token_count": 41 }
65
import { User } from "@prisma/client" import type { Icon } from "lucide-react" import { Icons } from "@/components/icons" export type NavItem = { title: string href: string disabled?: boolean } export type MainNavItem = NavItem export type SidebarNavItem = { title: string disabled?: boolean external?: boolean icon?: keyof typeof Icons } & ( | { href: string items?: never } | { href?: string items: NavLink[] } ) export type SiteConfig = { name: string description: string url: string ogImage: string links: { twitter: string github: string } } export type DocsConfig = { mainNav: MainNavItem[] sidebarNav: SidebarNavItem[] } export type MarketingConfig = { mainNav: MainNavItem[] } export type DashboardConfig = { mainNav: MainNavItem[] sidebarNav: SidebarNavItem[] } export type SubscriptionPlan = { name: string description: string stripePriceId: string } export type UserSubscriptionPlan = SubscriptionPlan & Pick<User, "stripeCustomerId" | "stripeSubscriptionId"> & { stripeCurrentPeriodEnd: number isPro: boolean }
shadcn-ui/taxonomy/types/index.d.ts
{ "file_path": "shadcn-ui/taxonomy/types/index.d.ts", "repo_id": "shadcn-ui/taxonomy", "token_count": 391 }
66
"use client" import * as React from "react" import { TrendingUp } from "lucide-react" import { Label, Pie, PieChart } from "recharts" import { Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle, } from "@/registry/new-york/ui/card" import { ChartConfig, ChartContainer, ChartTooltip, ChartTooltipContent, } from "@/registry/new-york/ui/chart" export const description = "A pie chart with stacked sections" const desktopData = [ { month: "january", desktop: 186, fill: "var(--color-january)" }, { month: "february", desktop: 305, fill: "var(--color-february)" }, { month: "march", desktop: 237, fill: "var(--color-march)" }, { month: "april", desktop: 173, fill: "var(--color-april)" }, { month: "may", desktop: 209, fill: "var(--color-may)" }, ] const mobileData = [ { month: "january", mobile: 80, fill: "var(--color-january)" }, { month: "february", mobile: 200, fill: "var(--color-february)" }, { month: "march", mobile: 120, fill: "var(--color-march)" }, { month: "april", mobile: 190, fill: "var(--color-april)" }, { month: "may", mobile: 130, fill: "var(--color-may)" }, ] const chartConfig = { visitors: { label: "Visitors", }, desktop: { label: "Desktop", }, mobile: { label: "Mobile", }, january: { label: "January", color: "hsl(var(--chart-1))", }, february: { label: "February", color: "hsl(var(--chart-2))", }, march: { label: "March", color: "hsl(var(--chart-3))", }, april: { label: "April", color: "hsl(var(--chart-4))", }, may: { label: "May", color: "hsl(var(--chart-5))", }, } satisfies ChartConfig export default function Component() { return ( <Card className="flex flex-col"> <CardHeader className="items-center pb-0"> <CardTitle>Pie Chart - Stacked</CardTitle> <CardDescription>January - June 2024</CardDescription> </CardHeader> <CardContent className="flex-1 pb-0"> <ChartContainer config={chartConfig} className="mx-auto aspect-square max-h-[250px]" > <PieChart> <ChartTooltip content={ <ChartTooltipContent labelKey="visitors" nameKey="month" indicator="line" labelFormatter={(_, payload) => { return chartConfig[ payload?.[0].dataKey as keyof typeof chartConfig ].label }} /> } /> <Pie data={desktopData} dataKey="desktop" outerRadius={60} /> <Pie data={mobileData} dataKey="mobile" innerRadius={70} outerRadius={90} /> </PieChart> </ChartContainer> </CardContent> <CardFooter className="flex-col gap-2 text-sm"> <div className="flex items-center gap-2 font-medium leading-none"> Trending up by 5.2% this month <TrendingUp className="h-4 w-4" /> </div> <div className="leading-none text-muted-foreground"> Showing total visitors for the last 6 months </div> </CardFooter> </Card> ) }
shadcn-ui/ui/apps/www/__registry__/new-york/block/chart-pie-stacked.tsx
{ "file_path": "shadcn-ui/ui/apps/www/__registry__/new-york/block/chart-pie-stacked.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1498 }
67
import Link from "next/link" import { Bell, CircleUser, Home, LineChart, Menu, Package, Package2, Search, ShoppingCart, Users, } from "lucide-react" import { Badge } from "@/registry/new-york/ui/badge" import { Button } from "@/registry/new-york/ui/button" import { Card, CardContent, CardDescription, CardHeader, CardTitle, } from "@/registry/new-york/ui/card" import { DropdownMenu, DropdownMenuContent, DropdownMenuItem, DropdownMenuLabel, DropdownMenuSeparator, DropdownMenuTrigger, } from "@/registry/new-york/ui/dropdown-menu" import { Input } from "@/registry/new-york/ui/input" import { Sheet, SheetContent, SheetTrigger } from "@/registry/new-york/ui/sheet" export const description = "A products dashboard with a sidebar navigation and a main content area. The dashboard has a header with a search input and a user menu. The sidebar has a logo, navigation links, and a card with a call to action. The main content area shows an empty state with a call to action." export const iframeHeight = "800px" export const containerClassName = "w-full h-full" export default function Dashboard() { return ( <div className="grid min-h-screen w-full md:grid-cols-[220px_1fr] lg:grid-cols-[280px_1fr]"> <div className="hidden border-r bg-muted/40 md:block"> <div className="flex h-full max-h-screen flex-col gap-2"> <div className="flex h-14 items-center border-b px-4 lg:h-[60px] lg:px-6"> <Link href="/" className="flex items-center gap-2 font-semibold"> <Package2 className="h-6 w-6" /> <span className="">Acme Inc</span> </Link> <Button variant="outline" size="icon" className="ml-auto h-8 w-8"> <Bell className="h-4 w-4" /> <span className="sr-only">Toggle notifications</span> </Button> </div> <div className="flex-1"> <nav className="grid items-start px-2 text-sm font-medium lg:px-4"> <Link href="#" className="flex items-center gap-3 rounded-lg px-3 py-2 text-muted-foreground transition-all hover:text-primary" > <Home className="h-4 w-4" /> Dashboard </Link> <Link href="#" className="flex items-center gap-3 rounded-lg px-3 py-2 text-muted-foreground transition-all hover:text-primary" > <ShoppingCart className="h-4 w-4" /> Orders <Badge className="ml-auto flex h-6 w-6 shrink-0 items-center justify-center rounded-full"> 6 </Badge> </Link> <Link href="#" className="flex items-center gap-3 rounded-lg bg-muted px-3 py-2 text-primary transition-all hover:text-primary" > <Package className="h-4 w-4" /> Products{" "} </Link> <Link href="#" className="flex items-center gap-3 rounded-lg px-3 py-2 text-muted-foreground transition-all hover:text-primary" > <Users className="h-4 w-4" /> Customers </Link> <Link href="#" className="flex items-center gap-3 rounded-lg px-3 py-2 text-muted-foreground transition-all hover:text-primary" > <LineChart className="h-4 w-4" /> Analytics </Link> </nav> </div> <div className="mt-auto p-4"> <Card x-chunk="dashboard-02-chunk-0"> <CardHeader className="p-2 pt-0 md:p-4"> <CardTitle>Upgrade to Pro</CardTitle> <CardDescription> Unlock all features and get unlimited access to our support team. </CardDescription> </CardHeader> <CardContent className="p-2 pt-0 md:p-4 md:pt-0"> <Button size="sm" className="w-full"> Upgrade </Button> </CardContent> </Card> </div> </div> </div> <div className="flex flex-col"> <header className="flex h-14 items-center gap-4 border-b bg-muted/40 px-4 lg:h-[60px] lg:px-6"> <Sheet> <SheetTrigger asChild> <Button variant="outline" size="icon" className="shrink-0 md:hidden" > <Menu className="h-5 w-5" /> <span className="sr-only">Toggle navigation menu</span> </Button> </SheetTrigger> <SheetContent side="left" className="flex flex-col"> <nav className="grid gap-2 text-lg font-medium"> <Link href="#" className="flex items-center gap-2 text-lg font-semibold" > <Package2 className="h-6 w-6" /> <span className="sr-only">Acme Inc</span> </Link> <Link href="#" className="mx-[-0.65rem] flex items-center gap-4 rounded-xl px-3 py-2 text-muted-foreground hover:text-foreground" > <Home className="h-5 w-5" /> Dashboard </Link> <Link href="#" className="mx-[-0.65rem] flex items-center gap-4 rounded-xl bg-muted px-3 py-2 text-foreground hover:text-foreground" > <ShoppingCart className="h-5 w-5" /> Orders <Badge className="ml-auto flex h-6 w-6 shrink-0 items-center justify-center rounded-full"> 6 </Badge> </Link> <Link href="#" className="mx-[-0.65rem] flex items-center gap-4 rounded-xl px-3 py-2 text-muted-foreground hover:text-foreground" > <Package className="h-5 w-5" /> Products </Link> <Link href="#" className="mx-[-0.65rem] flex items-center gap-4 rounded-xl px-3 py-2 text-muted-foreground hover:text-foreground" > <Users className="h-5 w-5" /> Customers </Link> <Link href="#" className="mx-[-0.65rem] flex items-center gap-4 rounded-xl px-3 py-2 text-muted-foreground hover:text-foreground" > <LineChart className="h-5 w-5" /> Analytics </Link> </nav> <div className="mt-auto"> <Card> <CardHeader> <CardTitle>Upgrade to Pro</CardTitle> <CardDescription> Unlock all features and get unlimited access to our support team. </CardDescription> </CardHeader> <CardContent> <Button size="sm" className="w-full"> Upgrade </Button> </CardContent> </Card> </div> </SheetContent> </Sheet> <div className="w-full flex-1"> <form> <div className="relative"> <Search className="absolute left-2.5 top-2.5 h-4 w-4 text-muted-foreground" /> <Input type="search" placeholder="Search products..." className="w-full appearance-none bg-background pl-8 shadow-none md:w-2/3 lg:w-1/3" /> </div> </form> </div> <DropdownMenu> <DropdownMenuTrigger asChild> <Button variant="secondary" size="icon" className="rounded-full"> <CircleUser className="h-5 w-5" /> <span className="sr-only">Toggle user menu</span> </Button> </DropdownMenuTrigger> <DropdownMenuContent align="end"> <DropdownMenuLabel>My Account</DropdownMenuLabel> <DropdownMenuSeparator /> <DropdownMenuItem>Settings</DropdownMenuItem> <DropdownMenuItem>Support</DropdownMenuItem> <DropdownMenuSeparator /> <DropdownMenuItem>Logout</DropdownMenuItem> </DropdownMenuContent> </DropdownMenu> </header> <main className="flex flex-1 flex-col gap-4 p-4 lg:gap-6 lg:p-6"> <div className="flex items-center"> <h1 className="text-lg font-semibold md:text-2xl">Inventory</h1> </div> <div className="flex flex-1 items-center justify-center rounded-lg border border-dashed shadow-sm" x-chunk="dashboard-02-chunk-1" > <div className="flex flex-col items-center gap-1 text-center"> <h3 className="text-2xl font-bold tracking-tight"> You have no products </h3> <p className="text-sm text-muted-foreground"> You can start selling as soon as you add a product. </p> <Button className="mt-4">Add Product</Button> </div> </div> </main> </div> </div> ) }
shadcn-ui/ui/apps/www/__registry__/new-york/block/dashboard-02.tsx
{ "file_path": "shadcn-ui/ui/apps/www/__registry__/new-york/block/dashboard-02.tsx", "repo_id": "shadcn-ui/ui", "token_count": 5250 }
68
import { Metadata } from "next" import Link from "next/link" import { Announcement } from "@/components/announcement" import { PageActions, PageHeader, PageHeaderDescription, PageHeaderHeading, } from "@/components/page-header" import { Button } from "@/registry/new-york/ui/button" export const metadata: Metadata = { title: "Tailwind Colors", description: "All colors in all formats.", } export default function ChartsLayout({ children, }: { children: React.ReactNode }) { return ( <div className="container relative"> <PageHeader> <Announcement /> <PageHeaderHeading>Tailwind Colors</PageHeaderHeading> <PageHeaderDescription> Tailwind CSS colors in HSL, RGB, and HEX formats. </PageHeaderDescription> <PageActions> <Button asChild size="sm"> <a href="#colors">Browse Colors</a> </Button> <Button asChild variant="ghost" size="sm"> <Link href="/docs/theming">Documentation</Link> </Button> </PageActions> </PageHeader> <section id="charts" className="scroll-mt-20"> {children} </section> </div> ) }
shadcn-ui/ui/apps/www/app/(app)/colors/layout.tsx
{ "file_path": "shadcn-ui/ui/apps/www/app/(app)/colors/layout.tsx", "repo_id": "shadcn-ui/ui", "token_count": 477 }
69
"use client" import Link from "next/link" import { zodResolver } from "@hookform/resolvers/zod" import { useForm } from "react-hook-form" import { z } from "zod" import { toast } from "@/registry/new-york/hooks/use-toast" import { Button } from "@/registry/new-york/ui/button" import { Checkbox } from "@/registry/new-york/ui/checkbox" import { Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage, } from "@/registry/new-york/ui/form" import { RadioGroup, RadioGroupItem } from "@/registry/new-york/ui/radio-group" import { Switch } from "@/registry/new-york/ui/switch" const notificationsFormSchema = z.object({ type: z.enum(["all", "mentions", "none"], { required_error: "You need to select a notification type.", }), mobile: z.boolean().default(false).optional(), communication_emails: z.boolean().default(false).optional(), social_emails: z.boolean().default(false).optional(), marketing_emails: z.boolean().default(false).optional(), security_emails: z.boolean(), }) type NotificationsFormValues = z.infer<typeof notificationsFormSchema> // This can come from your database or API. const defaultValues: Partial<NotificationsFormValues> = { communication_emails: false, marketing_emails: false, social_emails: true, security_emails: true, } export function NotificationsForm() { const form = useForm<NotificationsFormValues>({ resolver: zodResolver(notificationsFormSchema), defaultValues, }) function onSubmit(data: NotificationsFormValues) { toast({ title: "You submitted the following values:", description: ( <pre className="mt-2 w-[340px] rounded-md bg-slate-950 p-4"> <code className="text-white">{JSON.stringify(data, null, 2)}</code> </pre> ), }) } return ( <Form {...form}> <form onSubmit={form.handleSubmit(onSubmit)} className="space-y-8"> <FormField control={form.control} name="type" render={({ field }) => ( <FormItem className="space-y-3"> <FormLabel>Notify me about...</FormLabel> <FormControl> <RadioGroup onValueChange={field.onChange} defaultValue={field.value} className="flex flex-col space-y-1" > <FormItem className="flex items-center space-x-3 space-y-0"> <FormControl> <RadioGroupItem value="all" /> </FormControl> <FormLabel className="font-normal"> All new messages </FormLabel> </FormItem> <FormItem className="flex items-center space-x-3 space-y-0"> <FormControl> <RadioGroupItem value="mentions" /> </FormControl> <FormLabel className="font-normal"> Direct messages and mentions </FormLabel> </FormItem> <FormItem className="flex items-center space-x-3 space-y-0"> <FormControl> <RadioGroupItem value="none" /> </FormControl> <FormLabel className="font-normal">Nothing</FormLabel> </FormItem> </RadioGroup> </FormControl> <FormMessage /> </FormItem> )} /> <div> <h3 className="mb-4 text-lg font-medium">Email Notifications</h3> <div className="space-y-4"> <FormField control={form.control} name="communication_emails" render={({ field }) => ( <FormItem className="flex flex-row items-center justify-between rounded-lg border p-4"> <div className="space-y-0.5"> <FormLabel className="text-base"> Communication emails </FormLabel> <FormDescription> Receive emails about your account activity. </FormDescription> </div> <FormControl> <Switch checked={field.value} onCheckedChange={field.onChange} /> </FormControl> </FormItem> )} /> <FormField control={form.control} name="marketing_emails" render={({ field }) => ( <FormItem className="flex flex-row items-center justify-between rounded-lg border p-4"> <div className="space-y-0.5"> <FormLabel className="text-base"> Marketing emails </FormLabel> <FormDescription> Receive emails about new products, features, and more. </FormDescription> </div> <FormControl> <Switch checked={field.value} onCheckedChange={field.onChange} /> </FormControl> </FormItem> )} /> <FormField control={form.control} name="social_emails" render={({ field }) => ( <FormItem className="flex flex-row items-center justify-between rounded-lg border p-4"> <div className="space-y-0.5"> <FormLabel className="text-base">Social emails</FormLabel> <FormDescription> Receive emails for friend requests, follows, and more. </FormDescription> </div> <FormControl> <Switch checked={field.value} onCheckedChange={field.onChange} /> </FormControl> </FormItem> )} /> <FormField control={form.control} name="security_emails" render={({ field }) => ( <FormItem className="flex flex-row items-center justify-between rounded-lg border p-4"> <div className="space-y-0.5"> <FormLabel className="text-base">Security emails</FormLabel> <FormDescription> Receive emails about your account activity and security. </FormDescription> </div> <FormControl> <Switch checked={field.value} onCheckedChange={field.onChange} disabled aria-readonly /> </FormControl> </FormItem> )} /> </div> </div> <FormField control={form.control} name="mobile" render={({ field }) => ( <FormItem className="flex flex-row items-start space-x-3 space-y-0"> <FormControl> <Checkbox checked={field.value} onCheckedChange={field.onChange} /> </FormControl> <div className="space-y-1 leading-none"> <FormLabel> Use different settings for my mobile devices </FormLabel> <FormDescription> You can manage your mobile notifications in the{" "} <Link href="/examples/forms">mobile settings</Link> page. </FormDescription> </div> </FormItem> )} /> <Button type="submit">Update notifications</Button> </form> </Form> ) }
shadcn-ui/ui/apps/www/app/(app)/examples/forms/notifications/notifications-form.tsx
{ "file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/forms/notifications/notifications-form.tsx", "repo_id": "shadcn-ui/ui", "token_count": 4297 }
70
import { cn } from "@/lib/utils" import { Button } from "@/registry/new-york/ui/button" import { ScrollArea } from "@/registry/new-york/ui/scroll-area" import { Playlist } from "../data/playlists" interface SidebarProps extends React.HTMLAttributes<HTMLDivElement> { playlists: Playlist[] } export function Sidebar({ className, playlists }: SidebarProps) { return ( <div className={cn("pb-12", className)}> <div className="space-y-4 py-4"> <div className="px-3 py-2"> <h2 className="mb-2 px-4 text-lg font-semibold tracking-tight"> Discover </h2> <div className="space-y-1"> <Button variant="secondary" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <circle cx="12" cy="12" r="10" /> <polygon points="10 8 16 12 10 16 10 8" /> </svg> Listen Now </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <rect width="7" height="7" x="3" y="3" rx="1" /> <rect width="7" height="7" x="14" y="3" rx="1" /> <rect width="7" height="7" x="14" y="14" rx="1" /> <rect width="7" height="7" x="3" y="14" rx="1" /> </svg> Browse </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="M4.9 19.1C1 15.2 1 8.8 4.9 4.9" /> <path d="M7.8 16.2c-2.3-2.3-2.3-6.1 0-8.5" /> <circle cx="12" cy="12" r="2" /> <path d="M16.2 7.8c2.3 2.3 2.3 6.1 0 8.5" /> <path d="M19.1 4.9C23 8.8 23 15.1 19.1 19" /> </svg> Radio </Button> </div> </div> <div className="px-3 py-2"> <h2 className="mb-2 px-4 text-lg font-semibold tracking-tight"> Library </h2> <div className="space-y-1"> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="M21 15V6" /> <path d="M18.5 18a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5Z" /> <path d="M12 12H3" /> <path d="M16 6H3" /> <path d="M12 18H3" /> </svg> Playlists </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <circle cx="8" cy="18" r="4" /> <path d="M12 18V2l7 4" /> </svg> Songs </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="M19 21v-2a4 4 0 0 0-4-4H9a4 4 0 0 0-4 4v2" /> <circle cx="12" cy="7" r="4" /> </svg> Made for You </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="m12 8-9.04 9.06a2.82 2.82 0 1 0 3.98 3.98L16 12" /> <circle cx="17" cy="7" r="5" /> </svg> Artists </Button> <Button variant="ghost" className="w-full justify-start"> <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="m16 6 4 14" /> <path d="M12 6v14" /> <path d="M8 8v12" /> <path d="M4 4v16" /> </svg> Albums </Button> </div> </div> <div className="py-2"> <h2 className="relative px-7 text-lg font-semibold tracking-tight"> Playlists </h2> <ScrollArea className="h-[300px] px-1"> <div className="space-y-1 p-2"> {playlists?.map((playlist, i) => ( <Button key={`${playlist}-${i}`} variant="ghost" className="w-full justify-start font-normal" > <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2" strokeLinecap="round" strokeLinejoin="round" className="mr-2 h-4 w-4" > <path d="M21 15V6" /> <path d="M18.5 18a2.5 2.5 0 1 0 0-5 2.5 2.5 0 0 0 0 5Z" /> <path d="M12 12H3" /> <path d="M16 6H3" /> <path d="M12 18H3" /> </svg> {playlist} </Button> ))} </div> </ScrollArea> </div> </div> </div> ) }
shadcn-ui/ui/apps/www/app/(app)/examples/music/components/sidebar.tsx
{ "file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/music/components/sidebar.tsx", "repo_id": "shadcn-ui/ui", "token_count": 4614 }
71
"use client" import { ColumnDef } from "@tanstack/react-table" import { Badge } from "@/registry/new-york/ui/badge" import { Checkbox } from "@/registry/new-york/ui/checkbox" import { labels, priorities, statuses } from "../data/data" import { Task } from "../data/schema" import { DataTableColumnHeader } from "./data-table-column-header" import { DataTableRowActions } from "./data-table-row-actions" export const columns: ColumnDef<Task>[] = [ { id: "select", header: ({ table }) => ( <Checkbox checked={ table.getIsAllPageRowsSelected() || (table.getIsSomePageRowsSelected() && "indeterminate") } onCheckedChange={(value) => table.toggleAllPageRowsSelected(!!value)} aria-label="Select all" className="translate-y-[2px]" /> ), cell: ({ row }) => ( <Checkbox checked={row.getIsSelected()} onCheckedChange={(value) => row.toggleSelected(!!value)} aria-label="Select row" className="translate-y-[2px]" /> ), enableSorting: false, enableHiding: false, }, { accessorKey: "id", header: ({ column }) => ( <DataTableColumnHeader column={column} title="Task" /> ), cell: ({ row }) => <div className="w-[80px]">{row.getValue("id")}</div>, enableSorting: false, enableHiding: false, }, { accessorKey: "title", header: ({ column }) => ( <DataTableColumnHeader column={column} title="Title" /> ), cell: ({ row }) => { const label = labels.find((label) => label.value === row.original.label) return ( <div className="flex space-x-2"> {label && <Badge variant="outline">{label.label}</Badge>} <span className="max-w-[500px] truncate font-medium"> {row.getValue("title")} </span> </div> ) }, }, { accessorKey: "status", header: ({ column }) => ( <DataTableColumnHeader column={column} title="Status" /> ), cell: ({ row }) => { const status = statuses.find( (status) => status.value === row.getValue("status") ) if (!status) { return null } return ( <div className="flex w-[100px] items-center"> {status.icon && ( <status.icon className="mr-2 h-4 w-4 text-muted-foreground" /> )} <span>{status.label}</span> </div> ) }, filterFn: (row, id, value) => { return value.includes(row.getValue(id)) }, }, { accessorKey: "priority", header: ({ column }) => ( <DataTableColumnHeader column={column} title="Priority" /> ), cell: ({ row }) => { const priority = priorities.find( (priority) => priority.value === row.getValue("priority") ) if (!priority) { return null } return ( <div className="flex items-center"> {priority.icon && ( <priority.icon className="mr-2 h-4 w-4 text-muted-foreground" /> )} <span>{priority.label}</span> </div> ) }, filterFn: (row, id, value) => { return value.includes(row.getValue(id)) }, }, { id: "actions", cell: ({ row }) => <DataTableRowActions row={row} />, }, ]
shadcn-ui/ui/apps/www/app/(app)/examples/tasks/components/columns.tsx
{ "file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/tasks/components/columns.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1467 }
72
import Link from "next/link" import { ThemeWrapper } from "@/components/theme-wrapper" import { styles } from "@/registry/registry-styles" interface SinkLayoutProps { children: React.ReactNode } export default function SinkLayout({ children }: SinkLayoutProps) { return ( <div className="flex flex-col"> <div className="container"> <div className="flex space-x-2 px-2 py-4"> {styles.map((style) => ( <Link href={`/sink/${style.name}`} key={style.name}> {style.label} </Link> ))} </div> </div> <div className="flex-1"> <ThemeWrapper>{children}</ThemeWrapper> </div> </div> ) }
shadcn-ui/ui/apps/www/app/(app)/sink/layout.tsx
{ "file_path": "shadcn-ui/ui/apps/www/app/(app)/sink/layout.tsx", "repo_id": "shadcn-ui/ui", "token_count": 317 }
73
"use client" import * as React from "react" import { AnimatePresence, motion } from "framer-motion" import { useLiftMode } from "@/hooks/use-lift-mode" import { Block } from "@/registry/schema" export function BlockWrapper({ block, children, }: React.PropsWithChildren<{ block: Block }>) { const { isLiftMode } = useLiftMode(block.name) React.useEffect(() => { const components = document.querySelectorAll("[x-chunk]") block.chunks?.map((chunk, index) => { const $chunk = document.querySelector<HTMLElement>( `[x-chunk="${chunk.name}"]` ) const $wrapper = document.querySelector<HTMLElement>( `[x-chunk-container="${chunk.name}"]` ) const $component = components[index] if (!$chunk || !$component) { return } const position = $component.getBoundingClientRect() $chunk.style.zIndex = "40" // $chunk.style.position = "absolute" // $chunk.style.top = `${position.top}px` // $chunk.style.left = `${position.left}px` $chunk.style.width = `${position.width}px` $chunk.style.height = `${position.height}px` if ($wrapper) { $wrapper.style.zIndex = "40" $wrapper.style.position = "absolute" $wrapper.style.top = `${position.top}px` $wrapper.style.left = `${position.left}px` $wrapper.style.width = `${position.width}px` $wrapper.style.height = `${position.height}px` } }) }, [block.chunks, isLiftMode]) return ( <> {children} <AnimatePresence> {isLiftMode && ( <motion.div className="absolute inset-0 z-30 bg-background/90 fill-mode-backwards" initial={{ opacity: 0 }} animate={{ opacity: 1 }} exit={{ opacity: 0, transition: { ease: "easeOut", duration: 0.38 }, }} transition={{ ease: "easeOut", duration: 0.2, delay: 0.18 }} /> )} </AnimatePresence> </> ) }
shadcn-ui/ui/apps/www/components/block-wrapper.tsx
{ "file_path": "shadcn-ui/ui/apps/www/components/block-wrapper.tsx", "repo_id": "shadcn-ui/ui", "token_count": 918 }
74
"use client" import { forwardRef } from "react" import { Drawer as DrawerPrimitive } from "vaul" import { cn } from "@/lib/utils" const DrawerTrigger = DrawerPrimitive.Trigger const DrawerContent = forwardRef< React.ElementRef<typeof DrawerPrimitive.Content>, React.ComponentPropsWithoutRef<typeof DrawerPrimitive.Content> >(({ className, children, ...props }, ref) => ( <DrawerPrimitive.Portal> <DrawerPrimitive.Overlay className="fixed inset-0 z-50 bg-black/80" /> <DrawerPrimitive.Content ref={ref} className={cn( "fixed inset-x-0 bottom-0 z-50 mt-24 h-[96%] rounded-t-[10px] bg-background", className )} {...props} > <div className="absolute left-1/2 top-3 h-2 w-[100px] translate-x-[-50%] rounded-full bg-muted" /> {children} </DrawerPrimitive.Content> </DrawerPrimitive.Portal> )) DrawerContent.displayName = "DrawerContent" export { DrawerTrigger, DrawerContent }
shadcn-ui/ui/apps/www/components/drawer.tsx
{ "file_path": "shadcn-ui/ui/apps/www/components/drawer.tsx", "repo_id": "shadcn-ui/ui", "token_count": 373 }
75
"use client" import * as React from "react" import { type SelectTriggerProps } from "@radix-ui/react-select" import { cn } from "@/lib/utils" import { useConfig } from "@/hooks/use-config" import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue, } from "@/registry/new-york/ui/select" import { Style, styles } from "@/registry/registry-styles" export function StyleSwitcher({ className, ...props }: SelectTriggerProps) { const [config, setConfig] = useConfig() return ( <Select value={config.style} onValueChange={(value: Style["name"]) => setConfig({ ...config, style: value, }) } > <SelectTrigger className={cn( "h-7 w-[145px] text-xs [&_svg]:h-4 [&_svg]:w-4", className )} {...props} > <span className="text-muted-foreground">Style: </span> <SelectValue placeholder="Select style" /> </SelectTrigger> <SelectContent> {styles.map((style) => ( <SelectItem key={style.name} value={style.name} className="text-xs"> {style.label} </SelectItem> ))} </SelectContent> </Select> ) }
shadcn-ui/ui/apps/www/components/style-switcher.tsx
{ "file_path": "shadcn-ui/ui/apps/www/components/style-switcher.tsx", "repo_id": "shadcn-ui/ui", "token_count": 540 }
76
import { z } from "zod" import { colors } from "@/registry/registry-colors" const colorSchema = z.object({ name: z.string(), id: z.string(), scale: z.number(), className: z.string(), hex: z.string(), rgb: z.string(), hsl: z.string(), foreground: z.string(), }) const colorPaletteSchema = z.object({ name: z.string(), colors: z.array(colorSchema), }) export type ColorPalette = z.infer<typeof colorPaletteSchema> export function getColorFormat(color: Color) { return { className: `bg-${color.name}-100`, hex: color.hex, rgb: color.rgb, hsl: color.hsl, } } export type ColorFormat = keyof ReturnType<typeof getColorFormat> export function getColors() { const tailwindColors = colorPaletteSchema.array().parse( Object.entries(colors) .map(([name, color]) => { if (!Array.isArray(color)) { return null } return { name, colors: color.map((color) => { const rgb = color.rgb.replace( /^rgb\((\d+),(\d+),(\d+)\)$/, "$1 $2 $3" ) return { ...color, name, id: `${name}-${color.scale}`, className: `${name}-${color.scale}`, rgb, hsl: color.hsl.replace( /^hsl\(([\d.]+),([\d.]+%),([\d.]+%)\)$/, "$1 $2 $3" ), foreground: getForegroundFromBackground(rgb), } }), } }) .filter(Boolean) ) return tailwindColors } export type Color = ReturnType<typeof getColors>[number]["colors"][number] function getForegroundFromBackground(rgb: string) { const [r, g, b] = rgb.split(" ").map(Number) function toLinear(number: number): number { const base = number / 255 return base <= 0.04045 ? base / 12.92 : Math.pow((base + 0.055) / 1.055, 2.4) } const luminance = 0.2126 * toLinear(r) + 0.7152 * toLinear(g) + 0.0722 * toLinear(b) return luminance > 0.179 ? "#000" : "#fff" }
shadcn-ui/ui/apps/www/lib/colors.ts
{ "file_path": "shadcn-ui/ui/apps/www/lib/colors.ts", "repo_id": "shadcn-ui/ui", "token_count": 994 }
77
"use client" import { Users } from "lucide-react" import { Card, CardContent, CardHeader, CardTitle, } from "@/registry/default/ui/card" export default function Component() { return ( <Card x-chunk="dashboard-01-chunk-1"> <CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2"> <CardTitle className="text-sm font-medium">Subscriptions</CardTitle> <Users className="h-4 w-4 text-muted-foreground" /> </CardHeader> <CardContent> <div className="text-2xl font-bold">+2350</div> <p className="text-xs text-muted-foreground">+180.1% from last month</p> </CardContent> </Card> ) }
shadcn-ui/ui/apps/www/registry/default/block/dashboard-01-chunk-1.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/block/dashboard-01-chunk-1.tsx", "repo_id": "shadcn-ui/ui", "token_count": 282 }
78
"use client" import { Button } from "@/registry/default/ui/button" import { Card, CardDescription, CardFooter, CardHeader, CardTitle, } from "@/registry/default/ui/card" export default function Component() { return ( <Card className="sm:col-span-2" x-chunk="dashboard-05-chunk-0"> <CardHeader className="pb-3"> <CardTitle>Your Orders</CardTitle> <CardDescription className="max-w-lg text-balance leading-relaxed"> Introducing Our Dynamic Orders Dashboard for Seamless Management and Insightful Analysis. </CardDescription> </CardHeader> <CardFooter> <Button>Create New Order</Button> </CardFooter> </Card> ) }
shadcn-ui/ui/apps/www/registry/default/block/dashboard-05-chunk-0.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/block/dashboard-05-chunk-0.tsx", "repo_id": "shadcn-ui/ui", "token_count": 282 }
79
import { Avatar, AvatarFallback, AvatarImage, } from "@/registry/default/ui/avatar" export default function AvatarDemo() { return ( <Avatar> <AvatarImage src="https://github.com/shadcn.png" alt="@shadcn" /> <AvatarFallback>CN</AvatarFallback> </Avatar> ) }
shadcn-ui/ui/apps/www/registry/default/example/avatar-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/avatar-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 119 }
80
import { Button } from "@/registry/default/ui/button" export default function ButtonLink() { return <Button variant="link">Link</Button> }
shadcn-ui/ui/apps/www/registry/default/example/button-link.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/button-link.tsx", "repo_id": "shadcn-ui/ui", "token_count": 41 }
81
import { CardsActivityGoal } from "@/registry/default/example/cards/activity-goal" import { CardsCalendar } from "@/registry/default/example/cards/calendar" import { CardsChat } from "@/registry/default/example/cards/chat" import { CardsCookieSettings } from "@/registry/default/example/cards/cookie-settings" import { CardsCreateAccount } from "@/registry/default/example/cards/create-account" import { CardsDataTable } from "@/registry/default/example/cards/data-table" import { CardsMetric } from "@/registry/default/example/cards/metric" import { CardsPaymentMethod } from "@/registry/default/example/cards/payment-method" import { CardsReportIssue } from "@/registry/default/example/cards/report-issue" import { CardsShare } from "@/registry/default/example/cards/share" import { CardsStats } from "@/registry/default/example/cards/stats" import { CardsTeamMembers } from "@/registry/default/example/cards/team-members" export default function CardsDemo() { return ( <div className="md:grids-col-2 grid md:gap-4 lg:grid-cols-10 xl:grid-cols-11 xl:gap-4"> <div className="space-y-4 lg:col-span-4 xl:col-span-6 xl:space-y-4"> <CardsStats /> <div className="grid gap-1 sm:grid-cols-[280px_1fr] md:hidden"> <CardsCalendar /> <div className="pt-3 sm:pl-2 sm:pt-0 xl:pl-4"> <CardsActivityGoal /> </div> <div className="pt-3 sm:col-span-2 xl:pt-4"> <CardsMetric /> </div> </div> <div className="grid gap-4 md:grid-cols-2 lg:grid-cols-1 xl:grid-cols-2"> <div className="space-y-4 xl:space-y-4"> <CardsTeamMembers /> <CardsCookieSettings /> <CardsPaymentMethod /> </div> <div className="space-y-4 xl:space-y-4"> <CardsChat /> <CardsCreateAccount /> <div className="hidden xl:block"> <CardsReportIssue /> </div> </div> </div> </div> <div className="space-y-4 lg:col-span-6 xl:col-span-5 xl:space-y-4"> <div className="hidden gap-1 sm:grid-cols-[280px_1fr] md:grid"> <CardsCalendar /> <div className="pt-3 sm:pl-2 sm:pt-0 xl:pl-3"> <CardsActivityGoal /> </div> <div className="pt-3 sm:col-span-2 xl:pt-3"> <CardsMetric /> </div> </div> <div className="hidden md:block"> <CardsDataTable /> </div> <CardsShare /> <div className="xl:hidden"> <CardsReportIssue /> </div> </div> </div> ) }
shadcn-ui/ui/apps/www/registry/default/example/cards/index.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/cards/index.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1225 }
82
import { ContextMenu, ContextMenuCheckboxItem, ContextMenuContent, ContextMenuItem, ContextMenuLabel, ContextMenuRadioGroup, ContextMenuRadioItem, ContextMenuSeparator, ContextMenuShortcut, ContextMenuSub, ContextMenuSubContent, ContextMenuSubTrigger, ContextMenuTrigger, } from "@/registry/default/ui/context-menu" export default function ContextMenuDemo() { return ( <ContextMenu> <ContextMenuTrigger className="flex h-[150px] w-[300px] items-center justify-center rounded-md border border-dashed text-sm"> Right click here </ContextMenuTrigger> <ContextMenuContent className="w-64"> <ContextMenuItem inset> Back <ContextMenuShortcut>[</ContextMenuShortcut> </ContextMenuItem> <ContextMenuItem inset disabled> Forward <ContextMenuShortcut>]</ContextMenuShortcut> </ContextMenuItem> <ContextMenuItem inset> Reload <ContextMenuShortcut>R</ContextMenuShortcut> </ContextMenuItem> <ContextMenuSub> <ContextMenuSubTrigger inset>More Tools</ContextMenuSubTrigger> <ContextMenuSubContent className="w-48"> <ContextMenuItem> Save Page As... <ContextMenuShortcut>S</ContextMenuShortcut> </ContextMenuItem> <ContextMenuItem>Create Shortcut...</ContextMenuItem> <ContextMenuItem>Name Window...</ContextMenuItem> <ContextMenuSeparator /> <ContextMenuItem>Developer Tools</ContextMenuItem> </ContextMenuSubContent> </ContextMenuSub> <ContextMenuSeparator /> <ContextMenuCheckboxItem checked> Show Bookmarks Bar <ContextMenuShortcut>B</ContextMenuShortcut> </ContextMenuCheckboxItem> <ContextMenuCheckboxItem>Show Full URLs</ContextMenuCheckboxItem> <ContextMenuSeparator /> <ContextMenuRadioGroup value="pedro"> <ContextMenuLabel inset>People</ContextMenuLabel> <ContextMenuSeparator /> <ContextMenuRadioItem value="pedro"> Pedro Duarte </ContextMenuRadioItem> <ContextMenuRadioItem value="colm">Colm Tuite</ContextMenuRadioItem> </ContextMenuRadioGroup> </ContextMenuContent> </ContextMenu> ) }
shadcn-ui/ui/apps/www/registry/default/example/context-menu-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/context-menu-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 956 }
83
import { Input } from "@/registry/default/ui/input" import { Label } from "@/registry/default/ui/label" export default function InputFile() { return ( <div className="grid w-full max-w-sm items-center gap-1.5"> <Label htmlFor="picture">Picture</Label> <Input id="picture" type="file" /> </div> ) }
shadcn-ui/ui/apps/www/registry/default/example/input-file.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/input-file.tsx", "repo_id": "shadcn-ui/ui", "token_count": 120 }
84
"use client" import * as React from "react" import { Progress } from "@/registry/default/ui/progress" export default function ProgressDemo() { const [progress, setProgress] = React.useState(13) React.useEffect(() => { const timer = setTimeout(() => setProgress(66), 500) return () => clearTimeout(timer) }, []) return <Progress value={progress} className="w-[60%]" /> }
shadcn-ui/ui/apps/www/registry/default/example/progress-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/progress-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 126 }
85
import { Skeleton } from "@/registry/default/ui/skeleton" export default function SkeletonDemo() { return ( <div className="flex items-center space-x-4"> <Skeleton className="h-12 w-12 rounded-full" /> <div className="space-y-2"> <Skeleton className="h-4 w-[250px]" /> <Skeleton className="h-4 w-[200px]" /> </div> </div> ) }
shadcn-ui/ui/apps/www/registry/default/example/skeleton-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/skeleton-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 160 }
86
"use client" import { useToast } from "@/registry/default/hooks/use-toast" import { Button } from "@/registry/default/ui/button" import { ToastAction } from "@/registry/default/ui/toast" export default function ToastWithAction() { const { toast } = useToast() return ( <Button variant="outline" onClick={() => { toast({ title: "Uh oh! Something went wrong.", description: "There was a problem with your request.", action: <ToastAction altText="Try again">Try again</ToastAction>, }) }} > Show Toast </Button> ) }
shadcn-ui/ui/apps/www/registry/default/example/toast-with-action.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/toast-with-action.tsx", "repo_id": "shadcn-ui/ui", "token_count": 240 }
87
export default function TypographyDemo() { return ( <div> <h1 className="scroll-m-20 text-4xl font-extrabold tracking-tight lg:text-5xl"> The Joke Tax Chronicles </h1> <p className="leading-7 [&:not(:first-child)]:mt-6"> Once upon a time, in a far-off land, there was a very lazy king who spent all day lounging on his throne. One day, his advisors came to him with a problem: the kingdom was running out of money. </p> <h2 className="mt-10 scroll-m-20 border-b pb-2 text-3xl font-semibold tracking-tight transition-colors first:mt-0"> The King's Plan </h2> <p className="leading-7 [&:not(:first-child)]:mt-6"> The king thought long and hard, and finally came up with{" "} <a href="#" className="font-medium text-primary underline underline-offset-4" > a brilliant plan </a> : he would tax the jokes in the kingdom. </p> <blockquote className="mt-6 border-l-2 pl-6 italic"> "After all," he said, "everyone enjoys a good joke, so it's only fair that they should pay for the privilege." </blockquote> <h3 className="mt-8 scroll-m-20 text-2xl font-semibold tracking-tight"> The Joke Tax </h3> <p className="leading-7 [&:not(:first-child)]:mt-6"> The king's subjects were not amused. They grumbled and complained, but the king was firm: </p> <ul className="my-6 ml-6 list-disc [&>li]:mt-2"> <li>1st level of puns: 5 gold coins</li> <li>2nd level of jokes: 10 gold coins</li> <li>3rd level of one-liners : 20 gold coins</li> </ul> <p className="leading-7 [&:not(:first-child)]:mt-6"> As a result, people stopped telling jokes, and the kingdom fell into a gloom. But there was one person who refused to let the king's foolishness get him down: a court jester named Jokester. </p> <h3 className="mt-8 scroll-m-20 text-2xl font-semibold tracking-tight"> Jokester's Revolt </h3> <p className="leading-7 [&:not(:first-child)]:mt-6"> Jokester began sneaking into the castle in the middle of the night and leaving jokes all over the place: under the king's pillow, in his soup, even in the royal toilet. The king was furious, but he couldn't seem to stop Jokester. </p> <p className="leading-7 [&:not(:first-child)]:mt-6"> And then, one day, the people of the kingdom discovered that the jokes left by Jokester were so funny that they couldn't help but laugh. And once they started laughing, they couldn't stop. </p> <h3 className="mt-8 scroll-m-20 text-2xl font-semibold tracking-tight"> The People's Rebellion </h3> <p className="leading-7 [&:not(:first-child)]:mt-6"> The people of the kingdom, feeling uplifted by the laughter, started to tell jokes and puns again, and soon the entire kingdom was in on the joke. </p> <div className="my-6 w-full overflow-y-auto"> <table className="w-full"> <thead> <tr className="m-0 border-t p-0 even:bg-muted"> <th className="border px-4 py-2 text-left font-bold [&[align=center]]:text-center [&[align=right]]:text-right"> King's Treasury </th> <th className="border px-4 py-2 text-left font-bold [&[align=center]]:text-center [&[align=right]]:text-right"> People's happiness </th> </tr> </thead> <tbody> <tr className="m-0 border-t p-0 even:bg-muted"> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Empty </td> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Overflowing </td> </tr> <tr className="m-0 border-t p-0 even:bg-muted"> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Modest </td> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Satisfied </td> </tr> <tr className="m-0 border-t p-0 even:bg-muted"> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Full </td> <td className="border px-4 py-2 text-left [&[align=center]]:text-center [&[align=right]]:text-right"> Ecstatic </td> </tr> </tbody> </table> </div> <p className="leading-7 [&:not(:first-child)]:mt-6"> The king, seeing how much happier his subjects were, realized the error of his ways and repealed the joke tax. Jokester was declared a hero, and the kingdom lived happily ever after. </p> <p className="leading-7 [&:not(:first-child)]:mt-6"> The moral of the story is: never underestimate the power of a good laugh and always be careful of bad ideas. </p> </div> ) }
shadcn-ui/ui/apps/www/registry/default/example/typography-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/default/example/typography-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 2473 }
88
"use client" import { Bar, BarChart, Rectangle, XAxis } from "recharts" import { Card, CardContent, CardDescription, CardHeader, CardTitle, } from "@/registry/new-york//ui/card" import { ChartContainer } from "@/registry/new-york//ui/chart" export default function Component() { return ( <Card className="max-w-xs" x-chunk="charts-01-chunk-6"> <CardHeader className="p-4 pb-0"> <CardTitle>Active Energy</CardTitle> <CardDescription> You're burning an average of 754 calories per day. Good job! </CardDescription> </CardHeader> <CardContent className="flex flex-row items-baseline gap-4 p-4 pt-2"> <div className="flex items-baseline gap-2 text-3xl font-bold tabular-nums leading-none"> 1,254 <span className="text-sm font-normal text-muted-foreground"> kcal/day </span> </div> <ChartContainer config={{ calories: { label: "Calories", color: "hsl(var(--chart-1))", }, }} className="ml-auto w-[64px]" > <BarChart accessibilityLayer margin={{ left: 0, right: 0, top: 0, bottom: 0, }} data={[ { date: "2024-01-01", calories: 354, }, { date: "2024-01-02", calories: 514, }, { date: "2024-01-03", calories: 345, }, { date: "2024-01-04", calories: 734, }, { date: "2024-01-05", calories: 645, }, { date: "2024-01-06", calories: 456, }, { date: "2024-01-07", calories: 345, }, ]} > <Bar dataKey="calories" fill="var(--color-calories)" radius={2} fillOpacity={0.2} activeIndex={6} activeBar={<Rectangle fillOpacity={0.8} />} /> <XAxis dataKey="date" tickLine={false} axisLine={false} tickMargin={4} hide /> </BarChart> </ChartContainer> </CardContent> </Card> ) }
shadcn-ui/ui/apps/www/registry/new-york/block/charts-01-chunk-6.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/charts-01-chunk-6.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1554 }
89
"use client" import Link from "next/link" export default function Component() { return ( <nav className="grid gap-4 text-sm text-muted-foreground" x-chunk="dashboard-04-chunk-0" > <Link href="#" className="font-semibold text-primary"> General </Link> <Link href="#">Security</Link> <Link href="#">Integrations</Link> <Link href="#">Support</Link> <Link href="#">Organizations</Link> <Link href="#">Advanced</Link> </nav> ) }
shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-04-chunk-0.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-04-chunk-0.tsx", "repo_id": "shadcn-ui/ui", "token_count": 213 }
90
"use client" import { Card, CardContent, CardHeader, CardTitle, } from "@/registry/new-york/ui/card" import { Label } from "@/registry/new-york/ui/label" import { Select, SelectContent, SelectItem, SelectTrigger, SelectValue, } from "@/registry/new-york/ui/select" export default function Component() { return ( <Card x-chunk="dashboard-07-chunk-2"> <CardHeader> <CardTitle>Product Category</CardTitle> </CardHeader> <CardContent> <div className="grid gap-6 sm:grid-cols-3"> <div className="grid gap-3"> <Label htmlFor="category">Category</Label> <Select> <SelectTrigger id="category" aria-label="Select category"> <SelectValue placeholder="Select category" /> </SelectTrigger> <SelectContent> <SelectItem value="clothing">Clothing</SelectItem> <SelectItem value="electronics">Electronics</SelectItem> <SelectItem value="accessories">Accessories</SelectItem> </SelectContent> </Select> </div> <div className="grid gap-3"> <Label htmlFor="subcategory">Subcategory (optional)</Label> <Select> <SelectTrigger id="subcategory" aria-label="Select subcategory"> <SelectValue placeholder="Select subcategory" /> </SelectTrigger> <SelectContent> <SelectItem value="t-shirts">T-Shirts</SelectItem> <SelectItem value="hoodies">Hoodies</SelectItem> <SelectItem value="sweatshirts">Sweatshirts</SelectItem> </SelectContent> </Select> </div> </div> </CardContent> </Card> ) }
shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-07-chunk-2.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-07-chunk-2.tsx", "repo_id": "shadcn-ui/ui", "token_count": 832 }
91
"use client" import * as React from "react" import { PanelLeft } from "lucide-react" import { useIsMobile } from "@/registry/new-york/hooks/use-mobile" import { cn } from "@/registry/new-york/lib/utils" import { Button } from "@/registry/new-york/ui/button" import { Sheet, SheetContent } from "@/registry/new-york/ui/sheet" export const SIDEBAR_STATE_COOKIE = "sidebar:state" type SidebarContext = { state: "open" | "closed" open: boolean onOpenChange: (open: boolean) => void } const SidebarContext = React.createContext<SidebarContext>({ state: "open", open: true, onOpenChange: () => {}, }) function useSidebar() { return React.useContext(SidebarContext) } const SidebarLayout = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> & { defaultOpen?: boolean } >(({ defaultOpen, className, ...props }, ref) => { const [open, setOpen] = React.useState(defaultOpen ?? true) const onOpenChange = React.useCallback((open: boolean) => { setOpen(open) document.cookie = `${SIDEBAR_STATE_COOKIE}=${open}; path=/; max-age=${ 60 * 60 * 24 * 7 }` }, []) const state = open ? "open" : "closed" return ( <SidebarContext.Provider value={{ state, open, onOpenChange }}> <div ref={ref} data-sidebar={state} style={ { "--sidebar-width": "16rem", } as React.CSSProperties } className={cn( "flex min-h-screen bg-accent/50 pl-0 transition-all duration-300 ease-in-out data-[sidebar=closed]:pl-0 sm:pl-[--sidebar-width]", className )} {...props} /> </SidebarContext.Provider> ) }) SidebarLayout.displayName = "SidebarLayout" const SidebarTrigger = React.forwardRef< HTMLButtonElement, React.ComponentProps<"button"> >(({ className, ...props }, ref) => { const { open, onOpenChange } = useSidebar() return ( <Button ref={ref} variant="ghost" size="icon" className={cn("h-8 w-8", className)} onClick={() => onOpenChange(!open)} {...props} > <PanelLeft className="h-4 w-4" /> <span className="sr-only">Toggle Sidebar</span> </Button> ) }) SidebarTrigger.displayName = "SidebarTrigger" const Sidebar = React.forwardRef<HTMLDivElement, React.ComponentProps<"div">>( ({ className, children }, ref) => { const isMobile = useIsMobile() const { open, onOpenChange } = useSidebar() const sidebar = ( <div ref={ref} className={cn("flex h-full flex-col border-r bg-background", className)} > {children} </div> ) if (isMobile) { return ( <Sheet open={open} onOpenChange={onOpenChange}> <SheetContent className="w-[260px] p-0 md:w-[--sidebar-width] [&>button]:hidden" side="left" > {sidebar} </SheetContent> </Sheet> ) } return ( <aside className="fixed inset-y-0 left-0 z-10 hidden w-[--sidebar-width] transition-all duration-300 ease-in-out md:block [[data-sidebar=closed]_&]:left-[calc(var(--sidebar-width)*-1)]"> {sidebar} </aside> ) } ) Sidebar.displayName = "Sidebar" const SidebarHeader = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> >(({ className, ...props }, ref) => { return ( <div ref={ref} className={cn("flex items-center border-b px-2.5 py-2", className)} {...props} /> ) }) SidebarHeader.displayName = "SidebarHeader" const SidebarFooter = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> >(({ className, ...props }, ref) => { return ( <div ref={ref} className={cn("flex items-center border-t px-2.5 py-2", className)} {...props} /> ) }) SidebarFooter.displayName = "SidebarFooter" const SidebarContent = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> >(({ className, ...props }, ref) => { return ( <div ref={ref} className={cn("flex flex-1 flex-col gap-5 overflow-auto py-4", className)} {...props} /> ) }) SidebarContent.displayName = "SidebarContent" const SidebarItem = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> >(({ className, ...props }, ref) => { return ( <div ref={ref} className={cn("grid gap-2 px-2.5", className)} {...props} /> ) }) SidebarItem.displayName = "SidebarItem" const SidebarLabel = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> >(({ className, ...props }, ref) => { return ( <div ref={ref} className={cn( "px-1.5 text-xs font-medium text-muted-foreground", className )} {...props} /> ) }) SidebarLabel.displayName = "SidebarLabel" export { Sidebar, SidebarContent, SidebarFooter, SidebarHeader, SidebarItem, SidebarLabel, SidebarLayout, SidebarTrigger, useSidebar, }
shadcn-ui/ui/apps/www/registry/new-york/block/sidebar-01/ui/sidebar.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/sidebar-01/ui/sidebar.tsx", "repo_id": "shadcn-ui/ui", "token_count": 2075 }
92
import { SlashIcon } from "@radix-ui/react-icons" import { Breadcrumb, BreadcrumbItem, BreadcrumbLink, BreadcrumbList, BreadcrumbPage, BreadcrumbSeparator, } from "@/registry/new-york/ui/breadcrumb" export default function BreadcrumbWithCustomSeparator() { return ( <Breadcrumb> <BreadcrumbList> <BreadcrumbItem> <BreadcrumbLink href="/">Home</BreadcrumbLink> </BreadcrumbItem> <BreadcrumbSeparator> <SlashIcon /> </BreadcrumbSeparator> <BreadcrumbItem> <BreadcrumbLink href="/components">Components</BreadcrumbLink> </BreadcrumbItem> <BreadcrumbSeparator> <SlashIcon /> </BreadcrumbSeparator> <BreadcrumbItem> <BreadcrumbPage>Breadcrumb</BreadcrumbPage> </BreadcrumbItem> </BreadcrumbList> </Breadcrumb> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/breadcrumb-separator.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/breadcrumb-separator.tsx", "repo_id": "shadcn-ui/ui", "token_count": 426 }
93
"use client" import { addDays } from "date-fns" import { Calendar } from "@/registry/new-york/ui/calendar" import { Card, CardContent } from "@/registry/new-york/ui/card" const start = new Date(2023, 5, 5) export function CardsCalendar() { return ( <Card className="max-w-[260px]"> <CardContent className="p-1"> <Calendar numberOfMonths={1} mode="range" defaultMonth={start} selected={{ from: start, to: addDays(start, 8), }} /> </CardContent> </Card> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/cards/calendar.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/cards/calendar.tsx", "repo_id": "shadcn-ui/ui", "token_count": 274 }
94
"use client" import { zodResolver } from "@hookform/resolvers/zod" import { CaretSortIcon, CheckIcon } from "@radix-ui/react-icons" import { useForm } from "react-hook-form" import { z } from "zod" import { cn } from "@/lib/utils" import { toast } from "@/registry/new-york/hooks/use-toast" import { Button } from "@/registry/new-york/ui/button" import { Command, CommandEmpty, CommandGroup, CommandInput, CommandItem, CommandList, } from "@/registry/new-york/ui/command" import { Form, FormControl, FormDescription, FormField, FormItem, FormLabel, FormMessage, } from "@/registry/new-york/ui/form" import { Popover, PopoverContent, PopoverTrigger, } from "@/registry/new-york/ui/popover" const languages = [ { label: "English", value: "en" }, { label: "French", value: "fr" }, { label: "German", value: "de" }, { label: "Spanish", value: "es" }, { label: "Portuguese", value: "pt" }, { label: "Russian", value: "ru" }, { label: "Japanese", value: "ja" }, { label: "Korean", value: "ko" }, { label: "Chinese", value: "zh" }, ] as const const FormSchema = z.object({ language: z.string({ required_error: "Please select a language.", }), }) export default function ComboboxForm() { const form = useForm<z.infer<typeof FormSchema>>({ resolver: zodResolver(FormSchema), }) function onSubmit(data: z.infer<typeof FormSchema>) { toast({ title: "You submitted the following values:", description: ( <pre className="mt-2 w-[340px] rounded-md bg-slate-950 p-4"> <code className="text-white">{JSON.stringify(data, null, 2)}</code> </pre> ), }) } return ( <Form {...form}> <form onSubmit={form.handleSubmit(onSubmit)} className="space-y-6"> <FormField control={form.control} name="language" render={({ field }) => ( <FormItem className="flex flex-col"> <FormLabel>Language</FormLabel> <Popover> <PopoverTrigger asChild> <FormControl> <Button variant="outline" role="combobox" className={cn( "w-[200px] justify-between", !field.value && "text-muted-foreground" )} > {field.value ? languages.find( (language) => language.value === field.value )?.label : "Select language"} <CaretSortIcon className="ml-2 h-4 w-4 shrink-0 opacity-50" /> </Button> </FormControl> </PopoverTrigger> <PopoverContent className="w-[200px] p-0"> <Command> <CommandInput placeholder="Search framework..." className="h-9" /> <CommandList> <CommandEmpty>No framework found.</CommandEmpty> <CommandGroup> {languages.map((language) => ( <CommandItem value={language.label} key={language.value} onSelect={() => { form.setValue("language", language.value) }} > {language.label} <CheckIcon className={cn( "ml-auto h-4 w-4", language.value === field.value ? "opacity-100" : "opacity-0" )} /> </CommandItem> ))} </CommandGroup> </CommandList> </Command> </PopoverContent> </Popover> <FormDescription> This is the language that will be used in the dashboard. </FormDescription> <FormMessage /> </FormItem> )} /> <Button type="submit">Submit</Button> </form> </Form> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/combobox-form.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/combobox-form.tsx", "repo_id": "shadcn-ui/ui", "token_count": 2488 }
95
import { Button } from "@/registry/new-york/ui/button" import { DropdownMenu, DropdownMenuContent, DropdownMenuGroup, DropdownMenuItem, DropdownMenuLabel, DropdownMenuPortal, DropdownMenuSeparator, DropdownMenuShortcut, DropdownMenuSub, DropdownMenuSubContent, DropdownMenuSubTrigger, DropdownMenuTrigger, } from "@/registry/new-york/ui/dropdown-menu" export default function DropdownMenuDemo() { return ( <DropdownMenu> <DropdownMenuTrigger asChild> <Button variant="outline">Open</Button> </DropdownMenuTrigger> <DropdownMenuContent className="w-56"> <DropdownMenuLabel>My Account</DropdownMenuLabel> <DropdownMenuSeparator /> <DropdownMenuGroup> <DropdownMenuItem> Profile <DropdownMenuShortcut>P</DropdownMenuShortcut> </DropdownMenuItem> <DropdownMenuItem> Billing <DropdownMenuShortcut>B</DropdownMenuShortcut> </DropdownMenuItem> <DropdownMenuItem> Settings <DropdownMenuShortcut>S</DropdownMenuShortcut> </DropdownMenuItem> <DropdownMenuItem> Keyboard shortcuts <DropdownMenuShortcut>K</DropdownMenuShortcut> </DropdownMenuItem> </DropdownMenuGroup> <DropdownMenuSeparator /> <DropdownMenuGroup> <DropdownMenuItem>Team</DropdownMenuItem> <DropdownMenuSub> <DropdownMenuSubTrigger>Invite users</DropdownMenuSubTrigger> <DropdownMenuPortal> <DropdownMenuSubContent> <DropdownMenuItem>Email</DropdownMenuItem> <DropdownMenuItem>Message</DropdownMenuItem> <DropdownMenuSeparator /> <DropdownMenuItem>More...</DropdownMenuItem> </DropdownMenuSubContent> </DropdownMenuPortal> </DropdownMenuSub> <DropdownMenuItem> New Team <DropdownMenuShortcut>+T</DropdownMenuShortcut> </DropdownMenuItem> </DropdownMenuGroup> <DropdownMenuSeparator /> <DropdownMenuItem>GitHub</DropdownMenuItem> <DropdownMenuItem>Support</DropdownMenuItem> <DropdownMenuItem disabled>API</DropdownMenuItem> <DropdownMenuSeparator /> <DropdownMenuItem> Log out <DropdownMenuShortcut>Q</DropdownMenuShortcut> </DropdownMenuItem> </DropdownMenuContent> </DropdownMenu> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/dropdown-menu-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/dropdown-menu-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1159 }
96
import { Menubar, MenubarCheckboxItem, MenubarContent, MenubarItem, MenubarMenu, MenubarRadioGroup, MenubarRadioItem, MenubarSeparator, MenubarShortcut, MenubarSub, MenubarSubContent, MenubarSubTrigger, MenubarTrigger, } from "@/registry/new-york/ui/menubar" export default function MenubarDemo() { return ( <Menubar> <MenubarMenu> <MenubarTrigger>File</MenubarTrigger> <MenubarContent> <MenubarItem> New Tab <MenubarShortcut>T</MenubarShortcut> </MenubarItem> <MenubarItem> New Window <MenubarShortcut>N</MenubarShortcut> </MenubarItem> <MenubarItem disabled>New Incognito Window</MenubarItem> <MenubarSeparator /> <MenubarSub> <MenubarSubTrigger>Share</MenubarSubTrigger> <MenubarSubContent> <MenubarItem>Email link</MenubarItem> <MenubarItem>Messages</MenubarItem> <MenubarItem>Notes</MenubarItem> </MenubarSubContent> </MenubarSub> <MenubarSeparator /> <MenubarItem> Print... <MenubarShortcut>P</MenubarShortcut> </MenubarItem> </MenubarContent> </MenubarMenu> <MenubarMenu> <MenubarTrigger>Edit</MenubarTrigger> <MenubarContent> <MenubarItem> Undo <MenubarShortcut>Z</MenubarShortcut> </MenubarItem> <MenubarItem> Redo <MenubarShortcut>Z</MenubarShortcut> </MenubarItem> <MenubarSeparator /> <MenubarSub> <MenubarSubTrigger>Find</MenubarSubTrigger> <MenubarSubContent> <MenubarItem>Search the web</MenubarItem> <MenubarSeparator /> <MenubarItem>Find...</MenubarItem> <MenubarItem>Find Next</MenubarItem> <MenubarItem>Find Previous</MenubarItem> </MenubarSubContent> </MenubarSub> <MenubarSeparator /> <MenubarItem>Cut</MenubarItem> <MenubarItem>Copy</MenubarItem> <MenubarItem>Paste</MenubarItem> </MenubarContent> </MenubarMenu> <MenubarMenu> <MenubarTrigger>View</MenubarTrigger> <MenubarContent> <MenubarCheckboxItem>Always Show Bookmarks Bar</MenubarCheckboxItem> <MenubarCheckboxItem checked> Always Show Full URLs </MenubarCheckboxItem> <MenubarSeparator /> <MenubarItem inset> Reload <MenubarShortcut>R</MenubarShortcut> </MenubarItem> <MenubarItem disabled inset> Force Reload <MenubarShortcut>R</MenubarShortcut> </MenubarItem> <MenubarSeparator /> <MenubarItem inset>Toggle Fullscreen</MenubarItem> <MenubarSeparator /> <MenubarItem inset>Hide Sidebar</MenubarItem> </MenubarContent> </MenubarMenu> <MenubarMenu> <MenubarTrigger>Profiles</MenubarTrigger> <MenubarContent> <MenubarRadioGroup value="benoit"> <MenubarRadioItem value="andy">Andy</MenubarRadioItem> <MenubarRadioItem value="benoit">Benoit</MenubarRadioItem> <MenubarRadioItem value="Luis">Luis</MenubarRadioItem> </MenubarRadioGroup> <MenubarSeparator /> <MenubarItem inset>Edit...</MenubarItem> <MenubarSeparator /> <MenubarItem inset>Add Profile...</MenubarItem> </MenubarContent> </MenubarMenu> </Menubar> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/menubar-demo.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/menubar-demo.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1880 }
97
import * as React from "react" import { Select, SelectContent, SelectGroup, SelectItem, SelectLabel, SelectTrigger, SelectValue, } from "@/registry/new-york/ui/select" export default function SelectScrollable() { return ( <Select> <SelectTrigger className="w-[280px]"> <SelectValue placeholder="Select a timezone" /> </SelectTrigger> <SelectContent> <SelectGroup> <SelectLabel>North America</SelectLabel> <SelectItem value="est">Eastern Standard Time (EST)</SelectItem> <SelectItem value="cst">Central Standard Time (CST)</SelectItem> <SelectItem value="mst">Mountain Standard Time (MST)</SelectItem> <SelectItem value="pst">Pacific Standard Time (PST)</SelectItem> <SelectItem value="akst">Alaska Standard Time (AKST)</SelectItem> <SelectItem value="hst">Hawaii Standard Time (HST)</SelectItem> </SelectGroup> <SelectGroup> <SelectLabel>Europe & Africa</SelectLabel> <SelectItem value="gmt">Greenwich Mean Time (GMT)</SelectItem> <SelectItem value="cet">Central European Time (CET)</SelectItem> <SelectItem value="eet">Eastern European Time (EET)</SelectItem> <SelectItem value="west"> Western European Summer Time (WEST) </SelectItem> <SelectItem value="cat">Central Africa Time (CAT)</SelectItem> <SelectItem value="eat">East Africa Time (EAT)</SelectItem> </SelectGroup> <SelectGroup> <SelectLabel>Asia</SelectLabel> <SelectItem value="msk">Moscow Time (MSK)</SelectItem> <SelectItem value="ist">India Standard Time (IST)</SelectItem> <SelectItem value="cst_china">China Standard Time (CST)</SelectItem> <SelectItem value="jst">Japan Standard Time (JST)</SelectItem> <SelectItem value="kst">Korea Standard Time (KST)</SelectItem> <SelectItem value="ist_indonesia"> Indonesia Central Standard Time (WITA) </SelectItem> </SelectGroup> <SelectGroup> <SelectLabel>Australia & Pacific</SelectLabel> <SelectItem value="awst"> Australian Western Standard Time (AWST) </SelectItem> <SelectItem value="acst"> Australian Central Standard Time (ACST) </SelectItem> <SelectItem value="aest"> Australian Eastern Standard Time (AEST) </SelectItem> <SelectItem value="nzst">New Zealand Standard Time (NZST)</SelectItem> <SelectItem value="fjt">Fiji Time (FJT)</SelectItem> </SelectGroup> <SelectGroup> <SelectLabel>South America</SelectLabel> <SelectItem value="art">Argentina Time (ART)</SelectItem> <SelectItem value="bot">Bolivia Time (BOT)</SelectItem> <SelectItem value="brt">Brasilia Time (BRT)</SelectItem> <SelectItem value="clt">Chile Standard Time (CLT)</SelectItem> </SelectGroup> </SelectContent> </Select> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/select-scrollable.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/select-scrollable.tsx", "repo_id": "shadcn-ui/ui", "token_count": 1268 }
98
import { Label } from "@/registry/new-york/ui/label" import { Textarea } from "@/registry/new-york/ui/textarea" export default function TextareaWithLabel() { return ( <div className="grid w-full gap-1.5"> <Label htmlFor="message">Your message</Label> <Textarea placeholder="Type your message here." id="message" /> </div> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/textarea-with-label.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/textarea-with-label.tsx", "repo_id": "shadcn-ui/ui", "token_count": 127 }
99
import { FontItalicIcon } from "@radix-ui/react-icons" import { Toggle } from "@/registry/new-york/ui/toggle" export default function ToggleOutline() { return ( <Toggle variant="outline" aria-label="Toggle italic"> <FontItalicIcon className="h-4 w-4" /> </Toggle> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/toggle-outline.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/toggle-outline.tsx", "repo_id": "shadcn-ui/ui", "token_count": 113 }
100
export default function TypographySmall() { return ( <small className="text-sm font-medium leading-none">Email address</small> ) }
shadcn-ui/ui/apps/www/registry/new-york/example/typography-small.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/typography-small.tsx", "repo_id": "shadcn-ui/ui", "token_count": 42 }
101
"use client" import * as React from "react" import * as RechartsPrimitive from "recharts" import { NameType, Payload, ValueType, } from "recharts/types/component/DefaultTooltipContent" import { cn } from "@/lib/utils" // Format: { THEME_NAME: CSS_SELECTOR } const THEMES = { light: "", dark: ".dark" } as const export type ChartConfig = { [k in string]: { label?: React.ReactNode icon?: React.ComponentType } & ( | { color?: string; theme?: never } | { color?: never; theme: Record<keyof typeof THEMES, string> } ) } type ChartContextProps = { config: ChartConfig } const ChartContext = React.createContext<ChartContextProps | null>(null) function useChart() { const context = React.useContext(ChartContext) if (!context) { throw new Error("useChart must be used within a <ChartContainer />") } return context } const ChartContainer = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> & { config: ChartConfig children: React.ComponentProps< typeof RechartsPrimitive.ResponsiveContainer >["children"] } >(({ id, className, children, config, ...props }, ref) => { const uniqueId = React.useId() const chartId = `chart-${id || uniqueId.replace(/:/g, "")}` return ( <ChartContext.Provider value={{ config }}> <div data-chart={chartId} ref={ref} className={cn( "flex aspect-video justify-center text-xs [&_.recharts-cartesian-axis-tick_text]:fill-muted-foreground [&_.recharts-cartesian-grid_line[stroke='#ccc']]:stroke-border/50 [&_.recharts-curve.recharts-tooltip-cursor]:stroke-border [&_.recharts-dot[stroke='#fff']]:stroke-transparent [&_.recharts-layer]:outline-none [&_.recharts-polar-grid_[stroke='#ccc']]:stroke-border [&_.recharts-radial-bar-background-sector]:fill-muted [&_.recharts-rectangle.recharts-tooltip-cursor]:fill-muted [&_.recharts-reference-line_[stroke='#ccc']]:stroke-border [&_.recharts-sector[stroke='#fff']]:stroke-transparent [&_.recharts-sector]:outline-none [&_.recharts-surface]:outline-none", className )} {...props} > <ChartStyle id={chartId} config={config} /> <RechartsPrimitive.ResponsiveContainer> {children} </RechartsPrimitive.ResponsiveContainer> </div> </ChartContext.Provider> ) }) ChartContainer.displayName = "Chart" const ChartStyle = ({ id, config }: { id: string; config: ChartConfig }) => { const colorConfig = Object.entries(config).filter( ([_, config]) => config.theme || config.color ) if (!colorConfig.length) { return null } return ( <style dangerouslySetInnerHTML={{ __html: Object.entries(THEMES) .map( ([theme, prefix]) => ` ${prefix} [data-chart=${id}] { ${colorConfig .map(([key, itemConfig]) => { const color = itemConfig.theme?.[theme as keyof typeof itemConfig.theme] || itemConfig.color return color ? ` --color-${key}: ${color};` : null }) .join("\n")} } ` ) .join("\n"), }} /> ) } const ChartTooltip = RechartsPrimitive.Tooltip const ChartTooltipContent = React.forwardRef< HTMLDivElement, React.ComponentProps<typeof RechartsPrimitive.Tooltip> & React.ComponentProps<"div"> & { hideLabel?: boolean hideIndicator?: boolean indicator?: "line" | "dot" | "dashed" nameKey?: string labelKey?: string } >( ( { active, payload, className, indicator = "dot", hideLabel = false, hideIndicator = false, label, labelFormatter, labelClassName, formatter, color, nameKey, labelKey, }, ref ) => { const { config } = useChart() const tooltipLabel = React.useMemo(() => { if (hideLabel || !payload?.length) { return null } const [item] = payload const key = `${labelKey || item.dataKey || item.name || "value"}` const itemConfig = getPayloadConfigFromPayload(config, item, key) const value = !labelKey && typeof label === "string" ? config[label as keyof typeof config]?.label || label : itemConfig?.label if (labelFormatter) { return ( <div className={cn("font-medium", labelClassName)}> {labelFormatter(value, payload)} </div> ) } if (!value) { return null } return <div className={cn("font-medium", labelClassName)}>{value}</div> }, [ label, labelFormatter, payload, hideLabel, labelClassName, config, labelKey, ]) if (!active || !payload?.length) { return null } const nestLabel = payload.length === 1 && indicator !== "dot" return ( <div ref={ref} className={cn( "grid min-w-[8rem] items-start gap-1.5 rounded-lg border border-border/50 bg-background px-2.5 py-1.5 text-xs shadow-xl", className )} > {!nestLabel ? tooltipLabel : null} <div className="grid gap-1.5"> {payload.map((item, index) => { const key = `${nameKey || item.name || item.dataKey || "value"}` const itemConfig = getPayloadConfigFromPayload(config, item, key) const indicatorColor = color || item.payload.fill || item.color return ( <div key={item.dataKey} className={cn( "flex w-full flex-wrap items-stretch gap-2 [&>svg]:h-2.5 [&>svg]:w-2.5 [&>svg]:text-muted-foreground", indicator === "dot" && "items-center" )} > {formatter && item?.value !== undefined && item.name ? ( formatter(item.value, item.name, item, index, item.payload) ) : ( <> {itemConfig?.icon ? ( <itemConfig.icon /> ) : ( !hideIndicator && ( <div className={cn( "shrink-0 rounded-[2px] border-[--color-border] bg-[--color-bg]", { "h-2.5 w-2.5": indicator === "dot", "w-1": indicator === "line", "w-0 border-[1.5px] border-dashed bg-transparent": indicator === "dashed", "my-0.5": nestLabel && indicator === "dashed", } )} style={ { "--color-bg": indicatorColor, "--color-border": indicatorColor, } as React.CSSProperties } /> ) )} <div className={cn( "flex flex-1 justify-between leading-none", nestLabel ? "items-end" : "items-center" )} > <div className="grid gap-1.5"> {nestLabel ? tooltipLabel : null} <span className="text-muted-foreground"> {itemConfig?.label || item.name} </span> </div> {item.value && ( <span className="font-mono font-medium tabular-nums text-foreground"> {item.value.toLocaleString()} </span> )} </div> </> )} </div> ) })} </div> </div> ) } ) ChartTooltipContent.displayName = "ChartTooltip" const ChartLegend = RechartsPrimitive.Legend const ChartLegendContent = React.forwardRef< HTMLDivElement, React.ComponentProps<"div"> & Pick<RechartsPrimitive.LegendProps, "payload" | "verticalAlign"> & { hideIcon?: boolean nameKey?: string } >( ( { className, hideIcon = false, payload, verticalAlign = "bottom", nameKey }, ref ) => { const { config } = useChart() if (!payload?.length) { return null } return ( <div ref={ref} className={cn( "flex items-center justify-center gap-4", verticalAlign === "top" ? "pb-3" : "pt-3", className )} > {payload.map((item) => { const key = `${nameKey || item.dataKey || "value"}` const itemConfig = getPayloadConfigFromPayload(config, item, key) return ( <div key={item.value} className={cn( "flex items-center gap-1.5 [&>svg]:h-3 [&>svg]:w-3 [&>svg]:text-muted-foreground" )} > {itemConfig?.icon && !hideIcon ? ( <itemConfig.icon /> ) : ( <div className="h-2 w-2 shrink-0 rounded-[2px]" style={{ backgroundColor: item.color, }} /> )} {itemConfig?.label} </div> ) })} </div> ) } ) ChartLegendContent.displayName = "ChartLegend" // Helper to extract item config from a payload. function getPayloadConfigFromPayload( config: ChartConfig, payload: unknown, key: string ) { if (typeof payload !== "object" || payload === null) { return undefined } const payloadPayload = "payload" in payload && typeof payload.payload === "object" && payload.payload !== null ? payload.payload : undefined let configLabelKey: string = key if ( key in payload && typeof payload[key as keyof typeof payload] === "string" ) { configLabelKey = payload[key as keyof typeof payload] as string } else if ( payloadPayload && key in payloadPayload && typeof payloadPayload[key as keyof typeof payloadPayload] === "string" ) { configLabelKey = payloadPayload[ key as keyof typeof payloadPayload ] as string } return configLabelKey in config ? config[configLabelKey] : config[key as keyof typeof config] } export { ChartContainer, ChartTooltip, ChartTooltipContent, ChartLegend, ChartLegendContent, ChartStyle, }
shadcn-ui/ui/apps/www/registry/new-york/ui/chart.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/ui/chart.tsx", "repo_id": "shadcn-ui/ui", "token_count": 5198 }
102
"use client" import { useToast } from "@/registry/new-york/hooks/use-toast" import { Toast, ToastClose, ToastDescription, ToastProvider, ToastTitle, ToastViewport, } from "@/registry/new-york/ui/toast" export function Toaster() { const { toasts } = useToast() return ( <ToastProvider> {toasts.map(function ({ id, title, description, action, ...props }) { return ( <Toast key={id} {...props}> <div className="grid gap-1"> {title && <ToastTitle>{title}</ToastTitle>} {description && ( <ToastDescription>{description}</ToastDescription> )} </div> {action} <ToastClose /> </Toast> ) })} <ToastViewport /> </ToastProvider> ) }
shadcn-ui/ui/apps/www/registry/new-york/ui/toaster.tsx
{ "file_path": "shadcn-ui/ui/apps/www/registry/new-york/ui/toaster.tsx", "repo_id": "shadcn-ui/ui", "token_count": 396 }
103
@tailwind base; @tailwind components; @tailwind utilities; @layer base { :root { --background: 0 0% 100%; --foreground: 240 10% 3.9%; --card: 0 0% 100%; --card-foreground: 240 10% 3.9%; --popover: 0 0% 100%; --popover-foreground: 240 10% 3.9%; --primary: 240 5.9% 10%; --primary-foreground: 0 0% 98%; --secondary: 240 4.8% 95.9%; --secondary-foreground: 240 5.9% 10%; --muted: 240 4.8% 95.9%; --muted-foreground: 240 3.8% 46.1%; --accent: 240 4.8% 95.9%; --accent-foreground: 240 5.9% 10%; --destructive: 0 72.22% 50.59%; --destructive-foreground: 0 0% 98%; --border: 240 5.9% 90%; --input: 240 5.9% 90%; --ring: 240 5% 64.9%; --radius: 0.5rem; --chart-1: 12 76% 61%; --chart-2: 173 58% 39%; --chart-3: 197 37% 24%; --chart-4: 43 74% 66%; --chart-5: 27 87% 67%; } .dark { --background: 240 10% 3.9%; --foreground: 0 0% 98%; --card: 240 10% 3.9%; --card-foreground: 0 0% 98%; --popover: 240 10% 3.9%; --popover-foreground: 0 0% 98%; --primary: 0 0% 98%; --primary-foreground: 240 5.9% 10%; --secondary: 240 3.7% 15.9%; --secondary-foreground: 0 0% 98%; --muted: 240 3.7% 15.9%; --muted-foreground: 240 5% 64.9%; --accent: 240 3.7% 15.9%; --accent-foreground: 0 0% 98%; --destructive: 0 62.8% 30.6%; --destructive-foreground: 0 85.7% 97.3%; --border: 240 3.7% 15.9%; --input: 240 3.7% 15.9%; --ring: 240 4.9% 83.9%; --chart-1: 220 70% 50%; --chart-2: 160 60% 45%; --chart-3: 30 80% 55%; --chart-4: 280 65% 60%; --chart-5: 340 75% 55%; } } @layer base { * { @apply border-border; } html { @apply scroll-smooth; } body { @apply bg-background text-foreground; /* font-feature-settings: "rlig" 1, "calt" 1; */ font-synthesis-weight: none; text-rendering: optimizeLegibility; } } @layer utilities { .step { counter-increment: step; } .step:before { @apply absolute w-9 h-9 bg-muted rounded-full font-mono font-medium text-center text-base inline-flex items-center justify-center -indent-px border-4 border-background; @apply ml-[-50px] mt-[-4px]; content: counter(step); } .chunk-container { @apply shadow-none; } .chunk-container::after { content: ""; @apply absolute -inset-4 shadow-xl rounded-xl border; } } @media (max-width: 640px) { .container { @apply px-4; } }
shadcn-ui/ui/apps/www/styles/globals.css
{ "file_path": "shadcn-ui/ui/apps/www/styles/globals.css", "repo_id": "shadcn-ui/ui", "token_count": 1124 }
104
import chalk from "chalk" export const DEPRECATED_MESSAGE = chalk.yellow( `\nNote: The shadcn-ui CLI is going to be deprecated soon. Please use ${chalk.bold( "npx shadcn" )} instead.\n` )
shadcn-ui/ui/packages/cli/src/deprecated.ts
{ "file_path": "shadcn-ui/ui/packages/cli/src/deprecated.ts", "repo_id": "shadcn-ui/ui", "token_count": 77 }
105
import { Transformer } from "@/src/utils/transformers" import { SyntaxKind } from "ts-morph" export const transformRsc: Transformer = async ({ sourceFile, config }) => { if (config.rsc) { return sourceFile } // Remove "use client" from the top of the file. const first = sourceFile.getFirstChildByKind(SyntaxKind.ExpressionStatement) if (first?.getText() === `"use client"`) { first.remove() } return sourceFile }
shadcn-ui/ui/packages/cli/src/utils/transformers/transform-rsc.ts
{ "file_path": "shadcn-ui/ui/packages/cli/src/utils/transformers/transform-rsc.ts", "repo_id": "shadcn-ui/ui", "token_count": 143 }
106
body { background-color: red; }
shadcn-ui/ui/packages/cli/test/fixtures/next-app/app/other.css
{ "file_path": "shadcn-ui/ui/packages/cli/test/fixtures/next-app/app/other.css", "repo_id": "shadcn-ui/ui", "token_count": 13 }
107
export const FRAMEWORKS = { "next-app": { name: "next-app", label: "Next.js", links: { installation: "https://ui.shadcn.com/docs/installation/next", tailwind: "https://tailwindcss.com/docs/guides/nextjs", }, }, "next-pages": { name: "next-pages", label: "Next.js", links: { installation: "https://ui.shadcn.com/docs/installation/next", tailwind: "https://tailwindcss.com/docs/guides/nextjs", }, }, remix: { name: "remix", label: "Remix", links: { installation: "https://ui.shadcn.com/docs/installation/remix", tailwind: "https://tailwindcss.com/docs/guides/remix", }, }, vite: { name: "vite", label: "Vite", links: { installation: "https://ui.shadcn.com/docs/installation/vite", tailwind: "https://tailwindcss.com/docs/guides/vite", }, }, astro: { name: "astro", label: "Astro", links: { installation: "https://ui.shadcn.com/docs/installation/astro", tailwind: "https://tailwindcss.com/docs/guides/astro", }, }, laravel: { name: "laravel", label: "Laravel", links: { installation: "https://ui.shadcn.com/docs/installation/laravel", tailwind: "https://tailwindcss.com/docs/guides/laravel", }, }, gatsby: { name: "gatsby", label: "Gatsby", links: { installation: "https://ui.shadcn.com/docs/installation/gatsby", tailwind: "https://tailwindcss.com/docs/guides/gatsby", }, }, manual: { name: "manual", label: "Manual", links: { installation: "https://ui.shadcn.com/docs/installation/manual", tailwind: "https://tailwindcss.com/docs/installation", }, }, } as const export type Framework = (typeof FRAMEWORKS)[keyof typeof FRAMEWORKS]
shadcn-ui/ui/packages/shadcn/src/utils/frameworks.ts
{ "file_path": "shadcn-ui/ui/packages/shadcn/src/utils/frameworks.ts", "repo_id": "shadcn-ui/ui", "token_count": 802 }
108
@tailwind base; @tailwind components; @tailwind utilities;
shadcn-ui/ui/packages/shadcn/test/fixtures/config-full/src/app/globals.css
{ "file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/config-full/src/app/globals.css", "repo_id": "shadcn-ui/ui", "token_count": 18 }
109
body { background-color: red; }
shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/next-app/app/other.css
{ "file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/next-app/app/other.css", "repo_id": "shadcn-ui/ui", "token_count": 13 }
110