text
stringlengths 21
253k
| id
stringlengths 25
123
| metadata
dict | __index_level_0__
int64 0
181
|
---|---|---|---|
import { generateEmailVerificationCode } from "~/actions/auth";
import { sendOTP } from "~/actions/mail";
import prisma from "~/lib/prisma";
export const POST = async (req: Request) => {
const body = await req.json();
try {
const user = await prisma.user.upsert({
where: {
email: body.email,
},
update: {},
create: {
email: body.email,
emailVerified: false,
},
});
const otp = await generateEmailVerificationCode(user.id, body.email);
await sendOTP({
toMail: body.email,
code: otp,
userName: user.name?.split(" ")[0] || "",
});
return new Response(null, {
status: 200,
});
} catch (error) {
console.log(error);
return new Response(null, {
status: 500,
});
}
};
| moinulmoin/chadnext/src/app/api/auth/login/send-otp/route.ts | {
"file_path": "moinulmoin/chadnext/src/app/api/auth/login/send-otp/route.ts",
"repo_id": "moinulmoin/chadnext",
"token_count": 337
} | 95 |
import Link from "next/link";
import { siteConfig } from "~/config/site";
export default function OpenSource() {
return (
<section className="">
<div className="container pb-14 lg:pb-24">
<div className="mx-auto flex max-w-[58rem] flex-col items-center justify-center gap-4 text-center">
<h2 className="font-heading text-3xl leading-[1.1] sm:text-3xl md:text-6xl">
Proudly Open Source
</h2>
<p className="max-w-[85%] text-balance leading-normal text-muted-foreground sm:text-lg sm:leading-7">
ChadNext is open source and powered by open source software. The
code is available on GitHub.
</p>
<Link
className="underline underline-offset-4"
href={siteConfig().links.github}
target="_blank"
rel="noreferrer"
>
<span className="font-semibold">Star me</span>, Onii Chan {`>_<`}
</Link>
</div>
</div>
</section>
);
}
| moinulmoin/chadnext/src/components/sections/open-source.tsx | {
"file_path": "moinulmoin/chadnext/src/components/sections/open-source.tsx",
"repo_id": "moinulmoin/chadnext",
"token_count": 473
} | 96 |
import { clsx, type ClassValue } from "clsx";
import { twMerge } from "tailwind-merge";
export function cn(...inputs: ClassValue[]) {
return twMerge(clsx(inputs));
}
export function nFormatter(num: number, digits?: number) {
if (!num) return "0";
const lookup = [
{ value: 1, symbol: "" },
{ value: 1e3, symbol: "K" },
{ value: 1e6, symbol: "M" },
{ value: 1e9, symbol: "G" },
{ value: 1e12, symbol: "T" },
{ value: 1e15, symbol: "P" },
{ value: 1e18, symbol: "E" },
];
const rx = /\.0+$|(\.[0-9]*[1-9])0+$/;
const item = lookup
.slice()
.reverse()
.find(function (item) {
return num >= item.value;
});
return item
? (num / item.value).toFixed(digits || 1).replace(rx, "$1") + item.symbol
: "0";
}
export function hasFileNameSpaces(fileName: string) {
return /\s/.test(fileName);
}
export function formatDate(input: string | number): string {
const date = new Date(input);
return date.toLocaleDateString("en-US", {
month: "long",
day: "numeric",
year: "numeric",
});
}
export const isOurCdnUrl = (url: string) =>
url?.includes("utfs.io") || url?.includes("uploadthing.com");
export const getImageKeyFromUrl = (url: string) => {
const parts = url.split("/");
return parts.at(-1);
};
export class FreePlanLimitError extends Error {
constructor(message = "Upgrade your plan!") {
super(message);
}
}
| moinulmoin/chadnext/src/lib/utils.ts | {
"file_path": "moinulmoin/chadnext/src/lib/utils.ts",
"repo_id": "moinulmoin/chadnext",
"token_count": 559
} | 97 |
import * as React from "react";
function XIcon(props: React.SVGProps<SVGSVGElement> | undefined) {
return (
<svg
width="18px"
height="18px"
viewBox="0 0 24 24"
xmlns="http://www.w3.org/2000/svg"
className="fill-foreground"
{...props}
>
<path d="M18.901 1.153h3.68l-8.04 9.19L24 22.846h-7.406l-5.8-7.584-6.638 7.584H.474l8.6-9.83L0 1.154h7.594l5.243 6.932zM17.61 20.644h2.039L6.486 3.24H4.298z" />
</svg>
);
}
export default XIcon;
| nobruf/shadcn-landing-page/components/icons/x-icon.tsx | {
"file_path": "nobruf/shadcn-landing-page/components/icons/x-icon.tsx",
"repo_id": "nobruf/shadcn-landing-page",
"token_count": 268
} | 98 |
"use client";
import * as React from "react";
import * as AccordionPrimitive from "@radix-ui/react-accordion";
import { ChevronDown, Plus } from "lucide-react";
import { cn } from "@/lib/utils";
const Accordion = AccordionPrimitive.Root;
const AccordionItem = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Item>
>(({ className, ...props }, ref) => (
<AccordionPrimitive.Item
ref={ref}
className={cn(
"border-b border-secondary bg-muted/50 dark:bg-card px-4 my-4 border rounded-lg",
className
)}
{...props}
/>
));
AccordionItem.displayName = "AccordionItem";
const AccordionTrigger = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Header className="flex">
<AccordionPrimitive.Trigger
ref={ref}
className={cn(
"flex flex-1 gap-4 items-center justify-between py-4 font-medium transition-all hover:underline [&[data-state=open]>svg]:rotate-[135deg]",
className
)}
{...props}
>
{children}
<Plus className="h-4 w-4 shrink-0 transition-transform duration-200" />
</AccordionPrimitive.Trigger>
</AccordionPrimitive.Header>
));
AccordionTrigger.displayName = AccordionPrimitive.Trigger.displayName;
const AccordionContent = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Content
ref={ref}
className="overflow-hidden text-sm transition-all data-[state=closed]:animate-accordion-up data-[state=open]:animate-accordion-down"
{...props}
>
<div
className={cn("pb-4 pt-0 text-muted-foreground text-[16px]", className)}
>
{children}
</div>
</AccordionPrimitive.Content>
));
AccordionContent.displayName = AccordionPrimitive.Content.displayName;
export { Accordion, AccordionItem, AccordionTrigger, AccordionContent };
| nobruf/shadcn-landing-page/components/ui/accordion.tsx | {
"file_path": "nobruf/shadcn-landing-page/components/ui/accordion.tsx",
"repo_id": "nobruf/shadcn-landing-page",
"token_count": 778
} | 99 |
import * as React from "react"
import { cn } from "@/lib/utils"
export interface TextareaProps
extends React.TextareaHTMLAttributes<HTMLTextAreaElement> {}
const Textarea = React.forwardRef<HTMLTextAreaElement, TextareaProps>(
({ className, ...props }, ref) => {
return (
<textarea
className={cn(
"flex min-h-[80px] w-full rounded-md border border-input bg-background px-3 py-2 text-sm ring-offset-background placeholder:text-muted-foreground focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 disabled:cursor-not-allowed disabled:opacity-50",
className
)}
ref={ref}
{...props}
/>
)
}
)
Textarea.displayName = "Textarea"
export { Textarea }
| nobruf/shadcn-landing-page/components/ui/textarea.tsx | {
"file_path": "nobruf/shadcn-landing-page/components/ui/textarea.tsx",
"repo_id": "nobruf/shadcn-landing-page",
"token_count": 295
} | 100 |
import { Skeleton } from "@/components/ui/skeleton"
export default function Loading() {
return (
<div className="grid w-full gap-10">
<div className="flex w-full items-center justify-between">
<Skeleton className="h-[38px] w-[90px]" />
<Skeleton className="h-[38px] w-[80px]" />
</div>
<div className="mx-auto w-[800px] space-y-6">
<Skeleton className="h-[50px] w-full" />
<Skeleton className="h-[20px] w-2/3" />
<Skeleton className="h-[20px] w-full" />
<Skeleton className="h-[20px] w-full" />
</div>
</div>
)
}
| shadcn-ui/taxonomy/app/(editor)/editor/[postId]/loading.tsx | {
"file_path": "shadcn-ui/taxonomy/app/(editor)/editor/[postId]/loading.tsx",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 271
} | 101 |
import { headers } from "next/headers"
import Stripe from "stripe"
import { env } from "@/env.mjs"
import { db } from "@/lib/db"
import { stripe } from "@/lib/stripe"
export async function POST(req: Request) {
const body = await req.text()
const signature = headers().get("Stripe-Signature") as string
let event: Stripe.Event
try {
event = stripe.webhooks.constructEvent(
body,
signature,
env.STRIPE_WEBHOOK_SECRET
)
} catch (error) {
return new Response(`Webhook Error: ${error.message}`, { status: 400 })
}
const session = event.data.object as Stripe.Checkout.Session
if (event.type === "checkout.session.completed") {
// Retrieve the subscription details from Stripe.
const subscription = await stripe.subscriptions.retrieve(
session.subscription as string
)
// Update the user stripe into in our database.
// Since this is the initial subscription, we need to update
// the subscription id and customer id.
await db.user.update({
where: {
id: session?.metadata?.userId,
},
data: {
stripeSubscriptionId: subscription.id,
stripeCustomerId: subscription.customer as string,
stripePriceId: subscription.items.data[0].price.id,
stripeCurrentPeriodEnd: new Date(
subscription.current_period_end * 1000
),
},
})
}
if (event.type === "invoice.payment_succeeded") {
// Retrieve the subscription details from Stripe.
const subscription = await stripe.subscriptions.retrieve(
session.subscription as string
)
// Update the price id and set the new period end.
await db.user.update({
where: {
stripeSubscriptionId: subscription.id,
},
data: {
stripePriceId: subscription.items.data[0].price.id,
stripeCurrentPeriodEnd: new Date(
subscription.current_period_end * 1000
),
},
})
}
return new Response(null, { status: 200 })
}
| shadcn-ui/taxonomy/app/api/webhooks/stripe/route.ts | {
"file_path": "shadcn-ui/taxonomy/app/api/webhooks/stripe/route.ts",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 739
} | 102 |
export function TailwindIndicator() {
if (process.env.NODE_ENV === "production") return null
return (
<div className="fixed bottom-1 left-1 z-50 flex h-6 w-6 items-center justify-center rounded-full bg-gray-800 p-3 font-mono text-xs text-white">
<div className="block sm:hidden">xs</div>
<div className="hidden sm:block md:hidden lg:hidden xl:hidden 2xl:hidden">
sm
</div>
<div className="hidden md:block lg:hidden xl:hidden 2xl:hidden">md</div>
<div className="hidden lg:block xl:hidden 2xl:hidden">lg</div>
<div className="hidden xl:block 2xl:hidden">xl</div>
<div className="hidden 2xl:block">2xl</div>
</div>
)
}
| shadcn-ui/taxonomy/components/tailwind-indicator.tsx | {
"file_path": "shadcn-ui/taxonomy/components/tailwind-indicator.tsx",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 284
} | 103 |
"use client"
import * as React from "react"
import * as DialogPrimitive from "@radix-ui/react-dialog"
import { X } from "lucide-react"
import { cn } from "@/lib/utils"
const Dialog = DialogPrimitive.Root
const DialogTrigger = DialogPrimitive.Trigger
const DialogPortal = ({
className,
children,
...props
}: DialogPrimitive.DialogPortalProps) => (
<DialogPrimitive.Portal className={cn(className)} {...props}>
<div className="fixed inset-0 z-50 flex items-start justify-center sm:items-center">
{children}
</div>
</DialogPrimitive.Portal>
)
DialogPortal.displayName = DialogPrimitive.Portal.displayName
const DialogOverlay = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Overlay>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Overlay>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Overlay
ref={ref}
className={cn(
"fixed inset-0 z-50 bg-background/80 backdrop-blur-sm transition-all duration-100 data-[state=closed]:animate-out data-[state=closed]:fade-out data-[state=open]:fade-in",
className
)}
{...props}
/>
))
DialogOverlay.displayName = DialogPrimitive.Overlay.displayName
const DialogContent = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<DialogPortal>
<DialogOverlay />
<DialogPrimitive.Content
ref={ref}
className={cn(
"fixed z-50 grid w-full gap-4 rounded-b-lg border bg-background p-6 shadow-lg animate-in data-[state=open]:fade-in-90 data-[state=open]:slide-in-from-bottom-10 sm:max-w-lg sm:rounded-lg sm:zoom-in-90 data-[state=open]:sm:slide-in-from-bottom-0",
className
)}
{...props}
>
{children}
<DialogPrimitive.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-accent data-[state=open]:text-muted-foreground">
<X className="h-4 w-4" />
<span className="sr-only">Close</span>
</DialogPrimitive.Close>
</DialogPrimitive.Content>
</DialogPortal>
))
DialogContent.displayName = DialogPrimitive.Content.displayName
const DialogHeader = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col space-y-1.5 text-center sm:text-left",
className
)}
{...props}
/>
)
DialogHeader.displayName = "DialogHeader"
const DialogFooter = ({
className,
...props
}: React.HTMLAttributes<HTMLDivElement>) => (
<div
className={cn(
"flex flex-col-reverse sm:flex-row sm:justify-end sm:space-x-2",
className
)}
{...props}
/>
)
DialogFooter.displayName = "DialogFooter"
const DialogTitle = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Title>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Title>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Title
ref={ref}
className={cn(
"text-lg font-semibold leading-none tracking-tight",
className
)}
{...props}
/>
))
DialogTitle.displayName = DialogPrimitive.Title.displayName
const DialogDescription = React.forwardRef<
React.ElementRef<typeof DialogPrimitive.Description>,
React.ComponentPropsWithoutRef<typeof DialogPrimitive.Description>
>(({ className, ...props }, ref) => (
<DialogPrimitive.Description
ref={ref}
className={cn("text-sm text-muted-foreground", className)}
{...props}
/>
))
DialogDescription.displayName = DialogPrimitive.Description.displayName
export {
Dialog,
DialogTrigger,
DialogContent,
DialogHeader,
DialogFooter,
DialogTitle,
DialogDescription,
}
| shadcn-ui/taxonomy/components/ui/dialog.tsx | {
"file_path": "shadcn-ui/taxonomy/components/ui/dialog.tsx",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 1433
} | 104 |
"use client"
import * as React from "react"
import * as SwitchPrimitives from "@radix-ui/react-switch"
import { cn } from "@/lib/utils"
const Switch = React.forwardRef<
React.ElementRef<typeof SwitchPrimitives.Root>,
React.ComponentPropsWithoutRef<typeof SwitchPrimitives.Root>
>(({ className, ...props }, ref) => (
<SwitchPrimitives.Root
className={cn(
"peer inline-flex h-[24px] w-[44px] shrink-0 cursor-pointer items-center rounded-full border-2 border-transparent transition-colors focus-visible:outline-none focus-visible:ring-2 focus-visible:ring-ring focus-visible:ring-offset-2 focus-visible:ring-offset-background disabled:cursor-not-allowed disabled:opacity-50 data-[state=checked]:bg-primary data-[state=unchecked]:bg-input",
className
)}
{...props}
ref={ref}
>
<SwitchPrimitives.Thumb
className={cn(
"pointer-events-none block h-5 w-5 rounded-full bg-background shadow-lg ring-0 transition-transform data-[state=checked]:translate-x-5 data-[state=unchecked]:translate-x-0"
)}
/>
</SwitchPrimitives.Root>
))
Switch.displayName = SwitchPrimitives.Root.displayName
export { Switch }
| shadcn-ui/taxonomy/components/ui/switch.tsx | {
"file_path": "shadcn-ui/taxonomy/components/ui/switch.tsx",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 403
} | 105 |
import { SubscriptionPlan } from "types"
import { env } from "@/env.mjs"
export const freePlan: SubscriptionPlan = {
name: "Free",
description:
"The free plan is limited to 3 posts. Upgrade to the PRO plan for unlimited posts.",
stripePriceId: "",
}
export const proPlan: SubscriptionPlan = {
name: "PRO",
description: "The PRO plan has unlimited posts.",
stripePriceId: env.STRIPE_PRO_MONTHLY_PLAN_ID || "",
}
| shadcn-ui/taxonomy/config/subscriptions.ts | {
"file_path": "shadcn-ui/taxonomy/config/subscriptions.ts",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 138
} | 106 |
import { getToken } from "next-auth/jwt"
import { withAuth } from "next-auth/middleware"
import { NextResponse } from "next/server"
export default withAuth(
async function middleware(req) {
const token = await getToken({ req })
const isAuth = !!token
const isAuthPage =
req.nextUrl.pathname.startsWith("/login") ||
req.nextUrl.pathname.startsWith("/register")
if (isAuthPage) {
if (isAuth) {
return NextResponse.redirect(new URL("/dashboard", req.url))
}
return null
}
if (!isAuth) {
let from = req.nextUrl.pathname;
if (req.nextUrl.search) {
from += req.nextUrl.search;
}
return NextResponse.redirect(
new URL(`/login?from=${encodeURIComponent(from)}`, req.url)
);
}
},
{
callbacks: {
async authorized() {
// This is a work-around for handling redirect on auth pages.
// We return true here so that the middleware function above
// is always called.
return true
},
},
}
)
export const config = {
matcher: ["/dashboard/:path*", "/editor/:path*", "/login", "/register"],
}
| shadcn-ui/taxonomy/middleware.ts | {
"file_path": "shadcn-ui/taxonomy/middleware.ts",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 469
} | 107 |
import { User } from "next-auth"
import { JWT } from "next-auth/jwt"
type UserId = string
declare module "next-auth/jwt" {
interface JWT {
id: UserId
}
}
declare module "next-auth" {
interface Session {
user: User & {
id: UserId
}
}
}
| shadcn-ui/taxonomy/types/next-auth.d.ts | {
"file_path": "shadcn-ui/taxonomy/types/next-auth.d.ts",
"repo_id": "shadcn-ui/taxonomy",
"token_count": 111
} | 108 |
import { getColors } from "@/lib/colors"
import { ColorPalette } from "@/components/color-palette"
const colors = getColors()
export default function ColorsPage() {
return (
<div id="colors" className="grid scroll-mt-20 gap-8">
{colors.map((colorPalette) => (
<ColorPalette key={colorPalette.name} colorPalette={colorPalette} />
))}
</div>
)
}
| shadcn-ui/ui/apps/www/app/(app)/colors/page.tsx | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/colors/page.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 146
} | 109 |
import Link from "next/link"
import { cn } from "@/lib/utils"
export function MainNav({
className,
...props
}: React.HTMLAttributes<HTMLElement>) {
return (
<nav
className={cn("flex items-center space-x-4 lg:space-x-6", className)}
{...props}
>
<Link
href="/examples/dashboard"
className="text-sm font-medium transition-colors hover:text-primary"
>
Overview
</Link>
<Link
href="/examples/dashboard"
className="text-sm font-medium text-muted-foreground transition-colors hover:text-primary"
>
Customers
</Link>
<Link
href="/examples/dashboard"
className="text-sm font-medium text-muted-foreground transition-colors hover:text-primary"
>
Products
</Link>
<Link
href="/examples/dashboard"
className="text-sm font-medium text-muted-foreground transition-colors hover:text-primary"
>
Settings
</Link>
</nav>
)
}
| shadcn-ui/ui/apps/www/app/(app)/examples/dashboard/components/main-nav.tsx | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/dashboard/components/main-nav.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 448
} | 110 |
import { Separator } from "@/registry/new-york/ui/separator"
import { NotificationsForm } from "@/app/(app)/examples/forms/notifications/notifications-form"
export default function SettingsNotificationsPage() {
return (
<div className="space-y-6">
<div>
<h3 className="text-lg font-medium">Notifications</h3>
<p className="text-sm text-muted-foreground">
Configure how you receive notifications.
</p>
</div>
<Separator />
<NotificationsForm />
</div>
)
}
| shadcn-ui/ui/apps/www/app/(app)/examples/forms/notifications/page.tsx | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/forms/notifications/page.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 212
} | 111 |
export interface Album {
name: string
artist: string
cover: string
}
export const listenNowAlbums: Album[] = [
{
name: "React Rendezvous",
artist: "Ethan Byte",
cover:
"https://images.unsplash.com/photo-1611348586804-61bf6c080437?w=300&dpr=2&q=80",
},
{
name: "Async Awakenings",
artist: "Nina Netcode",
cover:
"https://images.unsplash.com/photo-1468817814611-b7edf94b5d60?w=300&dpr=2&q=80",
},
{
name: "The Art of Reusability",
artist: "Lena Logic",
cover:
"https://images.unsplash.com/photo-1528143358888-6d3c7f67bd5d?w=300&dpr=2&q=80",
},
{
name: "Stateful Symphony",
artist: "Beth Binary",
cover:
"https://images.unsplash.com/photo-1490300472339-79e4adc6be4a?w=300&dpr=2&q=80",
},
]
export const madeForYouAlbums: Album[] = [
{
name: "Thinking Components",
artist: "Lena Logic",
cover:
"https://images.unsplash.com/photo-1615247001958-f4bc92fa6a4a?w=300&dpr=2&q=80",
},
{
name: "Functional Fury",
artist: "Beth Binary",
cover:
"https://images.unsplash.com/photo-1513745405825-efaf9a49315f?w=300&dpr=2&q=80",
},
{
name: "React Rendezvous",
artist: "Ethan Byte",
cover:
"https://images.unsplash.com/photo-1614113489855-66422ad300a4?w=300&dpr=2&q=80",
},
{
name: "Stateful Symphony",
artist: "Beth Binary",
cover:
"https://images.unsplash.com/photo-1446185250204-f94591f7d702?w=300&dpr=2&q=80",
},
{
name: "Async Awakenings",
artist: "Nina Netcode",
cover:
"https://images.unsplash.com/photo-1468817814611-b7edf94b5d60?w=300&dpr=2&q=80",
},
{
name: "The Art of Reusability",
artist: "Lena Logic",
cover:
"https://images.unsplash.com/photo-1490300472339-79e4adc6be4a?w=300&dpr=2&q=80",
},
]
| shadcn-ui/ui/apps/www/app/(app)/examples/music/data/albums.ts | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/music/data/albums.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 887
} | 112 |
import {
ArrowDownIcon,
ArrowUpIcon,
CaretSortIcon,
EyeNoneIcon,
} from "@radix-ui/react-icons"
import { Column } from "@tanstack/react-table"
import { cn } from "@/lib/utils"
import { Button } from "@/registry/new-york/ui/button"
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from "@/registry/new-york/ui/dropdown-menu"
interface DataTableColumnHeaderProps<TData, TValue>
extends React.HTMLAttributes<HTMLDivElement> {
column: Column<TData, TValue>
title: string
}
export function DataTableColumnHeader<TData, TValue>({
column,
title,
className,
}: DataTableColumnHeaderProps<TData, TValue>) {
if (!column.getCanSort()) {
return <div className={cn(className)}>{title}</div>
}
return (
<div className={cn("flex items-center space-x-2", className)}>
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button
variant="ghost"
size="sm"
className="-ml-3 h-8 data-[state=open]:bg-accent"
>
<span>{title}</span>
{column.getIsSorted() === "desc" ? (
<ArrowDownIcon className="ml-2 h-4 w-4" />
) : column.getIsSorted() === "asc" ? (
<ArrowUpIcon className="ml-2 h-4 w-4" />
) : (
<CaretSortIcon className="ml-2 h-4 w-4" />
)}
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="start">
<DropdownMenuItem onClick={() => column.toggleSorting(false)}>
<ArrowUpIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Asc
</DropdownMenuItem>
<DropdownMenuItem onClick={() => column.toggleSorting(true)}>
<ArrowDownIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Desc
</DropdownMenuItem>
<DropdownMenuSeparator />
<DropdownMenuItem onClick={() => column.toggleVisibility(false)}>
<EyeNoneIcon className="mr-2 h-3.5 w-3.5 text-muted-foreground/70" />
Hide
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
</div>
)
}
| shadcn-ui/ui/apps/www/app/(app)/examples/tasks/components/data-table-column-header.tsx | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/examples/tasks/components/data-table-column-header.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 1031
} | 113 |
import * as React from "react"
import Link from "next/link"
import { cn } from "@/lib/utils"
import AccordionDemo from "@/registry/new-york/example/accordion-demo"
import AlertDialogDemo from "@/registry/new-york/example/alert-dialog-demo"
import AspectRatioDemo from "@/registry/new-york/example/aspect-ratio-demo"
import AvatarDemo from "@/registry/new-york/example/avatar-demo"
import BadgeDemo from "@/registry/new-york/example/badge-demo"
import BadgeDestructive from "@/registry/new-york/example/badge-destructive"
import BadgeOutline from "@/registry/new-york/example/badge-outline"
import BadgeSecondary from "@/registry/new-york/example/badge-secondary"
import ButtonDemo from "@/registry/new-york/example/button-demo"
import ButtonDestructive from "@/registry/new-york/example/button-destructive"
import ButtonGhost from "@/registry/new-york/example/button-ghost"
import ButtonLink from "@/registry/new-york/example/button-link"
import ButtonLoading from "@/registry/new-york/example/button-loading"
import ButtonOutline from "@/registry/new-york/example/button-outline"
import ButtonSecondary from "@/registry/new-york/example/button-secondary"
import ButtonWithIcon from "@/registry/new-york/example/button-with-icon"
import CardDemo from "@/registry/new-york/example/card-demo"
import CheckboxDemo from "@/registry/new-york/example/checkbox-demo"
import CollapsibleDemo from "@/registry/new-york/example/collapsible-demo"
import CommandDemo from "@/registry/new-york/example/command-demo"
import ContextMenuDemo from "@/registry/new-york/example/context-menu-demo"
import DatePickerDemo from "@/registry/new-york/example/date-picker-demo"
import DialogDemo from "@/registry/new-york/example/dialog-demo"
import DropdownMenuDemo from "@/registry/new-york/example/dropdown-menu-demo"
import HoverCardDemo from "@/registry/new-york/example/hover-card-demo"
import MenubarDemo from "@/registry/new-york/example/menubar-demo"
import NavigationMenuDemo from "@/registry/new-york/example/navigation-menu-demo"
import PopoverDemo from "@/registry/new-york/example/popover-demo"
import ProgressDemo from "@/registry/new-york/example/progress-demo"
import RadioGroupDemo from "@/registry/new-york/example/radio-group-demo"
import ScrollAreaDemo from "@/registry/new-york/example/scroll-area-demo"
import SelectDemo from "@/registry/new-york/example/select-demo"
import SeparatorDemo from "@/registry/new-york/example/separator-demo"
import SheetDemo from "@/registry/new-york/example/sheet-demo"
import SkeletonDemo from "@/registry/new-york/example/skeleton-demo"
import SliderDemo from "@/registry/new-york/example/slider-demo"
import SwitchDemo from "@/registry/new-york/example/switch-demo"
import TabsDemo from "@/registry/new-york/example/tabs-demo"
import ToastDemo from "@/registry/new-york/example/toast-demo"
import ToggleDemo from "@/registry/new-york/example/toggle-demo"
import ToggleDisabled from "@/registry/new-york/example/toggle-disabled"
import ToggleOutline from "@/registry/new-york/example/toggle-outline"
import ToggleWithText from "@/registry/new-york/example/toggle-with-text"
import TooltipDemo from "@/registry/new-york/example/tooltip-demo"
import { Button } from "@/registry/new-york/ui/button"
export default function KitchenSinkPage() {
return (
<div className="container">
<div className="grid gap-4">
<div className="grid grid-cols-3 items-start gap-4">
<div className="grid gap-4">
<ComponentWrapper>
<CardDemo className="w-full" />
</ComponentWrapper>
<ComponentWrapper>
<SliderDemo className="w-full" />
</ComponentWrapper>
<ComponentWrapper
className="spa flex-col items-start space-x-0
space-y-2"
>
<p className="text-sm text-muted-foreground">Documentation</p>
<p className="text-sm font-medium leading-none">
You can customize the theme using{" "}
<code className="relative rounded bg-muted px-[0.3rem] py-[0.2rem] font-mono text-sm font-semibold text-foreground">
CSS variables
</code>
.{" "}
<Link
href="#"
className="font-medium text-primary underline underline-offset-4"
>
Click here
</Link>{" "}
to learn more.
</p>
</ComponentWrapper>
<ComponentWrapper>
<CheckboxDemo />
<HoverCardDemo />
</ComponentWrapper>
<ComponentWrapper className="[&>div]:w-full">
<TabsDemo />
</ComponentWrapper>
</div>
<div className="grid gap-4">
<ComponentWrapper>
<MenubarDemo />
<AvatarDemo />
</ComponentWrapper>
<ComponentWrapper className="flex-col items-start space-x-0 space-y-2">
<div className="flex space-x-2">
<ButtonDemo />
<ButtonSecondary />
<ButtonDestructive />
</div>
<div className="flex space-x-2">
<ButtonOutline />
<ButtonLink />
<ButtonGhost />
</div>
<div className="flex space-x-2">
<ButtonWithIcon />
<ButtonLoading />
</div>
<div className="flex space-x-2">
<Button size="lg">Large</Button>
<Button size="sm">Small</Button>
</div>
</ComponentWrapper>
<ComponentWrapper>
<DatePickerDemo />
</ComponentWrapper>
<ComponentWrapper>
<AccordionDemo />
</ComponentWrapper>
<ComponentWrapper className="[&_ul>li:last-child]:hidden">
<NavigationMenuDemo />
</ComponentWrapper>
<ComponentWrapper className="justify-between">
<SwitchDemo />
<SelectDemo />
</ComponentWrapper>
<ComponentWrapper>
<SeparatorDemo />
</ComponentWrapper>
<ComponentWrapper>
<AspectRatioDemo />
</ComponentWrapper>
<ComponentWrapper>
<PopoverDemo />
<ToastDemo />
</ComponentWrapper>
</div>
<div className="grid gap-4">
<ComponentWrapper>
<TooltipDemo />
<SheetDemo />
<ProgressDemo />
</ComponentWrapper>
<ComponentWrapper>
<CommandDemo />
</ComponentWrapper>
<ComponentWrapper className="[&>span]:h-[80px] [&>span]:w-[200px]">
<RadioGroupDemo />
<ContextMenuDemo />
</ComponentWrapper>
<ComponentWrapper>
<div className="flex space-x-2">
<DropdownMenuDemo />
<AlertDialogDemo />
<DialogDemo />
</div>
</ComponentWrapper>
<ComponentWrapper>
<div className="flex space-x-2">
<BadgeDemo />
<BadgeSecondary />
<BadgeDestructive />
<BadgeOutline />
</div>
</ComponentWrapper>
<ComponentWrapper>
<SkeletonDemo />
</ComponentWrapper>
<ComponentWrapper className="[&>div]:w-full">
<CollapsibleDemo />
</ComponentWrapper>
<ComponentWrapper>
<div className="flex space-x-2">
<ToggleDemo />
<ToggleOutline />
<ToggleDisabled />
<ToggleWithText />
</div>
</ComponentWrapper>
<ComponentWrapper>
<ScrollAreaDemo />
</ComponentWrapper>
</div>
</div>
</div>
</div>
)
}
function ComponentWrapper({
className,
children,
}: React.HTMLAttributes<HTMLDivElement>) {
return (
<div
className={cn(
"flex items-center justify-between space-x-4 rounded-md p-4",
className
)}
>
{children}
</div>
)
}
| shadcn-ui/ui/apps/www/app/(app)/sink/new-york/page.tsx | {
"file_path": "shadcn-ui/ui/apps/www/app/(app)/sink/new-york/page.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 4031
} | 114 |
import {
Alert,
AlertDescription,
AlertTitle,
} from "@/registry/new-york/ui/alert"
interface CalloutProps {
icon?: string
title?: string
children?: React.ReactNode
}
export function Callout({ title, children, icon, ...props }: CalloutProps) {
return (
<Alert {...props}>
{icon && <span className="mr-4 text-2xl">{icon}</span>}
{title && <AlertTitle>{title}</AlertTitle>}
<AlertDescription>{children}</AlertDescription>
</Alert>
)
}
| shadcn-ui/ui/apps/www/components/callout.tsx | {
"file_path": "shadcn-ui/ui/apps/www/components/callout.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 183
} | 115 |
"use client"
import Link from "next/link"
import { usePathname } from "next/navigation"
import { ArrowRightIcon } from "@radix-ui/react-icons"
import { cn } from "@/lib/utils"
import { ScrollArea, ScrollBar } from "@/registry/new-york/ui/scroll-area"
const examples = [
{
name: "Mail",
href: "/examples/mail",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/mail",
},
{
name: "Dashboard",
href: "/examples/dashboard",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/dashboard",
},
{
name: "Cards",
href: "/examples/cards",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/cards",
},
{
name: "Tasks",
href: "/examples/tasks",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/tasks",
},
{
name: "Playground",
href: "/examples/playground",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/playground",
},
{
name: "Forms",
href: "/examples/forms",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/forms",
},
{
name: "Music",
href: "/examples/music",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/music",
},
{
name: "Authentication",
href: "/examples/authentication",
code: "https://github.com/shadcn/ui/tree/main/apps/www/app/(app)/examples/authentication",
},
]
interface ExamplesNavProps extends React.HTMLAttributes<HTMLDivElement> {}
export function ExamplesNav({ className, ...props }: ExamplesNavProps) {
const pathname = usePathname()
return (
<div className="relative">
<ScrollArea className="max-w-[600px] lg:max-w-none">
<div className={cn("mb-4 flex items-center", className)} {...props}>
{examples.map((example, index) => (
<Link
href={example.href}
key={example.href}
className={cn(
"flex h-7 items-center justify-center rounded-full px-4 text-center text-sm transition-colors hover:text-primary",
pathname?.startsWith(example.href) ||
(index === 0 && pathname === "/")
? "bg-muted font-medium text-primary"
: "text-muted-foreground"
)}
>
{example.name}
</Link>
))}
</div>
<ScrollBar orientation="horizontal" className="invisible" />
</ScrollArea>
</div>
)
}
interface ExampleCodeLinkProps {
pathname: string | null
}
export function ExampleCodeLink({ pathname }: ExampleCodeLinkProps) {
const example = examples.find((example) => pathname?.startsWith(example.href))
if (!example?.code) {
return null
}
return (
<Link
href={example?.code}
target="_blank"
rel="nofollow"
className="absolute right-0 top-0 hidden items-center rounded-[0.5rem] text-sm font-medium md:flex"
>
View code
<ArrowRightIcon className="ml-1 h-4 w-4" />
</Link>
)
}
| shadcn-ui/ui/apps/www/components/examples-nav.tsx | {
"file_path": "shadcn-ui/ui/apps/www/components/examples-nav.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 1343
} | 116 |
"use client"
import * as React from "react"
import { useConfig } from "@/hooks/use-config"
import { Style } from "@/registry/registry-styles"
interface StyleWrapperProps extends React.HTMLAttributes<HTMLDivElement> {
styleName?: Style["name"]
}
export function StyleWrapper({ styleName, children }: StyleWrapperProps) {
const [config] = useConfig()
if (!styleName || config.style === styleName) {
return <>{children}</>
}
return null
}
| shadcn-ui/ui/apps/www/components/style-wrapper.tsx | {
"file_path": "shadcn-ui/ui/apps/www/components/style-wrapper.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 145
} | 117 |
import va from "@vercel/analytics"
import { z } from "zod"
const eventSchema = z.object({
name: z.enum([
"copy_npm_command",
"copy_usage_import_code",
"copy_usage_code",
"copy_primitive_code",
"copy_theme_code",
"copy_block_code",
"copy_chunk_code",
"enable_lift_mode",
"copy_chart_code",
"copy_chart_theme",
"copy_chart_data",
"copy_color",
]),
// declare type AllowedPropertyValues = string | number | boolean | null
properties: z
.record(z.union([z.string(), z.number(), z.boolean(), z.null()]))
.optional(),
})
export type Event = z.infer<typeof eventSchema>
export function trackEvent(input: Event): void {
const event = eventSchema.parse(input)
if (event) {
va.track(event.name, event.properties)
}
}
| shadcn-ui/ui/apps/www/lib/events.ts | {
"file_path": "shadcn-ui/ui/apps/www/lib/events.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 311
} | 118 |
"use client"
import { TrendingUp } from "lucide-react"
import { Bar, BarChart, CartesianGrid, XAxis } from "recharts"
import {
Card,
CardContent,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/registry/default/ui/card"
import {
ChartConfig,
ChartContainer,
ChartTooltip,
ChartTooltipContent,
} from "@/registry/default/ui/chart"
export const description = "A multiple bar chart"
const chartData = [
{ month: "January", desktop: 186, mobile: 80 },
{ month: "February", desktop: 305, mobile: 200 },
{ month: "March", desktop: 237, mobile: 120 },
{ month: "April", desktop: 73, mobile: 190 },
{ month: "May", desktop: 209, mobile: 130 },
{ month: "June", desktop: 214, mobile: 140 },
]
const chartConfig = {
desktop: {
label: "Desktop",
color: "hsl(var(--chart-1))",
},
mobile: {
label: "Mobile",
color: "hsl(var(--chart-2))",
},
} satisfies ChartConfig
export default function Component() {
return (
<Card>
<CardHeader>
<CardTitle>Bar Chart - Multiple</CardTitle>
<CardDescription>January - June 2024</CardDescription>
</CardHeader>
<CardContent>
<ChartContainer config={chartConfig}>
<BarChart accessibilityLayer data={chartData}>
<CartesianGrid vertical={false} />
<XAxis
dataKey="month"
tickLine={false}
tickMargin={10}
axisLine={false}
tickFormatter={(value) => value.slice(0, 3)}
/>
<ChartTooltip
cursor={false}
content={<ChartTooltipContent indicator="dashed" />}
/>
<Bar dataKey="desktop" fill="var(--color-desktop)" radius={4} />
<Bar dataKey="mobile" fill="var(--color-mobile)" radius={4} />
</BarChart>
</ChartContainer>
</CardContent>
<CardFooter className="flex-col items-start gap-2 text-sm">
<div className="flex 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/default/block/chart-bar-multiple.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/block/chart-bar-multiple.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 964
} | 119 |
"use client"
import * as React from "react"
import { Label, Pie, PieChart, Sector } from "recharts"
import { PieSectorDataItem } from "recharts/types/polar/Pie"
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from "@/registry/default/ui/card"
import {
ChartConfig,
ChartContainer,
ChartStyle,
ChartTooltip,
ChartTooltipContent,
} from "@/registry/default/ui/chart"
import {
Select,
SelectContent,
SelectItem,
SelectTrigger,
SelectValue,
} from "@/registry/default/ui/select"
export const description = "An interactive pie chart"
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 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() {
const id = "pie-interactive"
const [activeMonth, setActiveMonth] = React.useState(desktopData[0].month)
const activeIndex = React.useMemo(
() => desktopData.findIndex((item) => item.month === activeMonth),
[activeMonth]
)
const months = React.useMemo(() => desktopData.map((item) => item.month), [])
return (
<Card data-chart={id} className="flex flex-col">
<ChartStyle id={id} config={chartConfig} />
<CardHeader className="flex-row items-start space-y-0 pb-0">
<div className="grid gap-1">
<CardTitle>Pie Chart - Interactive</CardTitle>
<CardDescription>January - June 2024</CardDescription>
</div>
<Select value={activeMonth} onValueChange={setActiveMonth}>
<SelectTrigger
className="ml-auto h-7 w-[130px] rounded-lg pl-2.5"
aria-label="Select a value"
>
<SelectValue placeholder="Select month" />
</SelectTrigger>
<SelectContent align="end" className="rounded-xl">
{months.map((key) => {
const config = chartConfig[key as keyof typeof chartConfig]
if (!config) {
return null
}
return (
<SelectItem
key={key}
value={key}
className="rounded-lg [&_span]:flex"
>
<div className="flex items-center gap-2 text-xs">
<span
className="flex h-3 w-3 shrink-0 rounded-sm"
style={{
backgroundColor: `var(--color-${key})`,
}}
/>
{config?.label}
</div>
</SelectItem>
)
})}
</SelectContent>
</Select>
</CardHeader>
<CardContent className="flex flex-1 justify-center pb-0">
<ChartContainer
id={id}
config={chartConfig}
className="mx-auto aspect-square w-full max-w-[300px]"
>
<PieChart>
<ChartTooltip
cursor={false}
content={<ChartTooltipContent hideLabel />}
/>
<Pie
data={desktopData}
dataKey="desktop"
nameKey="month"
innerRadius={60}
strokeWidth={5}
activeIndex={activeIndex}
activeShape={({
outerRadius = 0,
...props
}: PieSectorDataItem) => (
<g>
<Sector {...props} outerRadius={outerRadius + 10} />
<Sector
{...props}
outerRadius={outerRadius + 25}
innerRadius={outerRadius + 12}
/>
</g>
)}
>
<Label
content={({ viewBox }) => {
if (viewBox && "cx" in viewBox && "cy" in viewBox) {
return (
<text
x={viewBox.cx}
y={viewBox.cy}
textAnchor="middle"
dominantBaseline="middle"
>
<tspan
x={viewBox.cx}
y={viewBox.cy}
className="fill-foreground text-3xl font-bold"
>
{desktopData[activeIndex].desktop.toLocaleString()}
</tspan>
<tspan
x={viewBox.cx}
y={(viewBox.cy || 0) + 24}
className="fill-muted-foreground"
>
Visitors
</tspan>
</text>
)
}
}}
/>
</Pie>
</PieChart>
</ChartContainer>
</CardContent>
</Card>
)
}
| shadcn-ui/ui/apps/www/registry/default/block/chart-pie-interactive.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/block/chart-pie-interactive.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 3066
} | 120 |
"use client"
import {
Card,
CardContent,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/registry/default/ui/card"
import { Progress } from "@/registry/default/ui/progress"
export default function Component() {
return (
<Card x-chunk="dashboard-05-chunk-1">
<CardHeader className="pb-2">
<CardDescription>This Week</CardDescription>
<CardTitle className="text-4xl">$1,329</CardTitle>
</CardHeader>
<CardContent>
<div className="text-xs text-muted-foreground">+25% from last week</div>
</CardContent>
<CardFooter>
<Progress value={25} aria-label="25% increase" />
</CardFooter>
</Card>
)
}
| shadcn-ui/ui/apps/www/registry/default/block/dashboard-05-chunk-1.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/block/dashboard-05-chunk-1.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 286
} | 121 |
"use client"
import {
Atom,
Bird,
BookOpen,
Bot,
Code2,
Eclipse,
Frame,
History,
LifeBuoy,
Map,
PieChart,
Rabbit,
Send,
Settings2,
SquareTerminal,
Star,
Turtle,
} from "lucide-react"
import { NavMain } from "@/registry/default/block/sidebar-01/components/nav-main"
import { NavProjects } from "@/registry/default/block/sidebar-01/components/nav-projects"
import { NavSecondary } from "@/registry/default/block/sidebar-01/components/nav-secondary"
import { NavUser } from "@/registry/default/block/sidebar-01/components/nav-user"
import { StorageCard } from "@/registry/default/block/sidebar-01/components/storage-card"
import { TeamSwitcher } from "@/registry/default/block/sidebar-01/components/team-switcher"
import {
Sidebar,
SidebarContent,
SidebarFooter,
SidebarHeader,
SidebarItem,
SidebarLabel,
} from "@/registry/default/block/sidebar-01/ui/sidebar"
export const iframeHeight = "870px"
export const containerClassName = "w-full h-full"
const data = {
teams: [
{
name: "Acme Inc",
logo: Atom,
plan: "Enterprise",
},
{
name: "Acme Corp.",
logo: Eclipse,
plan: "Startup",
},
{
name: "Evil Corp.",
logo: Rabbit,
plan: "Free",
},
],
user: {
name: "shadcn",
email: "[email protected]",
avatar: "/avatars/shadcn.jpg",
},
navMain: [
{
title: "Playground",
url: "#",
icon: SquareTerminal,
isActive: true,
items: [
{
title: "History",
url: "#",
icon: History,
description: "View your recent prompts",
},
{
title: "Starred",
url: "#",
icon: Star,
description: "Browse your starred prompts",
},
{
title: "Settings",
url: "#",
icon: Settings2,
description: "Configure your playground",
},
],
},
{
title: "Models",
url: "#",
icon: Bot,
items: [
{
title: "Genesis",
url: "#",
icon: Rabbit,
description: "Our fastest model for general use cases.",
},
{
title: "Explorer",
url: "#",
icon: Bird,
description: "Performance and speed for efficiency.",
},
{
title: "Quantum",
url: "#",
icon: Turtle,
description: "The most powerful model for complex computations.",
},
],
},
{
title: "Documentation",
url: "#",
icon: BookOpen,
items: [
{
title: "Introduction",
url: "#",
},
{
title: "Get Started",
url: "#",
},
{
title: "Tutorials",
url: "#",
},
{
title: "Changelog",
url: "#",
},
],
},
{
title: "API",
url: "#",
icon: Code2,
items: [
{
title: "Chat",
url: "#",
},
{
title: "Completion",
url: "#",
},
{
title: "Images",
url: "#",
},
{
title: "Video",
url: "#",
},
{
title: "Speech",
url: "#",
},
],
},
{
title: "Settings",
url: "#",
icon: Settings2,
items: [
{
title: "General",
url: "#",
},
{
title: "Team",
url: "#",
},
{
title: "Billing",
url: "#",
},
{
title: "Limits",
url: "#",
},
],
},
],
navSecondary: [
{
title: "Support",
url: "#",
icon: LifeBuoy,
},
{
title: "Feedback",
url: "#",
icon: Send,
},
],
projects: [
{
name: "Design Engineering",
url: "#",
icon: Frame,
},
{
name: "Sales & Marketing",
url: "#",
icon: PieChart,
},
{
name: "Travel",
url: "#",
icon: Map,
},
],
searchResults: [
{
title: "Routing Fundamentals",
teaser:
"The skeleton of every application is routing. This page will introduce you to the fundamental concepts of routing for the web and how to handle routing in Next.js.",
url: "#",
},
{
title: "Layouts and Templates",
teaser:
"The special files layout.js and template.js allow you to create UI that is shared between routes. This page will guide you through how and when to use these special files.",
url: "#",
},
{
title: "Data Fetching, Caching, and Revalidating",
teaser:
"Data fetching is a core part of any application. This page goes through how you can fetch, cache, and revalidate data in React and Next.js.",
url: "#",
},
{
title: "Server and Client Composition Patterns",
teaser:
"When building React applications, you will need to consider what parts of your application should be rendered on the server or the client. ",
url: "#",
},
{
title: "Server Actions and Mutations",
teaser:
"Server Actions are asynchronous functions that are executed on the server. They can be used in Server and Client Components to handle form submissions and data mutations in Next.js applications.",
url: "#",
},
],
}
export function AppSidebar() {
return (
<Sidebar>
<SidebarHeader>
<TeamSwitcher teams={data.teams} />
</SidebarHeader>
<SidebarContent>
<SidebarItem>
<SidebarLabel>Platform</SidebarLabel>
<NavMain items={data.navMain} searchResults={data.searchResults} />
</SidebarItem>
<SidebarItem>
<SidebarLabel>Projects</SidebarLabel>
<NavProjects projects={data.projects} />
</SidebarItem>
<SidebarItem className="mt-auto">
<SidebarLabel>Help</SidebarLabel>
<NavSecondary items={data.navSecondary} />
</SidebarItem>
<SidebarItem>
<StorageCard />
</SidebarItem>
</SidebarContent>
<SidebarFooter>
<NavUser user={data.user} />
</SidebarFooter>
</Sidebar>
)
}
| shadcn-ui/ui/apps/www/registry/default/block/sidebar-01/components/app-sidebar.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/block/sidebar-01/components/app-sidebar.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 3045
} | 122 |
import { Badge } from "@/registry/default/ui/badge"
export default function BadgeDemo() {
return <Badge>Badge</Badge>
}
| shadcn-ui/ui/apps/www/registry/default/example/badge-demo.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/badge-demo.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 43
} | 123 |
import { Loader2 } from "lucide-react"
import { Button } from "@/registry/default/ui/button"
export default function ButtonLoading() {
return (
<Button disabled>
<Loader2 className="mr-2 h-4 w-4 animate-spin" />
Please wait
</Button>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/button-loading.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/button-loading.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 100
} | 124 |
import { useTheme } from "next-themes"
import { Line, LineChart, ResponsiveContainer, Tooltip } from "recharts"
import { useConfig } from "@/hooks/use-config"
import {
Card,
CardContent,
CardDescription,
CardHeader,
CardTitle,
} from "@/registry/default/ui/card"
import { baseColors } from "@/registry/registry-base-colors"
const data = [
{
average: 400,
today: 240,
},
{
average: 300,
today: 139,
},
{
average: 200,
today: 980,
},
{
average: 278,
today: 390,
},
{
average: 189,
today: 480,
},
{
average: 239,
today: 380,
},
{
average: 349,
today: 430,
},
]
export function CardsMetric() {
const { theme: mode } = useTheme()
const [config] = useConfig()
const baseColor = baseColors.find(
(baseColor) => baseColor.name === config.theme
)
return (
<Card>
<CardHeader>
<CardTitle>Exercise Minutes</CardTitle>
<CardDescription>
Your exercise minutes are ahead of where you normally are.
</CardDescription>
</CardHeader>
<CardContent className="pb-4">
<div className="h-[200px]">
<ResponsiveContainer width="100%" height="100%">
<LineChart
data={data}
margin={{
top: 5,
right: 10,
left: 10,
bottom: 0,
}}
>
<Tooltip
content={({ active, payload }) => {
if (active && payload && payload.length) {
return (
<div className="rounded-lg border bg-background p-2 shadow-sm">
<div className="grid grid-cols-2 gap-2">
<div className="flex flex-col">
<span className="text-[0.70rem] uppercase text-muted-foreground">
Average
</span>
<span className="font-bold text-muted-foreground">
{payload[0].value}
</span>
</div>
<div className="flex flex-col">
<span className="text-[0.70rem] uppercase text-muted-foreground">
Today
</span>
<span className="font-bold">
{payload[1].value}
</span>
</div>
</div>
</div>
)
}
return null
}}
/>
<Line
type="monotone"
strokeWidth={2}
dataKey="average"
activeDot={{
r: 6,
style: { fill: "var(--theme-primary)", opacity: 0.25 },
}}
style={
{
stroke: "var(--theme-primary)",
opacity: 0.25,
"--theme-primary": `hsl(${
baseColor?.cssVars[mode === "dark" ? "dark" : "light"]
.primary
})`,
} as React.CSSProperties
}
/>
<Line
type="monotone"
dataKey="today"
strokeWidth={2}
activeDot={{
r: 8,
style: { fill: "var(--theme-primary)" },
}}
style={
{
stroke: "var(--theme-primary)",
"--theme-primary": `hsl(${
baseColor?.cssVars[mode === "dark" ? "dark" : "light"]
.primary
})`,
} as React.CSSProperties
}
/>
</LineChart>
</ResponsiveContainer>
</div>
</CardContent>
</Card>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/cards/metric.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/cards/metric.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 2477
} | 125 |
"use client"
import { zodResolver } from "@hookform/resolvers/zod"
import { useForm } from "react-hook-form"
import { z } from "zod"
import { toast } from "@/registry/default/hooks/use-toast"
import { Button } from "@/registry/default/ui/button"
import {
Form,
FormControl,
FormDescription,
FormField,
FormItem,
FormLabel,
FormMessage,
} from "@/registry/default/ui/form"
import { Input } from "@/registry/default/ui/input"
const FormSchema = z.object({
username: z.string().min(2, {
message: "Username must be at least 2 characters.",
}),
})
export default function InputForm() {
const form = useForm<z.infer<typeof FormSchema>>({
resolver: zodResolver(FormSchema),
defaultValues: {
username: "",
},
})
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="w-2/3 space-y-6">
<FormField
control={form.control}
name="username"
render={({ field }) => (
<FormItem>
<FormLabel>Username</FormLabel>
<FormControl>
<Input placeholder="shadcn" {...field} />
</FormControl>
<FormDescription>
This is your public display name.
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<Button type="submit">Submit</Button>
</form>
</Form>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/input-form.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/input-form.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 784
} | 126 |
import { Label } from "@/registry/default/ui/label"
import { RadioGroup, RadioGroupItem } from "@/registry/default/ui/radio-group"
export default function RadioGroupDemo() {
return (
<RadioGroup defaultValue="comfortable">
<div className="flex items-center space-x-2">
<RadioGroupItem value="default" id="r1" />
<Label htmlFor="r1">Default</Label>
</div>
<div className="flex items-center space-x-2">
<RadioGroupItem value="comfortable" id="r2" />
<Label htmlFor="r2">Comfortable</Label>
</div>
<div className="flex items-center space-x-2">
<RadioGroupItem value="compact" id="r3" />
<Label htmlFor="r3">Compact</Label>
</div>
</RadioGroup>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/radio-group-demo.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/radio-group-demo.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 302
} | 127 |
import { cn } from "@/lib/utils"
import { Slider } from "@/registry/default/ui/slider"
type SliderProps = React.ComponentProps<typeof Slider>
export default function SliderDemo({ className, ...props }: SliderProps) {
return (
<Slider
defaultValue={[50]}
max={100}
step={1}
className={cn("w-[60%]", className)}
{...props}
/>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/slider-demo.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/slider-demo.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 158
} | 128 |
"use client"
import { useToast } from "@/registry/default/hooks/use-toast"
import { Button } from "@/registry/default/ui/button"
export default function ToastWithTitle() {
const { toast } = useToast()
return (
<Button
variant="outline"
onClick={() => {
toast({
title: "Uh oh! Something went wrong.",
description: "There was a problem with your request.",
})
}}
>
Show Toast
</Button>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/toast-with-title.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/toast-with-title.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 192
} | 129 |
export default function TypographyH1() {
return (
<h1 className="scroll-m-20 text-4xl font-extrabold tracking-tight lg:text-5xl">
Taxing Laughter: The Joke Tax Chronicles
</h1>
)
}
| shadcn-ui/ui/apps/www/registry/default/example/typography-h1.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/default/example/typography-h1.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 80
} | 130 |
"use client"
import { Button } from "@/registry/new-york/ui/button"
import {
Card,
CardContent,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/registry/new-york/ui/card"
import { Input } from "@/registry/new-york/ui/input"
export default function Component() {
return (
<Card x-chunk="dashboard-04-chunk-1">
<CardHeader>
<CardTitle>Store Name</CardTitle>
<CardDescription>
Used to identify your store in the marketplace.
</CardDescription>
</CardHeader>
<CardContent>
<form>
<Input placeholder="Store Name" />
</form>
</CardContent>
<CardFooter className="border-t px-6 py-4">
<Button>Save</Button>
</CardFooter>
</Card>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-04-chunk-1.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-04-chunk-1.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 332
} | 131 |
"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-3">
<CardHeader>
<CardTitle>Product Status</CardTitle>
</CardHeader>
<CardContent>
<div className="grid gap-6">
<div className="grid gap-3">
<Label htmlFor="status">Status</Label>
<Select>
<SelectTrigger id="status" aria-label="Select status">
<SelectValue placeholder="Select status" />
</SelectTrigger>
<SelectContent>
<SelectItem value="draft">Draft</SelectItem>
<SelectItem value="published">Active</SelectItem>
<SelectItem value="archived">Archived</SelectItem>
</SelectContent>
</Select>
</div>
</div>
</CardContent>
</Card>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-07-chunk-3.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/block/dashboard-07-chunk-3.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 521
} | 132 |
import {
Accordion,
AccordionContent,
AccordionItem,
AccordionTrigger,
} from "@/registry/new-york/ui/accordion"
export default function AccordionDemo() {
return (
<Accordion type="single" collapsible className="w-full">
<AccordionItem value="item-1">
<AccordionTrigger>Is it accessible?</AccordionTrigger>
<AccordionContent>
Yes. It adheres to the WAI-ARIA design pattern.
</AccordionContent>
</AccordionItem>
<AccordionItem value="item-2">
<AccordionTrigger>Is it styled?</AccordionTrigger>
<AccordionContent>
Yes. It comes with default styles that matches the other
components' aesthetic.
</AccordionContent>
</AccordionItem>
<AccordionItem value="item-3">
<AccordionTrigger>Is it animated?</AccordionTrigger>
<AccordionContent>
Yes. It's animated by default, but you can disable it if you prefer.
</AccordionContent>
</AccordionItem>
</Accordion>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/accordion-demo.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/accordion-demo.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 428
} | 133 |
import Link from "next/link"
import { Button } from "@/registry/new-york/ui/button"
export default function ButtonAsChild() {
return (
<Button asChild>
<Link href="/login">Login</Link>
</Button>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/button-as-child.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/button-as-child.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 81
} | 134 |
import * as React from "react"
import { CheckIcon, PaperPlaneIcon, PlusIcon } from "@radix-ui/react-icons"
import { cn } from "@/lib/utils"
import {
Avatar,
AvatarFallback,
AvatarImage,
} from "@/registry/new-york/ui/avatar"
import { Button } from "@/registry/new-york/ui/button"
import {
Card,
CardContent,
CardFooter,
CardHeader,
} from "@/registry/new-york/ui/card"
import {
Command,
CommandEmpty,
CommandGroup,
CommandInput,
CommandItem,
CommandList,
} from "@/registry/new-york/ui/command"
import {
Dialog,
DialogContent,
DialogDescription,
DialogFooter,
DialogHeader,
DialogTitle,
} from "@/registry/new-york/ui/dialog"
import { Input } from "@/registry/new-york/ui/input"
import {
Tooltip,
TooltipContent,
TooltipProvider,
TooltipTrigger,
} from "@/registry/new-york/ui/tooltip"
const users = [
{
name: "Olivia Martin",
email: "[email protected]",
avatar: "/avatars/01.png",
},
{
name: "Isabella Nguyen",
email: "[email protected]",
avatar: "/avatars/03.png",
},
{
name: "Emma Wilson",
email: "[email protected]",
avatar: "/avatars/05.png",
},
{
name: "Jackson Lee",
email: "[email protected]",
avatar: "/avatars/02.png",
},
{
name: "William Kim",
email: "[email protected]",
avatar: "/avatars/04.png",
},
] as const
type User = (typeof users)[number]
export function CardsChat() {
const [open, setOpen] = React.useState(false)
const [selectedUsers, setSelectedUsers] = React.useState<User[]>([])
const [messages, setMessages] = React.useState([
{
role: "agent",
content: "Hi, how can I help you today?",
},
{
role: "user",
content: "Hey, I'm having trouble with my account.",
},
{
role: "agent",
content: "What seems to be the problem?",
},
{
role: "user",
content: "I can't log in.",
},
])
const [input, setInput] = React.useState("")
const inputLength = input.trim().length
return (
<>
<Card>
<CardHeader className="flex flex-row items-center">
<div className="flex items-center space-x-4">
<Avatar>
<AvatarImage src="/avatars/01.png" alt="Image" />
<AvatarFallback>OM</AvatarFallback>
</Avatar>
<div>
<p className="text-sm font-medium leading-none">Sofia Davis</p>
<p className="text-sm text-muted-foreground">[email protected]</p>
</div>
</div>
<TooltipProvider delayDuration={0}>
<Tooltip>
<TooltipTrigger asChild>
<Button
size="icon"
variant="outline"
className="ml-auto rounded-full"
onClick={() => setOpen(true)}
>
<PlusIcon className="h-4 w-4" />
<span className="sr-only">New message</span>
</Button>
</TooltipTrigger>
<TooltipContent sideOffset={10}>New message</TooltipContent>
</Tooltip>
</TooltipProvider>
</CardHeader>
<CardContent>
<div className="space-y-4">
{messages.map((message, index) => (
<div
key={index}
className={cn(
"flex w-max max-w-[75%] flex-col gap-2 rounded-lg px-3 py-2 text-sm",
message.role === "user"
? "ml-auto bg-primary text-primary-foreground"
: "bg-muted"
)}
>
{message.content}
</div>
))}
</div>
</CardContent>
<CardFooter>
<form
onSubmit={(event) => {
event.preventDefault()
if (inputLength === 0) return
setMessages([
...messages,
{
role: "user",
content: input,
},
])
setInput("")
}}
className="flex w-full items-center space-x-2"
>
<Input
id="message"
placeholder="Type your message..."
className="flex-1"
autoComplete="off"
value={input}
onChange={(event) => setInput(event.target.value)}
/>
<Button type="submit" size="icon" disabled={inputLength === 0}>
<PaperPlaneIcon className="h-4 w-4" />
<span className="sr-only">Send</span>
</Button>
</form>
</CardFooter>
</Card>
<Dialog open={open} onOpenChange={setOpen}>
<DialogContent className="gap-0 p-0 outline-none">
<DialogHeader className="px-4 pb-4 pt-5">
<DialogTitle>New message</DialogTitle>
<DialogDescription>
Invite a user to this thread. This will create a new group
message.
</DialogDescription>
</DialogHeader>
<Command className="overflow-hidden rounded-t-none border-t bg-transparent">
<CommandInput placeholder="Search user..." />
<CommandList>
<CommandEmpty>No users found.</CommandEmpty>
<CommandGroup className="p-2">
{users.map((user) => (
<CommandItem
key={user.email}
className="flex items-center px-2"
onSelect={() => {
if (selectedUsers.includes(user)) {
return setSelectedUsers(
selectedUsers.filter(
(selectedUser) => selectedUser !== user
)
)
}
return setSelectedUsers(
[...users].filter((u) =>
[...selectedUsers, user].includes(u)
)
)
}}
>
<Avatar>
<AvatarImage src={user.avatar} alt="Image" />
<AvatarFallback>{user.name[0]}</AvatarFallback>
</Avatar>
<div className="ml-2">
<p className="text-sm font-medium leading-none">
{user.name}
</p>
<p className="text-sm text-muted-foreground">
{user.email}
</p>
</div>
{selectedUsers.includes(user) ? (
<CheckIcon className="ml-auto flex h-5 w-5 text-primary" />
) : null}
</CommandItem>
))}
</CommandGroup>
</CommandList>
</Command>
<DialogFooter className="flex items-center border-t p-4 sm:justify-between">
{selectedUsers.length > 0 ? (
<div className="flex -space-x-2 overflow-hidden">
{selectedUsers.map((user) => (
<Avatar
key={user.email}
className="inline-block border-2 border-background"
>
<AvatarImage src={user.avatar} />
<AvatarFallback>{user.name[0]}</AvatarFallback>
</Avatar>
))}
</div>
) : (
<p className="text-sm text-muted-foreground">
Select users to add to this thread.
</p>
)}
<Button
disabled={selectedUsers.length < 2}
onClick={() => {
setOpen(false)
}}
>
Continue
</Button>
</DialogFooter>
</DialogContent>
</Dialog>
</>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/cards/chat.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/cards/chat.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 4384
} | 135 |
import * as React from "react"
import { Card, CardContent } from "@/registry/new-york/ui/card"
import {
Carousel,
CarouselContent,
CarouselItem,
CarouselNext,
CarouselPrevious,
} from "@/registry/new-york/ui/carousel"
export default function CarouselSpacing() {
return (
<Carousel className="w-full max-w-sm">
<CarouselContent className="-ml-1">
{Array.from({ length: 5 }).map((_, index) => (
<CarouselItem key={index} className="pl-1 md:basis-1/2 lg:basis-1/3">
<div className="p-1">
<Card>
<CardContent className="flex aspect-square items-center justify-center p-6">
<span className="text-2xl font-semibold">{index + 1}</span>
</CardContent>
</Card>
</div>
</CarouselItem>
))}
</CarouselContent>
<CarouselPrevious />
<CarouselNext />
</Carousel>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/carousel-spacing.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/carousel-spacing.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 442
} | 136 |
"use client"
import * as React from "react"
import { Button } from "@/registry/new-york/ui/button"
import {
Command,
CommandEmpty,
CommandGroup,
CommandInput,
CommandItem,
CommandList,
} from "@/registry/new-york/ui/command"
import {
Popover,
PopoverContent,
PopoverTrigger,
} from "@/registry/new-york/ui/popover"
type Status = {
value: string
label: string
}
const statuses: Status[] = [
{
value: "backlog",
label: "Backlog",
},
{
value: "todo",
label: "Todo",
},
{
value: "in progress",
label: "In Progress",
},
{
value: "done",
label: "Done",
},
{
value: "canceled",
label: "Canceled",
},
]
export default function ComboboxPopover() {
const [open, setOpen] = React.useState(false)
const [selectedStatus, setSelectedStatus] = React.useState<Status | null>(
null
)
return (
<div className="flex items-center space-x-4">
<p className="text-sm text-muted-foreground">Status</p>
<Popover open={open} onOpenChange={setOpen}>
<PopoverTrigger asChild>
<Button variant="outline" className="w-[150px] justify-start">
{selectedStatus ? <>{selectedStatus.label}</> : <>+ Set status</>}
</Button>
</PopoverTrigger>
<PopoverContent className="p-0" side="right" align="start">
<Command>
<CommandInput placeholder="Change status..." />
<CommandList>
<CommandEmpty>No results found.</CommandEmpty>
<CommandGroup>
{statuses.map((status) => (
<CommandItem
key={status.value}
value={status.value}
onSelect={(value) => {
setSelectedStatus(
statuses.find((priority) => priority.value === value) ||
null
)
setOpen(false)
}}
>
{status.label}
</CommandItem>
))}
</CommandGroup>
</CommandList>
</Command>
</PopoverContent>
</Popover>
</div>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/combobox-popover.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/combobox-popover.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 1094
} | 137 |
"use client"
import * as React from "react"
import { Button } from "@/registry/new-york/ui/button"
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuLabel,
DropdownMenuRadioGroup,
DropdownMenuRadioItem,
DropdownMenuSeparator,
DropdownMenuTrigger,
} from "@/registry/new-york/ui/dropdown-menu"
export default function DropdownMenuRadioGroupDemo() {
const [position, setPosition] = React.useState("bottom")
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="outline">Open</Button>
</DropdownMenuTrigger>
<DropdownMenuContent className="w-56">
<DropdownMenuLabel>Panel Position</DropdownMenuLabel>
<DropdownMenuSeparator />
<DropdownMenuRadioGroup value={position} onValueChange={setPosition}>
<DropdownMenuRadioItem value="top">Top</DropdownMenuRadioItem>
<DropdownMenuRadioItem value="bottom">Bottom</DropdownMenuRadioItem>
<DropdownMenuRadioItem value="right">Right</DropdownMenuRadioItem>
</DropdownMenuRadioGroup>
</DropdownMenuContent>
</DropdownMenu>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/dropdown-menu-radio-group.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/dropdown-menu-radio-group.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 407
} | 138 |
"use client"
import * as React from "react"
import { MoonIcon, SunIcon } from "@radix-ui/react-icons"
import { useTheme } from "next-themes"
import { Button } from "@/registry/new-york/ui/button"
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuTrigger,
} from "@/registry/new-york/ui/dropdown-menu"
export default function ModeToggle() {
const { setTheme } = useTheme()
return (
<DropdownMenu>
<DropdownMenuTrigger asChild>
<Button variant="outline" size="icon">
<SunIcon className="h-[1.2rem] w-[1.2rem] rotate-0 scale-100 transition-all dark:-rotate-90 dark:scale-0" />
<MoonIcon className="absolute h-[1.2rem] w-[1.2rem] rotate-90 scale-0 transition-all dark:rotate-0 dark:scale-100" />
<span className="sr-only">Toggle theme</span>
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end">
<DropdownMenuItem onClick={() => setTheme("light")}>
Light
</DropdownMenuItem>
<DropdownMenuItem onClick={() => setTheme("dark")}>
Dark
</DropdownMenuItem>
<DropdownMenuItem onClick={() => setTheme("system")}>
System
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/mode-toggle.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/mode-toggle.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 530
} | 139 |
import { Separator } from "@/registry/new-york/ui/separator"
export default function SeparatorDemo() {
return (
<div>
<div className="space-y-1">
<h4 className="text-sm font-medium leading-none">Radix Primitives</h4>
<p className="text-sm text-muted-foreground">
An open-source UI component library.
</p>
</div>
<Separator className="my-4" />
<div className="flex h-5 items-center space-x-4 text-sm">
<div>Blog</div>
<Separator orientation="vertical" />
<div>Docs</div>
<Separator orientation="vertical" />
<div>Source</div>
</div>
</div>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/separator-demo.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/separator-demo.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 305
} | 140 |
import { Label } from "@/registry/new-york/ui/label"
import { Textarea } from "@/registry/new-york/ui/textarea"
export default function TextareaWithText() {
return (
<div className="grid w-full gap-1.5">
<Label htmlFor="message-2">Your Message</Label>
<Textarea placeholder="Type your message here." id="message-2" />
<p className="text-sm text-muted-foreground">
Your message will be copied to the support team.
</p>
</div>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/textarea-with-text.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/textarea-with-text.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 180
} | 141 |
import { FontItalicIcon } from "@radix-ui/react-icons"
import { Toggle } from "@/registry/new-york/ui/toggle"
export default function ToggleSm() {
return (
<Toggle size="sm" aria-label="Toggle italic">
<FontItalicIcon className="h-4 w-4" />
</Toggle>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/toggle-sm.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/toggle-sm.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 111
} | 142 |
export default function TypographyTable() {
return (
<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>
)
}
| shadcn-ui/ui/apps/www/registry/new-york/example/typography-table.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/example/typography-table.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 940
} | 143 |
"use client"
import * as React from "react"
import * as CheckboxPrimitive from "@radix-ui/react-checkbox"
import { CheckIcon } from "@radix-ui/react-icons"
import { cn } from "@/lib/utils"
const Checkbox = React.forwardRef<
React.ElementRef<typeof CheckboxPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof CheckboxPrimitive.Root>
>(({ className, ...props }, ref) => (
<CheckboxPrimitive.Root
ref={ref}
className={cn(
"peer h-4 w-4 shrink-0 rounded-sm border border-primary shadow focus-visible:outline-none focus-visible:ring-1 focus-visible:ring-ring disabled:cursor-not-allowed disabled:opacity-50 data-[state=checked]:bg-primary data-[state=checked]:text-primary-foreground",
className
)}
{...props}
>
<CheckboxPrimitive.Indicator
className={cn("flex items-center justify-center text-current")}
>
<CheckIcon className="h-4 w-4" />
</CheckboxPrimitive.Indicator>
</CheckboxPrimitive.Root>
))
Checkbox.displayName = CheckboxPrimitive.Root.displayName
export { Checkbox }
| shadcn-ui/ui/apps/www/registry/new-york/ui/checkbox.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/ui/checkbox.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 369
} | 144 |
"use client"
import * as React from "react"
import * as ProgressPrimitive from "@radix-ui/react-progress"
import { cn } from "@/lib/utils"
const Progress = React.forwardRef<
React.ElementRef<typeof ProgressPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ProgressPrimitive.Root>
>(({ className, value, ...props }, ref) => (
<ProgressPrimitive.Root
ref={ref}
className={cn(
"relative h-2 w-full overflow-hidden rounded-full bg-primary/20",
className
)}
{...props}
>
<ProgressPrimitive.Indicator
className="h-full w-full flex-1 bg-primary transition-all"
style={{ transform: `translateX(-${100 - (value || 0)}%)` }}
/>
</ProgressPrimitive.Root>
))
Progress.displayName = ProgressPrimitive.Root.displayName
export { Progress }
| shadcn-ui/ui/apps/www/registry/new-york/ui/progress.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/ui/progress.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 285
} | 145 |
"use client"
import * as React from "react"
import * as ToggleGroupPrimitive from "@radix-ui/react-toggle-group"
import { type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
import { toggleVariants } from "@/registry/new-york/ui/toggle"
const ToggleGroupContext = React.createContext<
VariantProps<typeof toggleVariants>
>({
size: "default",
variant: "default",
})
const ToggleGroup = React.forwardRef<
React.ElementRef<typeof ToggleGroupPrimitive.Root>,
React.ComponentPropsWithoutRef<typeof ToggleGroupPrimitive.Root> &
VariantProps<typeof toggleVariants>
>(({ className, variant, size, children, ...props }, ref) => (
<ToggleGroupPrimitive.Root
ref={ref}
className={cn("flex items-center justify-center gap-1", className)}
{...props}
>
<ToggleGroupContext.Provider value={{ variant, size }}>
{children}
</ToggleGroupContext.Provider>
</ToggleGroupPrimitive.Root>
))
ToggleGroup.displayName = ToggleGroupPrimitive.Root.displayName
const ToggleGroupItem = React.forwardRef<
React.ElementRef<typeof ToggleGroupPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof ToggleGroupPrimitive.Item> &
VariantProps<typeof toggleVariants>
>(({ className, children, variant, size, ...props }, ref) => {
const context = React.useContext(ToggleGroupContext)
return (
<ToggleGroupPrimitive.Item
ref={ref}
className={cn(
toggleVariants({
variant: context.variant || variant,
size: context.size || size,
}),
className
)}
{...props}
>
{children}
</ToggleGroupPrimitive.Item>
)
})
ToggleGroupItem.displayName = ToggleGroupPrimitive.Item.displayName
export { ToggleGroup, ToggleGroupItem }
| shadcn-ui/ui/apps/www/registry/new-york/ui/toggle-group.tsx | {
"file_path": "shadcn-ui/ui/apps/www/registry/new-york/ui/toggle-group.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 622
} | 146 |
[data-theme="light"] {
display: block;
}
[data-theme="dark"] {
display: none;
}
.dark [data-theme="light"] {
display: none;
}
.dark [data-theme="dark"] {
display: block;
}
[data-rehype-pretty-code-fragment] {
@apply relative text-white;
}
[data-rehype-pretty-code-fragment] code {
@apply grid min-w-full break-words rounded-none border-0 bg-transparent p-0;
counter-reset: line;
box-decoration-break: clone;
}
[data-rehype-pretty-code-fragment] .line {
@apply px-4 min-h-[1rem] py-0.5 w-full inline-block;
}
[data-rehype-pretty-code-fragment] [data-line-numbers] .line {
@apply px-2;
}
[data-rehype-pretty-code-fragment] [data-line-numbers] > .line::before {
@apply text-zinc-50/40 text-xs;
counter-increment: line;
content: counter(line);
display: inline-block;
width: 1.8rem;
margin-right: 1.4rem;
text-align: right;
}
[data-rehype-pretty-code-fragment] .line--highlighted {
@apply bg-zinc-700/50;
}
[data-rehype-pretty-code-fragment] .line-highlighted span {
@apply relative;
}
[data-rehype-pretty-code-fragment] .word--highlighted {
@apply rounded-md bg-zinc-700/50 border-zinc-700/70 p-1;
}
.dark [data-rehype-pretty-code-fragment] .word--highlighted {
@apply bg-zinc-900;
}
[data-rehype-pretty-code-title] {
@apply mt-2 pt-6 px-4 text-sm font-medium text-foreground;
}
[data-rehype-pretty-code-title] + pre {
@apply mt-2;
}
.mdx > .steps:first-child > h3:first-child {
@apply mt-0;
}
.steps > h3 {
@apply mt-8 mb-4 text-base font-semibold;
}
| shadcn-ui/ui/apps/www/styles/mdx.css | {
"file_path": "shadcn-ui/ui/apps/www/styles/mdx.css",
"repo_id": "shadcn-ui/ui",
"token_count": 660
} | 147 |
#!/usr/bin/env node
import { add } from "@/src/commands/add"
import { diff } from "@/src/commands/diff"
import { init } from "@/src/commands/init"
import { Command } from "commander"
import { DEPRECATED_MESSAGE } from "./deprecated"
import { getPackageInfo } from "./utils/get-package-info"
process.on("SIGINT", () => process.exit(0))
process.on("SIGTERM", () => process.exit(0))
async function main() {
const packageInfo = await getPackageInfo()
const program = new Command()
.name("shadcn-ui")
.description("add components and dependencies to your project")
.addHelpText("after", DEPRECATED_MESSAGE)
.version(
packageInfo.version || "1.0.0",
"-v, --version",
"display the version number"
)
program.addCommand(init).addCommand(add).addCommand(diff)
program.parse()
}
main()
| shadcn-ui/ui/packages/cli/src/index.ts | {
"file_path": "shadcn-ui/ui/packages/cli/src/index.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 299
} | 148 |
import { Transformer } from "@/src/utils/transformers"
import { SyntaxKind } from "ts-morph"
import { splitClassName } from "./transform-css-vars"
export const transformTwPrefixes: Transformer = async ({
sourceFile,
config,
}) => {
if (!config.tailwind?.prefix) {
return sourceFile
}
// Find the cva function calls.
sourceFile
.getDescendantsOfKind(SyntaxKind.CallExpression)
.filter((node) => node.getExpression().getText() === "cva")
.forEach((node) => {
// cva(base, ...)
if (node.getArguments()[0]?.isKind(SyntaxKind.StringLiteral)) {
const defaultClassNames = node.getArguments()[0]
if (defaultClassNames) {
defaultClassNames.replaceWithText(
`"${applyPrefix(
defaultClassNames.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
}
// cva(..., { variants: { ... } })
if (node.getArguments()[1]?.isKind(SyntaxKind.ObjectLiteralExpression)) {
node
.getArguments()[1]
?.getDescendantsOfKind(SyntaxKind.PropertyAssignment)
.find((node) => node.getName() === "variants")
?.getDescendantsOfKind(SyntaxKind.PropertyAssignment)
.forEach((node) => {
node
.getDescendantsOfKind(SyntaxKind.PropertyAssignment)
.forEach((node) => {
const classNames = node.getInitializerIfKind(
SyntaxKind.StringLiteral
)
if (classNames) {
classNames?.replaceWithText(
`"${applyPrefix(
classNames.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
})
})
}
})
// Find all jsx attributes with the name className.
sourceFile.getDescendantsOfKind(SyntaxKind.JsxAttribute).forEach((node) => {
if (node.getName() === "className") {
// className="..."
if (node.getInitializer()?.isKind(SyntaxKind.StringLiteral)) {
const value = node.getInitializer()
if (value) {
value.replaceWithText(
`"${applyPrefix(
value.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
}
// className={...}
if (node.getInitializer()?.isKind(SyntaxKind.JsxExpression)) {
// Check if it's a call to cn().
const callExpression = node
.getInitializer()
?.getDescendantsOfKind(SyntaxKind.CallExpression)
.find((node) => node.getExpression().getText() === "cn")
if (callExpression) {
// Loop through the arguments.
callExpression.getArguments().forEach((node) => {
if (
node.isKind(SyntaxKind.ConditionalExpression) ||
node.isKind(SyntaxKind.BinaryExpression)
) {
node
.getChildrenOfKind(SyntaxKind.StringLiteral)
.forEach((node) => {
node.replaceWithText(
`"${applyPrefix(
node.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
})
}
if (node.isKind(SyntaxKind.StringLiteral)) {
node.replaceWithText(
`"${applyPrefix(
node.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
})
}
}
}
// classNames={...}
if (node.getName() === "classNames") {
if (node.getInitializer()?.isKind(SyntaxKind.JsxExpression)) {
node
.getDescendantsOfKind(SyntaxKind.PropertyAssignment)
.forEach((node) => {
if (node.getInitializer()?.isKind(SyntaxKind.CallExpression)) {
const callExpression = node.getInitializerIfKind(
SyntaxKind.CallExpression
)
if (callExpression) {
// Loop through the arguments.
callExpression.getArguments().forEach((arg) => {
if (arg.isKind(SyntaxKind.ConditionalExpression)) {
arg
.getChildrenOfKind(SyntaxKind.StringLiteral)
.forEach((node) => {
node.replaceWithText(
`"${applyPrefix(
node.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
})
}
if (arg.isKind(SyntaxKind.StringLiteral)) {
arg.replaceWithText(
`"${applyPrefix(
arg.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
})
}
}
if (node.getInitializer()?.isKind(SyntaxKind.StringLiteral)) {
if (node.getName() !== "variant") {
const classNames = node.getInitializer()
if (classNames) {
classNames.replaceWithText(
`"${applyPrefix(
classNames.getText()?.replace(/"/g, ""),
config.tailwind.prefix
)}"`
)
}
}
}
})
}
}
})
return sourceFile
}
export function applyPrefix(input: string, prefix: string = "") {
const classNames = input.split(" ")
const prefixed: string[] = []
for (let className of classNames) {
const [variant, value, modifier] = splitClassName(className)
if (variant) {
modifier
? prefixed.push(`${variant}:${prefix}${value}/${modifier}`)
: prefixed.push(`${variant}:${prefix}${value}`)
} else {
modifier
? prefixed.push(`${prefix}${value}/${modifier}`)
: prefixed.push(`${prefix}${value}`)
}
}
return prefixed.join(" ")
}
export function applyPrefixesCss(css: string, prefix: string) {
const lines = css.split("\n")
for (let line of lines) {
if (line.includes("@apply")) {
const originalTWCls = line.replace("@apply", "").trim()
const prefixedTwCls = applyPrefix(originalTWCls, prefix)
css = css.replace(originalTWCls, prefixedTwCls)
}
}
return css
}
| shadcn-ui/ui/packages/cli/src/utils/transformers/transform-tw-prefix.ts | {
"file_path": "shadcn-ui/ui/packages/cli/src/utils/transformers/transform-tw-prefix.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 3571
} | 149 |
body {
background-color: red;
}
| shadcn-ui/ui/packages/cli/test/fixtures/next-app-src/other.css | {
"file_path": "shadcn-ui/ui/packages/cli/test/fixtures/next-app-src/other.css",
"repo_id": "shadcn-ui/ui",
"token_count": 13
} | 150 |
import Image from 'next/image'
export default function Home() {
return (
<main className="flex min-h-screen flex-col items-center justify-between p-24">
<div className="z-10 max-w-5xl w-full items-center justify-between font-mono text-sm lg:flex">
<p className="fixed left-0 top-0 flex w-full justify-center border-b border-gray-300 bg-gradient-to-b from-zinc-200 pb-6 pt-8 backdrop-blur-2xl dark:border-neutral-800 dark:bg-zinc-800/30 dark:from-inherit lg:static lg:w-auto lg:rounded-xl lg:border lg:bg-gray-200 lg:p-4 lg:dark:bg-zinc-800/30">
Get started by editing
<code className="font-mono font-bold">app/page.tsx</code>
</p>
<div className="fixed bottom-0 left-0 flex h-48 w-full items-end justify-center bg-gradient-to-t from-white via-white dark:from-black dark:via-black lg:static lg:h-auto lg:w-auto lg:bg-none">
<a
className="pointer-events-none flex place-items-center gap-2 p-8 lg:pointer-events-auto lg:p-0"
href="https://vercel.com?utm_source=create-next-app&utm_medium=appdir-template&utm_campaign=create-next-app"
target="_blank"
rel="noopener noreferrer"
>
By{' '}
<Image
src="/vercel.svg"
alt="Vercel Logo"
className="dark:invert"
width={100}
height={24}
priority
/>
</a>
</div>
</div>
<div className="relative flex place-items-center before:absolute before:h-[300px] before:w-[480px] before:-translate-x-1/2 before:rounded-full before:bg-gradient-radial before:from-white before:to-transparent before:blur-2xl before:content-[''] after:absolute after:-z-20 after:h-[180px] after:w-[240px] after:translate-x-1/3 after:bg-gradient-conic after:from-sky-200 after:via-blue-200 after:blur-2xl after:content-[''] before:dark:bg-gradient-to-br before:dark:from-transparent before:dark:to-blue-700 before:dark:opacity-10 after:dark:from-sky-900 after:dark:via-[#0141ff] after:dark:opacity-40 before:lg:h-[360px] z-[-1]">
<Image
className="relative dark:drop-shadow-[0_0_0.3rem_#ffffff70] dark:invert"
src="/next.svg"
alt="Next.js Logo"
width={180}
height={37}
priority
/>
</div>
<div className="mb-32 grid text-center lg:max-w-5xl lg:w-full lg:mb-0 lg:grid-cols-4 lg:text-left">
<a
href="https://nextjs.org/docs?utm_source=create-next-app&utm_medium=appdir-template&utm_campaign=create-next-app"
className="group rounded-lg border border-transparent px-5 py-4 transition-colors hover:border-gray-300 hover:bg-gray-100 hover:dark:border-neutral-700 hover:dark:bg-neutral-800/30"
target="_blank"
rel="noopener noreferrer"
>
<h2 className={`mb-3 text-2xl font-semibold`}>
Docs{' '}
<span className="inline-block transition-transform group-hover:translate-x-1 motion-reduce:transform-none">
->
</span>
</h2>
<p className={`m-0 max-w-[30ch] text-sm opacity-50`}>
Find in-depth information about Next.js features and API.
</p>
</a>
<a
href="https://nextjs.org/learn?utm_source=create-next-app&utm_medium=appdir-template-tw&utm_campaign=create-next-app"
className="group rounded-lg border border-transparent px-5 py-4 transition-colors hover:border-gray-300 hover:bg-gray-100 hover:dark:border-neutral-700 hover:dark:bg-neutral-800/30"
target="_blank"
rel="noopener noreferrer"
>
<h2 className={`mb-3 text-2xl font-semibold`}>
Learn{' '}
<span className="inline-block transition-transform group-hover:translate-x-1 motion-reduce:transform-none">
->
</span>
</h2>
<p className={`m-0 max-w-[30ch] text-sm opacity-50`}>
Learn about Next.js in an interactive course with quizzes!
</p>
</a>
<a
href="https://vercel.com/templates?framework=next.js&utm_source=create-next-app&utm_medium=appdir-template&utm_campaign=create-next-app"
className="group rounded-lg border border-transparent px-5 py-4 transition-colors hover:border-gray-300 hover:bg-gray-100 hover:dark:border-neutral-700 hover:dark:bg-neutral-800/30"
target="_blank"
rel="noopener noreferrer"
>
<h2 className={`mb-3 text-2xl font-semibold`}>
Templates{' '}
<span className="inline-block transition-transform group-hover:translate-x-1 motion-reduce:transform-none">
->
</span>
</h2>
<p className={`m-0 max-w-[30ch] text-sm opacity-50`}>
Explore the Next.js 13 playground.
</p>
</a>
<a
href="https://vercel.com/new?utm_source=create-next-app&utm_medium=appdir-template&utm_campaign=create-next-app"
className="group rounded-lg border border-transparent px-5 py-4 transition-colors hover:border-gray-300 hover:bg-gray-100 hover:dark:border-neutral-700 hover:dark:bg-neutral-800/30"
target="_blank"
rel="noopener noreferrer"
>
<h2 className={`mb-3 text-2xl font-semibold`}>
Deploy{' '}
<span className="inline-block transition-transform group-hover:translate-x-1 motion-reduce:transform-none">
->
</span>
</h2>
<p className={`m-0 max-w-[30ch] text-sm opacity-50`}>
Instantly deploy your Next.js site to a shareable URL with Vercel.
</p>
</a>
</div>
</main>
)
}
| shadcn-ui/ui/packages/cli/test/fixtures/next-app/app/page.tsx | {
"file_path": "shadcn-ui/ui/packages/cli/test/fixtures/next-app/app/page.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 2768
} | 151 |
import { describe, expect, test } from "vitest"
import {
applyColorMapping,
splitClassName,
} from "../../src/utils/transformers/transform-css-vars"
import baseColor from "../fixtures/colors/slate.json"
describe("split className", () => {
test.each([
{
input: "bg-popover",
output: [null, "bg-popover", null],
},
{
input: "bg-popover/50",
output: [null, "bg-popover", "50"],
},
{
input: "hover:bg-popover/50",
output: ["hover", "bg-popover", "50"],
},
{
input: "hover:bg-popover",
output: ["hover", "bg-popover", null],
},
{
input: "[&_[cmdk-group-heading]]:px-2",
output: ["[&_[cmdk-group-heading]]", "px-2", null],
},
{
input: "[&_[cmdk-group]:not([hidden])_~[cmdk-group]]:pt-0",
output: ["[&_[cmdk-group]:not([hidden])_~[cmdk-group]]", "pt-0", null],
},
{
input: "[&_[cmdk-group]:not([hidden])_~[cmdk-group]]:bg-red-200",
output: [
"[&_[cmdk-group]:not([hidden])_~[cmdk-group]]",
"bg-red-200",
null,
],
},
{
input: "sm:focus:text-accent-foreground/30",
output: ["sm:focus", "text-accent-foreground", "30"],
},
])(`splitClassName($input) -> $output`, ({ input, output }) => {
expect(splitClassName(input)).toStrictEqual(output)
})
})
describe("apply color mapping", async () => {
test.each([
{
input: "bg-background text-foreground",
output: "bg-white text-slate-950 dark:bg-slate-950 dark:text-slate-50",
},
{
input: "rounded-lg border bg-card text-card-foreground shadow-sm",
output:
"rounded-lg border border-slate-200 bg-white text-slate-950 shadow-sm dark:border-slate-800 dark:bg-slate-950 dark:text-slate-50",
},
{
input:
"text-destructive border-destructive/50 dark:border-destructive [&>svg]:text-destructive text-destructive",
output:
"text-red-500 border-red-500/50 dark:border-red-500 [&>svg]:text-red-500 dark:text-red-900 dark:border-red-900/50 dark:dark:border-red-900 dark:[&>svg]:text-red-900",
},
{
input:
"flex h-full w-full items-center justify-center rounded-full bg-muted",
output:
"flex h-full w-full items-center justify-center rounded-full bg-slate-100 dark:bg-slate-800",
},
{
input:
"absolute right-4 top-4 bg-primary 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",
output:
"absolute right-4 top-4 bg-slate-900 rounded-sm opacity-70 ring-offset-white transition-opacity hover:opacity-100 focus:outline-none focus:ring-2 focus:ring-slate-400 focus:ring-offset-2 disabled:pointer-events-none data-[state=open]:bg-slate-100 dark:bg-slate-50 dark:ring-offset-slate-950 dark:focus:ring-slate-800 dark:data-[state=open]:bg-slate-800",
},
])(`applyColorMapping($input) -> $output`, ({ input, output }) => {
expect(applyColorMapping(input, baseColor.inlineColors)).toBe(output)
})
})
| shadcn-ui/ui/packages/cli/test/utils/apply-color-mapping.test.ts | {
"file_path": "shadcn-ui/ui/packages/cli/test/utils/apply-color-mapping.test.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 1352
} | 152 |
import { defineConfig } from "tsup"
export default defineConfig({
clean: true,
dts: true,
entry: ["src/index.ts"],
format: ["esm"],
sourcemap: true,
minify: true,
target: "esnext",
outDir: "dist",
})
| shadcn-ui/ui/packages/cli/tsup.config.ts | {
"file_path": "shadcn-ui/ui/packages/cli/tsup.config.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 81
} | 153 |
import path from "path"
import { highlighter } from "@/src/utils/highlighter"
import { resolveImport } from "@/src/utils/resolve-import"
import { cosmiconfig } from "cosmiconfig"
import { loadConfig } from "tsconfig-paths"
import { z } from "zod"
export const DEFAULT_STYLE = "default"
export const DEFAULT_COMPONENTS = "@/components"
export const DEFAULT_UTILS = "@/lib/utils"
export const DEFAULT_TAILWIND_CSS = "app/globals.css"
export const DEFAULT_TAILWIND_CONFIG = "tailwind.config.js"
export const DEFAULT_TAILWIND_BASE_COLOR = "slate"
// TODO: Figure out if we want to support all cosmiconfig formats.
// A simple components.json file would be nice.
const explorer = cosmiconfig("components", {
searchPlaces: ["components.json"],
})
export const rawConfigSchema = z
.object({
$schema: z.string().optional(),
style: z.string(),
rsc: z.coerce.boolean().default(false),
tsx: z.coerce.boolean().default(true),
tailwind: z.object({
config: z.string(),
css: z.string(),
baseColor: z.string(),
cssVariables: z.boolean().default(true),
prefix: z.string().default("").optional(),
}),
aliases: z.object({
components: z.string(),
utils: z.string(),
ui: z.string().optional(),
lib: z.string().optional(),
hooks: z.string().optional(),
}),
})
.strict()
export type RawConfig = z.infer<typeof rawConfigSchema>
export const configSchema = rawConfigSchema.extend({
resolvedPaths: z.object({
cwd: z.string(),
tailwindConfig: z.string(),
tailwindCss: z.string(),
utils: z.string(),
components: z.string(),
lib: z.string(),
hooks: z.string(),
ui: z.string(),
}),
})
export type Config = z.infer<typeof configSchema>
export async function getConfig(cwd: string) {
const config = await getRawConfig(cwd)
if (!config) {
return null
}
return await resolveConfigPaths(cwd, config)
}
export async function resolveConfigPaths(cwd: string, config: RawConfig) {
// Read tsconfig.json.
const tsConfig = await loadConfig(cwd)
if (tsConfig.resultType === "failed") {
throw new Error(
`Failed to load ${config.tsx ? "tsconfig" : "jsconfig"}.json. ${
tsConfig.message ?? ""
}`.trim()
)
}
return configSchema.parse({
...config,
resolvedPaths: {
cwd,
tailwindConfig: path.resolve(cwd, config.tailwind.config),
tailwindCss: path.resolve(cwd, config.tailwind.css),
utils: await resolveImport(config.aliases["utils"], tsConfig),
components: await resolveImport(config.aliases["components"], tsConfig),
ui: config.aliases["ui"]
? await resolveImport(config.aliases["ui"], tsConfig)
: path.resolve(
(await resolveImport(config.aliases["components"], tsConfig)) ??
cwd,
"ui"
),
// TODO: Make this configurable.
// For now, we assume the lib and hooks directories are one level up from the components directory.
lib: config.aliases["lib"]
? await resolveImport(config.aliases["lib"], tsConfig)
: path.resolve(
(await resolveImport(config.aliases["utils"], tsConfig)) ?? cwd,
".."
),
hooks: config.aliases["hooks"]
? await resolveImport(config.aliases["hooks"], tsConfig)
: path.resolve(
(await resolveImport(config.aliases["components"], tsConfig)) ??
cwd,
"..",
"hooks"
),
},
})
}
export async function getRawConfig(cwd: string): Promise<RawConfig | null> {
try {
const configResult = await explorer.search(cwd)
if (!configResult) {
return null
}
return rawConfigSchema.parse(configResult.config)
} catch (error) {
const componentPath = `${cwd}/components.json`
throw new Error(
`Invalid configuration found in ${highlighter.info(componentPath)}.`
)
}
}
| shadcn-ui/ui/packages/shadcn/src/utils/get-config.ts | {
"file_path": "shadcn-ui/ui/packages/shadcn/src/utils/get-config.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 1565
} | 154 |
// @ts-nocheck
import type { Config } from 'tailwindcss'
const config: Config = {
content: [
'./pages/**/*.{js,ts,jsx,tsx,mdx}',
'./components/**/*.{js,ts,jsx,tsx,mdx}',
'./app/**/*.{js,ts,jsx,tsx,mdx}'
],
theme: {
extend: {
backgroundImage: {
'gradient-radial': 'radial-gradient(var(--tw-gradient-stops))',
'gradient-conic':
'conic-gradient(from 180deg at 50% 50%, var(--tw-gradient-stops))'
}
}
},
plugins: []
}
export default config
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/next-pages/tailwind.config.ts | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/next-pages/tailwind.config.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 240
} | 155 |
import type { ActionFunctionArgs, LoaderFunctionArgs } from "@remix-run/node";
import { json, redirect } from "@remix-run/node";
import {
Form,
isRouteErrorResponse,
useLoaderData,
useRouteError,
} from "@remix-run/react";
import invariant from "tiny-invariant";
import { deleteNote, getNote } from "~/models/note.server";
import { requireUserId } from "~/session.server";
export const loader = async ({ params, request }: LoaderFunctionArgs) => {
const userId = await requireUserId(request);
invariant(params.noteId, "noteId not found");
const note = await getNote({ id: params.noteId, userId });
if (!note) {
throw new Response("Not Found", { status: 404 });
}
return json({ note });
};
export const action = async ({ params, request }: ActionFunctionArgs) => {
const userId = await requireUserId(request);
invariant(params.noteId, "noteId not found");
await deleteNote({ id: params.noteId, userId });
return redirect("/notes");
};
export default function NoteDetailsPage() {
const data = useLoaderData<typeof loader>();
return (
<div>
<h3 className="text-2xl font-bold">{data.note.title}</h3>
<p className="py-6">{data.note.body}</p>
<hr className="my-4" />
<Form method="post">
<button
type="submit"
className="rounded bg-blue-500 px-4 py-2 text-white hover:bg-blue-600 focus:bg-blue-400"
>
Delete
</button>
</Form>
</div>
);
}
export function ErrorBoundary() {
const error = useRouteError();
if (error instanceof Error) {
return <div>An unexpected error occurred: {error.message}</div>;
}
if (!isRouteErrorResponse(error)) {
return <h1>Unknown Error</h1>;
}
if (error.status === 404) {
return <div>Note not found</div>;
}
return <div>An unexpected error occurred: {error.statusText}</div>;
}
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/app/routes/notes.$noteId.tsx | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/app/routes/notes.$noteId.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 676
} | 156 |
import "@testing-library/cypress/add-commands";
import { registerCommands } from "./commands";
registerCommands();
Cypress.on("uncaught:exception", (err) => {
// Cypress and React Hydrating the document don't get along
// for some unknown reason. Hopefully we figure out why eventually
// so we can remove this.
if (
/hydrat/i.test(err.message) ||
/Minified React error #418/.test(err.message) ||
/Minified React error #423/.test(err.message)
) {
return false;
}
});
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/cypress/support/e2e.ts | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/cypress/support/e2e.ts",
"repo_id": "shadcn-ui/ui",
"token_count": 165
} | 157 |
const { execSync } = require("node:child_process");
const crypto = require("node:crypto");
const fs = require("node:fs/promises");
const path = require("node:path");
const toml = require("@iarna/toml");
const PackageJson = require("@npmcli/package-json");
const semver = require("semver");
const cleanupCypressFiles = ({ fileEntries, packageManager }) =>
fileEntries.flatMap(([filePath, content]) => {
const newContent = content.replace(
new RegExp("npx ts-node", "g"),
packageManager.name === "bun" ? "bun" : `${packageManager.exec} ts-node`,
);
return [fs.writeFile(filePath, newContent)];
});
const escapeRegExp = (string) =>
// $& means the whole matched string
string.replace(/[.*+?^${}()|[\]\\]/g, "\\$&");
const getPackageManagerCommand = (packageManager) =>
// Inspired by https://github.com/nrwl/nx/blob/bd9b33eaef0393d01f747ea9a2ac5d2ca1fb87c6/packages/nx/src/utils/package-manager.ts#L38-L103
({
bun: () => ({
exec: "bunx",
lockfile: "bun.lockb",
name: "bun",
run: (script, args) => `bun run ${script} ${args || ""}`,
}),
npm: () => ({
exec: "npx",
lockfile: "package-lock.json",
name: "npm",
run: (script, args) => `npm run ${script} ${args ? `-- ${args}` : ""}`,
}),
pnpm: () => {
const pnpmVersion = getPackageManagerVersion("pnpm");
const includeDoubleDashBeforeArgs = semver.lt(pnpmVersion, "7.0.0");
const useExec = semver.gte(pnpmVersion, "6.13.0");
return {
exec: useExec ? "pnpm exec" : "pnpx",
lockfile: "pnpm-lock.yaml",
name: "pnpm",
run: (script, args) =>
includeDoubleDashBeforeArgs
? `pnpm run ${script} ${args ? `-- ${args}` : ""}`
: `pnpm run ${script} ${args || ""}`,
};
},
yarn: () => ({
exec: "yarn",
lockfile: "yarn.lock",
name: "yarn",
run: (script, args) => `yarn ${script} ${args || ""}`,
}),
})[packageManager]();
const getPackageManagerVersion = (packageManager) =>
// Copied over from https://github.com/nrwl/nx/blob/bd9b33eaef0393d01f747ea9a2ac5d2ca1fb87c6/packages/nx/src/utils/package-manager.ts#L105-L114
execSync(`${packageManager} --version`).toString("utf-8").trim();
const getRandomString = (length) => crypto.randomBytes(length).toString("hex");
const removeUnusedDependencies = (dependencies, unusedDependencies) =>
Object.fromEntries(
Object.entries(dependencies).filter(
([key]) => !unusedDependencies.includes(key),
),
);
const updatePackageJson = ({ APP_NAME, packageJson, packageManager }) => {
const {
devDependencies,
prisma: { seed: prismaSeed, ...prisma },
scripts: {
// eslint-disable-next-line no-unused-vars
"format:repo": _repoFormatScript,
...scripts
},
} = packageJson.content;
packageJson.update({
name: APP_NAME,
devDependencies:
packageManager.name === "bun"
? removeUnusedDependencies(devDependencies, ["ts-node"])
: devDependencies,
prisma: {
...prisma,
seed:
packageManager.name === "bun"
? prismaSeed.replace("ts-node", "bun")
: prismaSeed,
},
scripts,
});
};
const main = async ({ packageManager, rootDirectory }) => {
const pm = getPackageManagerCommand(packageManager);
const README_PATH = path.join(rootDirectory, "README.md");
const FLY_TOML_PATH = path.join(rootDirectory, "fly.toml");
const EXAMPLE_ENV_PATH = path.join(rootDirectory, ".env.example");
const ENV_PATH = path.join(rootDirectory, ".env");
const DOCKERFILE_PATH = path.join(rootDirectory, "Dockerfile");
const CYPRESS_SUPPORT_PATH = path.join(rootDirectory, "cypress", "support");
const CYPRESS_COMMANDS_PATH = path.join(CYPRESS_SUPPORT_PATH, "commands.ts");
const CREATE_USER_COMMAND_PATH = path.join(
CYPRESS_SUPPORT_PATH,
"create-user.ts",
);
const DELETE_USER_COMMAND_PATH = path.join(
CYPRESS_SUPPORT_PATH,
"delete-user.ts",
);
const REPLACER = "indie-stack-template";
const DIR_NAME = path.basename(rootDirectory);
const SUFFIX = getRandomString(2);
const APP_NAME = (DIR_NAME + "-" + SUFFIX)
// get rid of anything that's not allowed in an app name
.replace(/[^a-zA-Z0-9-_]/g, "-");
const [
prodContent,
readme,
env,
dockerfile,
cypressCommands,
createUserCommand,
deleteUserCommand,
packageJson,
] = await Promise.all([
fs.readFile(FLY_TOML_PATH, "utf-8"),
fs.readFile(README_PATH, "utf-8"),
fs.readFile(EXAMPLE_ENV_PATH, "utf-8"),
fs.readFile(DOCKERFILE_PATH, "utf-8"),
fs.readFile(CYPRESS_COMMANDS_PATH, "utf-8"),
fs.readFile(CREATE_USER_COMMAND_PATH, "utf-8"),
fs.readFile(DELETE_USER_COMMAND_PATH, "utf-8"),
PackageJson.load(rootDirectory),
]);
const newEnv = env.replace(
/^SESSION_SECRET=.*$/m,
`SESSION_SECRET="${getRandomString(16)}"`,
);
const prodToml = toml.parse(prodContent);
prodToml.app = prodToml.app.replace(REPLACER, APP_NAME);
const initInstructions = `
- First run this stack's \`remix.init\` script and commit the changes it makes to your project.
\`\`\`sh
npx remix init
git init # if you haven't already
git add .
git commit -m "Initialize project"
\`\`\`
`;
const newReadme = readme
.replace(new RegExp(escapeRegExp(REPLACER), "g"), APP_NAME)
.replace(initInstructions, "");
const newDockerfile = pm.lockfile
? dockerfile.replace(
new RegExp(escapeRegExp("ADD package.json"), "g"),
`ADD package.json ${pm.lockfile}`,
)
: dockerfile;
updatePackageJson({ APP_NAME, packageJson, packageManager: pm });
await Promise.all([
fs.writeFile(FLY_TOML_PATH, toml.stringify(prodToml)),
fs.writeFile(README_PATH, newReadme),
fs.writeFile(ENV_PATH, newEnv),
fs.writeFile(DOCKERFILE_PATH, newDockerfile),
...cleanupCypressFiles({
fileEntries: [
[CYPRESS_COMMANDS_PATH, cypressCommands],
[CREATE_USER_COMMAND_PATH, createUserCommand],
[DELETE_USER_COMMAND_PATH, deleteUserCommand],
],
packageManager: pm,
}),
packageJson.save(),
fs.copyFile(
path.join(rootDirectory, "remix.init", "gitignore"),
path.join(rootDirectory, ".gitignore"),
),
fs.rm(path.join(rootDirectory, ".github", "ISSUE_TEMPLATE"), {
recursive: true,
}),
fs.rm(path.join(rootDirectory, ".github", "workflows", "format-repo.yml")),
fs.rm(path.join(rootDirectory, ".github", "workflows", "lint-repo.yml")),
fs.rm(path.join(rootDirectory, ".github", "workflows", "no-response.yml")),
fs.rm(path.join(rootDirectory, ".github", "dependabot.yml")),
fs.rm(path.join(rootDirectory, ".github", "PULL_REQUEST_TEMPLATE.md")),
fs.rm(path.join(rootDirectory, "LICENSE.md")),
]);
execSync(pm.run("setup"), { cwd: rootDirectory, stdio: "inherit" });
execSync(pm.run("format", "--log-level warn"), {
cwd: rootDirectory,
stdio: "inherit",
});
console.log(
`Setup is complete. You're now ready to rock and roll
Start development with \`${pm.run("dev")}\`
`.trim(),
);
};
module.exports = main;
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/remix.init/index.js | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/remix-indie-stack/remix.init/index.js",
"repo_id": "shadcn-ui/ui",
"token_count": 2980
} | 158 |
import { createEnv } from "@t3-oss/env-nextjs";
import { z } from "zod";
export const env = createEnv({
/**
* Specify your server-side environment variables schema here. This way you can ensure the app
* isn't built with invalid env vars.
*/
server: {
NODE_ENV: z.enum(["development", "test", "production"]),
},
/**
* Specify your client-side environment variables schema here. This way you can ensure the app
* isn't built with invalid env vars. To expose them to the client, prefix them with
* `NEXT_PUBLIC_`.
*/
client: {
// NEXT_PUBLIC_CLIENTVAR: z.string().min(1),
},
/**
* You can't destruct `process.env` as a regular object in the Next.js edge runtimes (e.g.
* middlewares) or client-side so we need to destruct manually.
*/
runtimeEnv: {
NODE_ENV: process.env.NODE_ENV,
// NEXT_PUBLIC_CLIENTVAR: process.env.NEXT_PUBLIC_CLIENTVAR,
},
/**
* Run `build` or `dev` with `SKIP_ENV_VALIDATION` to skip env validation.
* This is especially useful for Docker builds.
*/
skipValidation: !!process.env.SKIP_ENV_VALIDATION,
});
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/t3-pages/src/env.mjs | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/t3-pages/src/env.mjs",
"repo_id": "shadcn-ui/ui",
"token_count": 395
} | 159 |
import { StrictMode } from 'react'
import { createRoot } from 'react-dom/client'
import App from './App.tsx'
import './index.css'
createRoot(document.getElementById('root')!).render(
<StrictMode>
<App />
</StrictMode>,
)
| shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/vite/src/main.tsx | {
"file_path": "shadcn-ui/ui/packages/shadcn/test/fixtures/frameworks/vite/src/main.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 83
} | 160 |
const { fontFamily } = require("tailwindcss/defaultTheme")
/** @type {import('tailwindcss').Config} */
module.exports = {
darkMode: ["class"],
content: ["app/**/*.{ts,tsx}", "components/**/*.{ts,tsx}"],
theme: {
container: {
center: true,
padding: "2rem",
screens: {
"2xl": "1400px",
},
},
extend: {
colors: {
border: "hsl(var(--border))",
input: "hsl(var(--input))",
ring: "hsl(var(--ring))",
background: "hsl(var(--background))",
foreground: "hsl(var(--foreground))",
primary: {
DEFAULT: "hsl(var(--primary))",
foreground: "hsl(var(--primary-foreground))",
},
secondary: {
DEFAULT: "hsl(var(--secondary))",
foreground: "hsl(var(--secondary-foreground))",
},
destructive: {
DEFAULT: "hsl(var(--destructive) / <alpha-value>)",
foreground: "hsl(var(--destructive-foreground) / <alpha-value>)",
},
muted: {
DEFAULT: "hsl(var(--muted))",
foreground: "hsl(var(--muted-foreground))",
},
accent: {
DEFAULT: "hsl(var(--accent))",
foreground: "hsl(var(--accent-foreground))",
},
popover: {
DEFAULT: "hsl(var(--popover))",
foreground: "hsl(var(--popover-foreground))",
},
card: {
DEFAULT: "hsl(var(--card))",
foreground: "hsl(var(--card-foreground))",
},
},
borderRadius: {
xl: "calc(var(--radius) + 4px)",
lg: "var(--radius)",
md: "calc(var(--radius) - 2px)",
sm: "calc(var(--radius) - 4px)",
},
fontFamily: {
sans: ["var(--font-geist-sans)", ...fontFamily.sans],
// mono: ["var(--font-mono)", ...fontFamily.mono],
},
keyframes: {
"accordion-down": {
from: { height: "0" },
to: { height: "var(--radix-accordion-content-height)" },
},
"accordion-up": {
from: { height: "var(--radix-accordion-content-height)" },
to: { height: "0" },
},
"caret-blink": {
"0%,70%,100%": { opacity: "1" },
"20%,50%": { opacity: "0" },
},
},
animation: {
"accordion-down": "accordion-down 0.2s ease-out",
"accordion-up": "accordion-up 0.2s ease-out",
"caret-blink": "caret-blink 1.25s ease-out infinite",
},
},
},
plugins: [require("tailwindcss-animate")],
}
| shadcn-ui/ui/tailwind.config.cjs | {
"file_path": "shadcn-ui/ui/tailwind.config.cjs",
"repo_id": "shadcn-ui/ui",
"token_count": 1314
} | 161 |
"use client"
import * as React from "react"
import { Moon, Sun } from "lucide-react"
import { useTheme } from "next-themes"
import { Button } from "@/components/ui/button"
export function ThemeToggle() {
const { setTheme, theme } = useTheme()
return (
<Button
variant="ghost"
size="icon"
onClick={() => setTheme(theme === "light" ? "dark" : "light")}
>
<Sun className="h-[1.5rem] w-[1.3rem] dark:hidden" />
<Moon className="hidden h-5 w-5 dark:block" />
<span className="sr-only">Toggle theme</span>
</Button>
)
}
| shadcn-ui/ui/templates/next-template/components/theme-toggle.tsx | {
"file_path": "shadcn-ui/ui/templates/next-template/components/theme-toggle.tsx",
"repo_id": "shadcn-ui/ui",
"token_count": 230
} | 162 |
"use client";
import Image from "next/image"
import Link from "next/link"
import { Button } from "@/components/ui/button"
import { Input } from "@/components/ui/input"
import { Label } from "@/components/ui/label"
export default function LoginPage() {
return (
<div className="w-full lg:grid lg:min-h-[600px] lg:grid-cols-0 xl:min-h-[800px] px-6">
<div className="flex items-center justify-center py-12">
<div className="mx-auto grid w-[400px] gap-2 text-center">
<img src="https://pub-0cd6f9d4131f4f79ac40219248ae64db.r2.dev/logo.svg" className="mx-auto size-8" alt="Logo" />
<h1 className="text-2xl font-semibold">Welcome back</h1>
<p className="text-balance text-muted-foreground text-md">
Login to your account
</p>
<div className="grid gap-4">
<div className="grid gap-2 mt-4">
<Input
id="email"
type="email"
placeholder="[email protected]"
className="h-9"
required
/>
</div>
<Button type="submit" className="h-9">
Sign In with Email
</Button>
{/* <Button variant="outline" className="w-full">
Login with Google
</Button> */}
</div>
<div className="mt-4 text-center text-sm">
<Link href="/register" className="underline underline-offset-4">
Don't have an account? Sign up
</Link>
</div>
</div>
</div>
<div className="hidden bg-transparent lg:block">
<Image
src="/placeholder.svg"
alt="Image"
width="1920"
height="1080"
className="h-full w-full object-cover dark:brightness-[0.2] dark:grayscale hidden bg-transparent"
/>
</div>
</div>
)
}
| DarkInventor/easy-ui/app/(auth)/login/page.tsx | {
"file_path": "DarkInventor/easy-ui/app/(auth)/login/page.tsx",
"repo_id": "DarkInventor/easy-ui",
"token_count": 1004
} | 0 |
"use client"
import React from "react"
import { Badge } from "@/components/ui/badge"
import { Button } from "@/components/ui/button"
import { Card, CardDescription, CardTitle } from "@/components/ui/card"
import { Icons } from "@/components/icons"
import AdBanner from "@/components/ad-banner"
function QuotesAI() {
return (
<div className="flex flex-wrap justify-start gap-4 pb-10 max-w-full min-w-full px-0 lg:px-20">
<div className="w-full sm:w-1/2 p-2 mt-3 space-y-4 lg:mt-5 md:lg-5">
<CardTitle className="text-3xl tracking-tight leading-7">QuotesAI</CardTitle>
<CardDescription className="text-balance text-lg text-muted-foreground">
Ready-to-use Micro-SaaS with built-in NextAuth support.
</CardDescription>
<Badge className="hidden sm:inline-block" variant="destructive">
We are currently working on this boilerplate. It might contain some
bugs in it. (Beta)
</Badge>
</div>
<div className="lg:min-w-[900px] px-1 lg:px-2 sm:w-1/2 p-1 lg:p-2 ">
<video muted loop className="w-full h-auto border lg:border-none rounded-lg lg:rounded-xl shadow-2xl" autoPlay>
<source
src="https://pub-0cd6f9d4131f4f79ac40219248ae64db.r2.dev/quotesai.mp4"
type="video/mp4"
/>
</video>
</div>
<div className="sm:w-1/2 p-1 flex-col flex lg:min-w-[900px]">
<div className="flex justify-between">
<Button
className="w-1/2 px-0 py-4 mr-2 group"
type="submit"
onClick={() => {
const link = document.createElement("a")
link.href =
"https://github.com/DarkInventor/quotes-template/archive/refs/heads/main.zip"
document.body.appendChild(link)
link.click()
document.body.removeChild(link)
}}
>
Download Template <Icons.externalLink className="ml-1 p-1" />
</Button>
<Button
className="w-1/2 px-0 py-4 border shadow-sm ml-2 hover:bg-accent hover:text-accent-foreground"
variant="outline"
type="submit"
onClick={() =>
window.open("https://quotes-template.vercel.app/", "_blank")
}
>
Live Preview
<Icons.externalLink className="ml-1 p-1" />{" "}
</Button>
</div>
<div className="space-y-4 lg:min-w-full max-w-full flex-col">
<h2 className="text-2xl font-bold pt-10 min-w-full max-w-full flex leading-7">
Why Should I Use This Template?
</h2>
<p className="min-w-full max-w-full flex text-md tracking-tight font-[500] leading-7">
This template is built specially for Indiehackers, Software Devs,
and Software Entrepreneurs. Heres why this template is perfect for
you:
</p>
<ul className="list-disc pl-5 space-y-2 text-md tracking-tight font-[500] mb-0 lg:pb-2 leading-7">
<li> Save 150+ hours of work </li>
<li> No need to learn advanced animations</li>
<li> Built in Authentication</li>
<li> Easy to configure and change</li>
<li> 1-click download and setup</li>
<li> 5 minutes to update the text and images</li>
<li> Deploy live to Vercel</li>
<li>
Stripe Integration{" "}
<Badge className="hidden sm:inline-block" variant="secondary">
Coming Soon
</Badge>
</li>
</ul>
<h3 className="text-2xl font-semibold leading-7">Features</h3>
<ul className="list-disc pl-5 space-y-2 text-md tracking-tight font-[500] leading-7">
<li>Header Section</li>
<li>Hero Section</li>
<li>Authentication</li>
<li>Social Proof Section</li>
<li>Pricing Section</li>
<li>Call To Action Section</li>
<li>Footer Section</li>
<li>Mobile Responsive Navbar</li>
<li>
Payment Gateway{" "}
<Badge className="hidden sm:inline-block" variant="secondary">
Coming Soon
</Badge>
</li>
</ul>
<h3 className="text-2xl font-semibold leading-7">Tech Stack</h3>
<div className="flex flex-wrap justify-start -m-2 dark:text-white leading-7">
<div className="p-2"><Badge className="bg-gradient-to-r from-blue-500 to-purple-600 text-white text-base py-0 px-4">React</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-green-500 to-blue-600 text-white text-base py-0 px-4">Next.js</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-yellow-400 to-orange-400 text-white text-base py-0 px-4">Tailwind CSS</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-gray-500 to-gray-700 text-white text-base py-0 px-4">Prisma</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-pink-500 to-red-500 text-white text-base py-0 px-4">NextAuth</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-purple-500 to-pink-600 text-white text-base py-0 px-4">Magic UI</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-gray-500 to-gray-700 text-white text-base py-0 px-4">Shadcn UI</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-blue-500 to-green-500 text-white text-base py-0 px-4">Stripe</Badge></div>
<div className="p-2"><Badge className="bg-gradient-to-r from-purple-500 to-blue-600 text-white text-base py-0 px-4">Vercel</Badge></div>
</div>
<h3 className="text-2xl font-semibold leading-7">Quick Setup</h3>
<ul className="list-disc pl-5 space-y-2 text-md tracking-tight font-[500] leading-7">
<li>
1-Click Download and Setup: Get started instantly with our easy
setup process.
</li>
<li>
5 Minutes to Update: Quickly update text and images to match your
brand.
</li>
<li>
Deploy to Vercel: Easily deploy your site live with Vercels
seamless integration.
</li>
</ul>
<p className="leading-7 tracking-tight pt-0 lg:pt-5">
Get started today and bring your website to life with minimal effort
and maximum impact!
</p>
</div>
</div>
</div>
)
}
export default QuotesAI
| DarkInventor/easy-ui/app/(docs)/quotesai/page.tsx | {
"file_path": "DarkInventor/easy-ui/app/(docs)/quotesai/page.tsx",
"repo_id": "DarkInventor/easy-ui",
"token_count": 3252
} | 1 |
"use client"
import { Tabs, TabsList, TabsTrigger } from "@/components/ui/tabs"
import { Card, CardContent, CardDescription, CardFooter, CardHeader, CardTitle } from "@/components/ui/card"
import { CheckCircle2 } from "lucide-react"
import { Button } from "@/components/ui/button"
import React, { useState } from "react"
import { cn } from "@/lib/utils"
type PricingSwitchProps = {
onSwitch: (value: string) => void
}
type PricingCardProps = {
isYearly?: boolean
title: string
monthlyPrice?: number
yearlyPrice?: number
description: string
features: string[]
actionLabel: string
popular?: boolean
exclusive?: boolean
}
const PricingHeader = ({ title, subtitle }: { title: string; subtitle: string }) => (
<section className="text-center">
<h2 className="text-3xl font-bold">{title}</h2>
<p className="text-xl pt-1">{subtitle}</p>
<br />
</section>
)
const PricingSwitch = ({ onSwitch }: PricingSwitchProps) => (
<Tabs defaultValue="0" className="w-40 mx-auto" onValueChange={onSwitch}>
<TabsList className="py-6 px-2">
<TabsTrigger value="0" className="text-base">
Monthly
</TabsTrigger>
<TabsTrigger value="1" className="text-base">
Yearly
</TabsTrigger>
</TabsList>
</Tabs>
)
const PricingCard = ({ isYearly, title, monthlyPrice, yearlyPrice, description, features, actionLabel, popular, exclusive }: PricingCardProps) => (
<Card
className={cn(`w-72 flex flex-col justify-between py-1 ${popular ? "border-rose-400" : "border-zinc-700"} mx-auto sm:mx-0`, {
"animate-background-shine bg-white dark:bg-[linear-gradient(110deg,#000103,45%,#1e2631,55%,#000103)] bg-[length:200%_100%] transition-colors":
exclusive,
})}>
<div>
<CardHeader className="pb-8 pt-4">
{isYearly && yearlyPrice && monthlyPrice ? (
<div className="flex justify-between">
<CardTitle className="text-zinc-700 dark:text-zinc-300 text-lg">{title}</CardTitle>
<div
className={cn("px-2.5 rounded-xl h-fit text-sm py-1 bg-zinc-200 text-black dark:bg-zinc-800 dark:text-white", {
"bg-gradient-to-r from-orange-400 to-rose-400 dark:text-black ": popular,
})}>
Save ${monthlyPrice * 12 - yearlyPrice}
</div>
</div>
) : (
<CardTitle className="text-zinc-700 dark:text-zinc-300 text-lg">{title}</CardTitle>
)}
<div className="flex gap-0.5">
<h3 className="text-3xl font-bold">{yearlyPrice && isYearly ? "$" + yearlyPrice : monthlyPrice ? "$" + monthlyPrice : "Custom"}</h3>
<span className="flex flex-col justify-end text-sm mb-1">{yearlyPrice && isYearly ? "/year" : monthlyPrice ? "/month" : null}</span>
</div>
<CardDescription className="pt-1.5 h-12">{description}</CardDescription>
</CardHeader>
<CardContent className="flex flex-col gap-2">
{features.map((feature: string) => (
<CheckItem key={feature} text={feature} />
))}
</CardContent>
</div>
<CardFooter className="mt-2">
<Button className="relative inline-flex w-full items-center justify-center rounded-md bg-black text-white dark:bg-white px-6 font-medium dark:text-black transition-colors focus:outline-none focus:ring-2 focus:ring-slate-400 focus:ring-offset-2 focus:ring-offset-slate-50">
<div className="absolute -inset-0.5 -z-10 rounded-lg bg-gradient-to-b from-[#c7d2fe] to-[#8678f9] opacity-75 blur" />
{actionLabel}
</Button>
</CardFooter>
</Card>
)
const CheckItem = ({ text }: { text: string }) => (
<div className="flex gap-2">
<CheckCircle2 size={18} className="my-auto text-green-400" />
<p className="pt-0.5 text-zinc-700 dark:text-zinc-300 text-sm">{text}</p>
</div>
)
export default function PricingPage() {
const [isYearly, setIsYearly] = useState(false)
const togglePricingPeriod = (value: string) => setIsYearly(parseInt(value) === 1)
const plans = [
{
title: "Basic",
monthlyPrice: 10,
yearlyPrice: 100,
description: "Essential features you need to get started",
features: ["Example Feature Number 1", "Example Feature Number 2", "Example Feature Number 3"],
actionLabel: "Get Started",
},
{
title: "Pro",
monthlyPrice: 25,
yearlyPrice: 250,
description: "Perfect for owners of small & medium businessess",
features: ["Example Feature Number 1", "Example Feature Number 2", "Example Feature Number 3"],
actionLabel: "Get Started",
popular: true,
},
{
title: "Enterprise",
price: "Custom",
description: "Dedicated support and infrastructure to fit your needs",
features: ["Example Feature Number 1", "Example Feature Number 2", "Example Feature Number 3", "Super Exclusive Feature"],
actionLabel: "Contact Sales",
exclusive: true,
},
]
return (
<div className="pt-28 pb-2 sm:pb-2 lg:pb-20">
<PricingHeader title="Pricing Plans" subtitle="Choose the plan that's right for you" />
<PricingSwitch onSwitch={togglePricingPeriod} />
<section className="flex flex-col sm:flex-row sm:flex-wrap justify-center gap-8 mt-8">
{plans.map((plan) => {
return <PricingCard key={plan.title} {...plan} isYearly={isYearly} />
})}
</section>
</div>
)
} | DarkInventor/easy-ui/app/pricing/page.tsx | {
"file_path": "DarkInventor/easy-ui/app/pricing/page.tsx",
"repo_id": "DarkInventor/easy-ui",
"token_count": 2162
} | 2 |
"use client"
import * as React from "react"
import { AnimatePresence, motion } from "framer-motion"
import {
ChevronDownIcon,
ChevronUpIcon,
CommandIcon,
HashIcon,
RotateCcwIcon,
XIcon,
} from "lucide-react"
import { Button } from "@/components/ui/button"
import {
Command,
CommandEmpty,
CommandGroup,
CommandInput,
CommandItem,
CommandList,
} from "@/components/ui/command"
type Page = "main" | "tags" | "parent"
type TagData = {
tag: string
url: string
}
type FullFeaturedCommandPaletteProps = {
tagsData: TagData[]
}
export default function SearchCommand({
tagsData,
}: FullFeaturedCommandPaletteProps) {
const [open, setOpen] = React.useState(false)
const [search, setSearch] = React.useState("")
const [theme] = React.useState<"light" | "dark">("light")
const [currentPage, setCurrentPage] = React.useState<Page>("main")
const [selectedTags, setSelectedTags] = React.useState<string[]>([])
const [navigationIndex, setNavigationIndex] = React.useState(-1)
React.useEffect(() => {
const down = (e: KeyboardEvent) => {
if (e.key === "k" && (e.metaKey || e.ctrlKey)) {
e.preventDefault()
setOpen((open) => !open)
}
}
document.addEventListener("keydown", down)
return () => document.removeEventListener("keydown", down)
}, [])
const filteredTags = tagsData
? tagsData.filter(({ tag }) =>
tag.toLowerCase().includes(search.toLowerCase())
)
: []
const handleTagSelect = (tag: string) => {
setSelectedTags((prev) =>
prev.includes(tag) ? prev.filter((t) => t !== tag) : [...prev, tag]
)
}
const handleNavigate = (direction: "up" | "down") => {
setNavigationIndex((prev) => {
if (direction === "up") {
return prev > 0 ? prev - 1 : filteredTags.length - 1
} else {
return prev < filteredTags.length - 1 ? prev + 1 : 0
}
})
}
// const handleOpen = () => {
// if (navigationIndex >= 0 && navigationIndex < filteredTags.length) {
// const tag = filteredTags[navigationIndex].tag
// handleTagSelect(tag)
// }
// }
// const handleParent = () => {
// if (currentPage === "tags") {
// setCurrentPage("main")
// }
// }
if (!open) {
return null
}
return (
<div className="fixed top-20 py-10 lg:py-20 px-4 left-0 right-0 h-auto flex items-center justify-center transition-colors duration-300 bg-transparent pointer-events-none dark:bg-transparent ">
<div className="pointer-events-auto">
<motion.div
initial={false}
animate={
open ? { scale: 1, opacity: 1 } : { scale: 0.95, opacity: 0 }
}
transition={{ type: "spring", bounce: 0, duration: 0.3 }}
className="relative max-w-sm px-4 lg:w-full md:w-full lg:max-w-3xl md:max-w-xl"
>
<Command className="rounded-xl shadow-lg backdrop-blur-xl bg-transparent dark:border-gray-900 dark:border text-black dark:text-gray-100 leading-7 tracking-tight ">
<div className="flex items-center border-b border-1 border-gray-200 dark:border-gray-700 px-3">
<CommandInput
placeholder="Type a command or search"
value={search}
onValueChange={setSearch}
className="flex h-14 w-[650px] rounded-md bg-transparent py-3 text-sm outline-none placeholder:text-gray-500 dark:placeholder:text-gray-400 disabled:cursor-not-allowed disabled:opacity-50 tracking-tight leading-7"
/>
<kbd className="hidden sm:inline-flex h-8 select-none items-center gap-1 rounded p-2 ml-[-20px] mr-2 font-mono text-[12px] font-medium bg-gray-200 dark:bg-gray-900 text-black dark:text-gray-300">
{/* K */}
<CommandIcon className="h-3 w-3 bg-transparent text-black dark:text-white" />
K
</kbd>
</div>
<CommandList className="max-h-[400px] overflow-y-auto overflow-x-hidden p-2">
<CommandEmpty className="py-6 text-center">
<HashIcon className="w-12 h-12 mx-auto mb-4 text-gray-600 dark:text-gray-400" />
<h3 className="text-lg font-semibold mb-1">No tags found</h3>
<p className="text-sm mb-4 text-gray-600 dark:text-gray-400">
"{search}" did not match any tags currently used in
projects. Please try again or create a new tag.
</p>
<Button
variant="outline"
className="bg-white hover:bg-gray-100 dark:bg-gray-800 dark:hover:bg-gray-700"
onClick={() => setSearch("")}
>
Clear search
</Button>
</CommandEmpty>
<CommandGroup
className="text-gray-500 font-bold tracking-tight leading-7 "
heading="Tags"
>
<AnimatePresence>
{filteredTags.map(({ tag, url }, index) => (
<motion.div
key={tag}
initial={{ opacity: 0, y: -10 }}
animate={{ opacity: 1, y: 0 }}
exit={{ opacity: 0, y: -10 }}
transition={{
type: "spring",
stiffness: 300,
damping: 30,
}}
className="font-normal text-md"
onClick={() => (window.location.href = url)}
>
<CommandItem
className={`px-2 py-2 rounded-lg cursor-pointer ${
index === navigationIndex
? "bg-black/10 dark:bg-white/20 text-gray-700 dark:text-white"
: ""
} hover:bg-black/5 dark:hover:bg-white/10 text-black dark:text-gray-300 transition-colors`}
>
<a
href={url}
className={
selectedTags.includes(tag) ? "font-bold" : ""
}
target="_blank"
rel="noreferrer"
>
{tag}
</a>
</CommandItem>
</motion.div>
))}
</AnimatePresence>
</CommandGroup>
</CommandList>
<div className="flex flex-wrap items-center justify-between gap-2 border-t px-2 py-2 text-sm border-gray-200 dark:border-gray-700 text-gray-600 dark:text-gray-400">
<div className="flex flex-wrap items-center gap-2">
<Button
variant="ghost"
size="icon"
className="h-8 w-8"
onClick={() => setCurrentPage("tags")}
>
<HashIcon className="h-4 w-4" />
</Button>
<span className="hidden sm:block">tags</span>
<Button
variant="ghost"
size="icon"
className="h-8 w-8 hover:bg-gray-100 dark:hover:bg-gray-700"
onClick={() => handleNavigate("up")}
>
<ChevronUpIcon className="h-4 w-4" />
</Button>
<Button
variant="ghost"
size="icon"
className="h-8 w-8 hover:bg-gray-100 dark:hover:bg-gray-700"
onClick={() => handleNavigate("down")}
>
<ChevronDownIcon className="h-4 w-4" />
</Button>
<span className="hidden sm:block">navigate</span>
</div>
<div className="flex flex-wrap items-center gap-2">
<Button
variant="ghost"
size="icon"
className="h-8 w-8 hover:bg-gray-100 dark:hover:bg-gray-700"
onClick={() => {
setSearch("")
setSelectedTags([])
setNavigationIndex(-1)
}}
>
<RotateCcwIcon className="h-4 w-4" />
</Button>
<span className="hidden sm:block">reset</span>
<Button
variant="ghost"
size="icon"
className="h-8 w-8 hover:bg-gray-100 dark:hover:bg-gray-700"
onClick={() => setOpen(false)}
>
<XIcon className="h-4 w-4" />
</Button>
<span className="hidden sm:block mr-2">close</span>
</div>
</div>
</Command>
</motion.div>
</div>
</div>
)
}
| DarkInventor/easy-ui/components/easyui/search-command.tsx | {
"file_path": "DarkInventor/easy-ui/components/easyui/search-command.tsx",
"repo_id": "DarkInventor/easy-ui",
"token_count": 4748
} | 3 |
"use client"
import * as React from "react"
import Link from "next/link"
import { usePathname } from "next/navigation"
import { siteConfig } from "@/config/site"
import { cn } from "@/lib/utils"
import { Icons } from "@/components/icons"
import { Badge } from "./ui/badge"
export function MainNav() {
const pathname = usePathname()
const isActive = (path: string) => pathname === path || pathname.startsWith(path)
return (
<div className="mr-4 md:flex">
<Link href="/" className="mr-6 flex items-center space-x-2">
<img src="https://pub-0cd6f9d4131f4f79ac40219248ae64db.r2.dev/logo.svg" className="size-7" alt="Logo" />
<span className="font-bold sm:inline-block">
{siteConfig.name}
</span>
<Badge className="hidden sm:inline-block" variant="secondary">Beta</Badge>
</Link>
<nav className="hidden lg:flex lg:items-center lg:gap-6 text-sm">
<Link
href="/templates"
className={cn(
isActive("/templates") ? "text-foreground" : "text-foreground/60",
"transition-colors hover:text-foreground/80"
)}
>
Templates
</Link>
<Link
href="/component"
className={cn(
isActive("/component") ? "text-foreground" : "text-foreground/60",
"transition-colors hover:text-foreground/80"
)}
>
Components
</Link>
<Link
href={siteConfig.links.github}
className={cn(
isActive(siteConfig.links.github) ? "text-foreground" : "text-foreground/60",
"transition-colors hover:text-foreground/80 flex items-center"
)}
>
GitHub <Icons.externalLink className="ml-2 size-4" />
</Link>
<Link
href="https://premium.easyui.pro/"
className={cn(
isActive("https://premium.easyui.pro/") ? "text-foreground" : "text-foreground/60",
"transition-colors hover:text-foreground/80 flex items-center"
)}
>
Premium Templates <Icons.externalLink className="ml-2 size-4" />
</Link>
<Link
href="https://mvp.easyui.pro/"
className={cn(
isActive("https://mvp.easyui.pro/") ? "text-foreground" : "text-foreground/60",
"transition-colors hover:text-foreground/80 flex items-center"
)}
>
Easy MVP <Icons.externalLink className="ml-2 size-4" />
</Link>
</nav>
</div>
)
} | DarkInventor/easy-ui/components/main-nav.tsx | {
"file_path": "DarkInventor/easy-ui/components/main-nav.tsx",
"repo_id": "DarkInventor/easy-ui",
"token_count": 1217
} | 4 |
/** @type {import("eslint").Linter.Config} */
module.exports = {
root: true,
extends: ["@rapidlaunch/eslint-config/next.js"],
parser: "@typescript-eslint/parser",
parserOptions: {
project: true,
},
};
| alifarooq9/rapidlaunch/apps/www/.eslintrc.cjs | {
"file_path": "alifarooq9/rapidlaunch/apps/www/.eslintrc.cjs",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 84
} | 5 |
import { badgeVariants } from "@/components/ui/badge";
import { Tabs, TabsContent, TabsList, TabsTrigger } from "@/components/ui/tabs";
import { siteUrls } from "@/config/urls";
import Image from "next/image";
import Link from "next/link";
import { ArrowRightIcon } from "lucide-react";
import { buttonVariants } from "@/components/ui/button";
const saasStarterkitHighlights = [
{
id: "user-dashboard",
title: "User Dashboard",
imageLight:
"https://utfs.io/f/43bbc3c8-cf3c-4fae-a0eb-9183f1779489-294m81.png",
imageDark:
"https://utfs.io/f/fddea366-51c6-45f4-bd54-84d273ad9fb9-1ly324.png",
},
{
id: "auth",
title: "Authentication",
imageLight:
"https://utfs.io/f/805616c1-22b8-4508-9890-9ba9e2867a41-p24dnn.png",
imageDark:
"https://utfs.io/f/9074c0de-d9ea-4c0b-9d49-55dca1253a3f-6ig3yq.png",
},
{
id: "user-settings",
title: "User Settings",
imageLight:
"https://utfs.io/f/da560e34-84ca-4283-8060-65d727def753-eqmy3s.png",
imageDark:
"https://utfs.io/f/e365451e-1a36-43a7-8d1c-7315e5aae430-63u1th.png",
},
{
id: "Users-management",
title: "Users Management",
imageLight:
"https://utfs.io/f/72a2c035-69e0-46ca-84a8-446e4dabf77c-3koi6e.png",
imageDark:
"https://utfs.io/f/89099112-4273-4375-9e44-1b3394600e21-c6ikq1.png",
},
];
export function SaasStarterkitHighlight() {
return (
<div className="space-y-4">
<p className="gap-2 text-center text-sm sm:text-left">
For more information, Visit the{" "}
<Link
href={siteUrls.saasStarterkit.base}
className={badgeVariants({
variant: "secondary",
className: "ml-1 mt-1 gap-0.5 sm:mt-0",
})}
>
<span>SaaS Starterkit</span>
<ArrowRightIcon className="h-3 w-3" />
</Link>
</p>
<Tabs defaultValue="user-dashboard" className="h-auto">
<TabsList className="h-auto flex-wrap items-center justify-center gap-2 bg-transparent p-0 sm:justify-start">
{saasStarterkitHighlights.map((tab) => (
<TabsTrigger
key={tab.id}
value={tab.id}
className="data-[state=active]:bg-secondary"
>
{tab.title}
</TabsTrigger>
))}
<Link
href={siteUrls.demo.saas}
className={buttonVariants({
variant: "ghost",
size: "sm",
className: "gap-1",
})}
>
<span>View Live Demo</span>
<ArrowRightIcon className="h-4 w-4" />
</Link>
</TabsList>
{saasStarterkitHighlights.map((tab) => (
<TabsContent
className="relative aspect-video rounded-md bg-muted"
key={tab.id}
value={tab.id}
>
<Image
src={tab.imageLight}
alt={tab.title}
fill
className="block rounded-md border border-border dark:hidden"
priority
/>
<Image
src={tab.imageDark}
alt={tab.title}
fill
className="hidden rounded-md border border-border dark:block"
priority
/>
</TabsContent>
))}
</Tabs>
</div>
);
}
| alifarooq9/rapidlaunch/apps/www/src/app/(app)/_components/saas-startkit-highlight.tsx | {
"file_path": "alifarooq9/rapidlaunch/apps/www/src/app/(app)/_components/saas-startkit-highlight.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 2605
} | 6 |
import { defineConfig } from "drizzle-kit";
declare const process: {
env: {
DATABASE_URL: string;
};
};
export default defineConfig({
schema: "./src/schema.ts",
dialect: "postgresql",
dbCredentials: {
//@ts-expect-error //@ts-ignore
url: process.env.DATABASE_URL!,
},
tablesFilter: ["rapidlaunch_*"],
});
| alifarooq9/rapidlaunch/packages/db/drizzle.config.ts | {
"file_path": "alifarooq9/rapidlaunch/packages/db/drizzle.config.ts",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 132
} | 7 |
import { type Config } from "drizzle-kit";
import { env } from "@/env.js";
export default {
schema: "./src/server/db/schema.ts",
driver: "pg",
dbCredentials: {
connectionString: env.DATABASE_URL,
},
tablesFilter: ["rapidlaunch-saas-starterkit_*"],
} satisfies Config;
| alifarooq9/rapidlaunch/starterkits/saas/drizzle.config.ts | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/drizzle.config.ts",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 119
} | 8 |
import { AppPageLoading } from "@/app/(app)/_components/page-loading";
import { userFeedbackPageConfig } from "@/app/(app)/(user)/feedback/_constants/page-config";
import { Skeleton } from "@/components/ui/skeleton";
export default function UserFeedbackPageLoading() {
return (
<AppPageLoading
title={userFeedbackPageConfig.title}
description={userFeedbackPageConfig.description}
>
<Skeleton className="h-96 w-full" />
</AppPageLoading>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/feedback/loading.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/feedback/loading.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 197
} | 9 |
"use client";
import { Avatar, AvatarFallback, AvatarImage } from "@/components/ui/avatar";
import { Button } from "@/components/ui/button";
import { Icons } from "@/components/ui/icons";
import { Skeleton } from "@/components/ui/skeleton";
import { useAwaitableTransition } from "@/hooks/use-awaitable-transition";
import {
acceptOrgRequestMutation,
declineOrgRequestMutation,
} from "@/server/actions/organization/mutations";
import type { getOrgRequestsQuery } from "@/server/actions/organization/queries";
import { useMutation } from "@tanstack/react-query";
import { RefreshCcwIcon } from "lucide-react";
import { useRouter } from "next/navigation";
import { useState } from "react";
import { toast } from "sonner";
type OrgRequestsProps = {
requests: Awaited<ReturnType<typeof getOrgRequestsQuery>>;
};
export function OrgRequests({ requests }: OrgRequestsProps) {
const router = useRouter();
const [isPending, startAwaitableTransition] = useAwaitableTransition();
const onRefresh = async () => {
await startAwaitableTransition(() => {
router.refresh();
});
};
return (
<div className="space-y-4">
<div className="flex w-full items-center justify-between">
<h4 className="text-sm font-medium">People asking access</h4>
<Button
disabled={isPending}
variant="outline"
size="iconSmall"
className="group"
onClick={onRefresh}
>
<RefreshCcwIcon className="h-3.5 w-3.5 transition-transform duration-400 group-active:-rotate-45" />
</Button>
</div>
<div className="space-y-4">
{isPending ? (
<Skeleton className="h-[200px] w-full" />
) : (
<div className="grid gap-6">
{requests && requests.length > 0 ? (
requests.map((request) => (
<RequestItem
key={request.id}
request={request}
/>
))
) : (
<p className="text-sm font-medium text-muted-foreground">
No requests
</p>
)}
</div>
)}
</div>
</div>
);
}
type RequestItemProps = {
request: Awaited<ReturnType<typeof getOrgRequestsQuery>>[0];
};
function RequestItem({ request }: RequestItemProps) {
const router = useRouter();
const [isAccepting, setIsAccepting] = useState(false);
const [isDeclining, setIsDeclining] = useState(false);
const [, startAwaitableTransition] = useAwaitableTransition();
const { mutateAsync: acceptMutateAsync } = useMutation({
mutationFn: () => acceptOrgRequestMutation({ requestId: request.id }),
});
const onAccept = async () => {
setIsAccepting(true);
try {
await acceptMutateAsync();
await startAwaitableTransition(() => {
router.refresh();
});
toast.success("Organization access granted");
} catch (error) {
toast.error(
(error as { message?: string })?.message ??
"Organization access could not be granted",
);
} finally {
setIsAccepting(false);
}
};
const { mutateAsync: declineMutateAsync } = useMutation({
mutationFn: () => declineOrgRequestMutation({ requestId: request.id }),
});
const onDecline = async () => {
setIsDeclining(true);
try {
await declineMutateAsync();
await startAwaitableTransition(() => {
router.refresh();
});
toast.success("Organization access declined");
} catch (error) {
toast.error(
(error as { message?: string })?.message ??
"Organization access could not be declined",
);
} finally {
setIsDeclining(false);
}
};
return (
<div className="flex flex-col items-start justify-start gap-4 sm:flex-row sm:items-center sm:justify-between">
<div className="flex items-center space-x-4">
<Avatar>
<AvatarImage src={request.user.image!} />
<AvatarFallback>
{request.user.name![0]!.toUpperCase() +
request.user.name![1]!.toUpperCase()}
</AvatarFallback>
</Avatar>
<div>
<p className="text-sm font-medium leading-none">
{request.user.name}
</p>
<p className="text-sm text-muted-foreground">
{request.user.email}
</p>
</div>
</div>
<div className="flex items-center gap-2">
<Button
variant="destructive"
onClick={onDecline}
disabled={isDeclining}
className="gap-2"
>
{isDeclining ? <Icons.loader className="h-4 w-4" /> : null}
<span>Decline</span>
</Button>
<Button
variant="secondary"
onClick={onAccept}
disabled={isAccepting}
className="gap-2"
>
{isAccepting ? <Icons.loader className="h-4 w-4" /> : null}
<span>Accept</span>
</Button>
</div>
</div>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/org/members/invite/_components/org-requests.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/org/members/invite/_components/org-requests.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 3167
} | 10 |
"use client";
import { zodResolver } from "@hookform/resolvers/zod";
import type { User } from "next-auth";
import { useForm } from "react-hook-form";
import * as z from "zod";
import { Button } from "@/components/ui/button";
import {
Form,
FormControl,
FormField,
FormItem,
FormMessage,
} from "@/components/ui/form";
import { Input } from "@/components/ui/input";
import {
Card,
CardContent,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/components/ui/card";
import { toast } from "sonner";
import { useRouter } from "next/navigation";
import { Icons } from "@/components/ui/icons";
import { useMutation } from "@tanstack/react-query";
import { updateNameMutation } from "@/server/actions/user/mutations";
const userNameFormSchema = z.object({
name: z
.string()
.trim()
.min(3, "Name must be at least 3 characters long")
.max(50, "Name must be at most 50 characters long"),
});
export type UserNameFormSchema = z.infer<typeof userNameFormSchema>;
type UserNameFormProps = {
user: User;
};
export function UserNameForm({ user }: UserNameFormProps) {
const router = useRouter();
const form = useForm<UserNameFormSchema>({
resolver: zodResolver(userNameFormSchema),
defaultValues: {
name: user.name ?? "",
},
});
const { isPending, mutateAsync } = useMutation({
mutationFn: () => updateNameMutation({ name: form.getValues().name }),
onSuccess: () => {
router.refresh();
toast.success("Name updated successfully");
},
onError: (error: { message?: string } = {}) =>
toast.error(
error.message ??
"Failed to update name, please try again later",
),
});
const onSubmit = async (values: UserNameFormSchema) => {
if (values.name === user.name) {
return toast("Name is already set to this name");
}
await mutateAsync();
};
return (
<Form {...form}>
<form onSubmit={form.handleSubmit(onSubmit)}>
<Card className="flex h-full w-full flex-col justify-between">
<div>
<CardHeader>
<CardTitle>Name</CardTitle>
<CardDescription>
Please enter your full name, or a display name
you are comfortable with.
</CardDescription>
</CardHeader>
<CardContent>
<FormField
control={form.control}
name="name"
render={({ field }) => (
<FormItem>
<FormControl>
<Input
placeholder="alidotm"
{...field}
/>
</FormControl>
<FormMessage />
</FormItem>
)}
/>
</CardContent>
</div>
<CardFooter>
<Button
disabled={isPending}
type="submit"
className="gap-2"
>
{isPending && <Icons.loader className="h-4 w-4" />}
<span>Save Changes</span>
</Button>
</CardFooter>
</Card>
</form>
</Form>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/profile/settings/_components/user-name-form.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/(user)/profile/settings/_components/user-name-form.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 2232
} | 11 |
"use client";
import { zodResolver } from "@hookform/resolvers/zod";
import type { User } from "next-auth";
import { useForm } from "react-hook-form";
import * as z from "zod";
import { Button } from "@/components/ui/button";
import {
Form,
FormControl,
FormDescription,
FormField,
FormItem,
FormLabel,
FormMessage,
} from "@/components/ui/form";
import { Input } from "@/components/ui/input";
import {
Card,
CardContent,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/components/ui/card";
import { toast } from "sonner";
import { useRouter } from "next/navigation";
import { Icons } from "@/components/ui/icons";
import { useMutation } from "@tanstack/react-query";
import { updateNameMutation } from "@/server/actions/user/mutations";
import { useAwaitableTransition } from "@/hooks/use-awaitable-transition";
import { siteConfig } from "@/config/site";
import { new_user_setup_step_cookie } from "@/config/cookie-keys";
const profileFormSchema = z.object({
name: z
.string()
.trim()
.min(3, "Name must be at least 3 characters long")
.max(50, "Name must be at most 50 characters long"),
});
export type ProfileFormSchema = z.infer<typeof profileFormSchema>;
type NewUserProfileFormProps = {
user: User;
currentStep: number;
};
export function NewUserProfileForm({
user,
currentStep,
}: NewUserProfileFormProps) {
const router = useRouter();
const form = useForm<ProfileFormSchema>({
resolver: zodResolver(profileFormSchema),
defaultValues: {
name: user.name ?? "",
},
});
const { isPending: isMutatePending, mutateAsync } = useMutation({
mutationFn: () => updateNameMutation({ name: form.getValues().name }),
});
const [isPending, startAwaitableTransition] = useAwaitableTransition();
const onSubmit = async () => {
try {
await mutateAsync();
await startAwaitableTransition(() => {
document.cookie = `${new_user_setup_step_cookie}${user.id}=${currentStep + 1}; path=/`;
router.refresh();
});
toast.success("Profile setup complete!");
} catch (error) {
toast.error(
(error as { message?: string })?.message ??
"An error occurred while updating your profile",
);
}
};
return (
<Form {...form}>
<form onSubmit={form.handleSubmit(onSubmit)} className="w-full">
<Card className="w-full">
<CardHeader>
<CardTitle className="text-2xl">
Welcome to {siteConfig.name}
</CardTitle>
<CardDescription>
Please set up your profile to get started
</CardDescription>
</CardHeader>
<CardContent className="grid gap-2">
<FormField
control={form.control}
name="name"
render={({ field }) => (
<FormItem>
<FormLabel>Name</FormLabel>
<FormControl>
<Input
placeholder="alidotm"
{...field}
/>
</FormControl>
<FormDescription>
Enter your full name to get started
</FormDescription>
<FormMessage />
</FormItem>
)}
/>
<FormItem>
<FormLabel>Email</FormLabel>
<FormControl>
<Input value={user?.email ?? ""} readOnly />
</FormControl>
<FormDescription>
This is the email you used to sign up
</FormDescription>
<FormMessage />
</FormItem>
</CardContent>
<CardFooter className="flex items-center justify-end gap-2">
<Button
disabled={isPending || isMutatePending}
type="submit"
className="gap-2"
>
{isPending || isMutatePending ? (
<Icons.loader className="h-4 w-4" />
) : null}
<span>Continue</span>
</Button>
</CardFooter>
</Card>
</form>
</Form>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/_components/new-user-profile-form.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/_components/new-user-profile-form.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 2875
} | 12 |
"use client";
import {
DropdownMenu,
DropdownMenuContent,
DropdownMenuItem,
DropdownMenuLabel,
DropdownMenuRadioGroup,
DropdownMenuRadioItem,
DropdownMenuSeparator,
DropdownMenuSub,
DropdownMenuSubContent,
DropdownMenuSubTrigger,
DropdownMenuTrigger,
} from "@/components/ui/dropdown-menu";
import { Button } from "@/components/ui/button";
import { MoreHorizontalIcon } from "lucide-react";
import { toast } from "sonner";
import { type FeedbackData } from "@/app/(app)/admin/feedbacks/_components/columns";
import { useMutation } from "@tanstack/react-query";
import { useRouter } from "next/navigation";
import {
deleteFeedbackMutation,
updateFeedbackMutation,
} from "@/server/actions/feedback/mutations";
import { useAwaitableTransition } from "@/hooks/use-awaitable-transition";
import { feedback, feedbackSelectSchema } from "@/server/db/schema";
import type { z } from "zod";
const updateFeedbackProps = feedbackSelectSchema.pick({
label: true,
status: true,
});
type FeedbackUpdateProps = z.infer<typeof updateFeedbackProps>;
export function ColumnDropdown(props: FeedbackData) {
const router = useRouter();
const {
isPending: updateFeedbackPending,
mutateAsync: updateFeedbackMutate,
} = useMutation({
mutationFn: ({ status, label }: FeedbackUpdateProps) =>
updateFeedbackMutation({ id: props.id, status, label }),
});
const [isUpdatePending, startAwaitableUpdateTransition] =
useAwaitableTransition();
const onChangeStatus = async (
status: typeof feedback.$inferSelect.status,
) => {
toast.promise(
async () => {
await updateFeedbackMutate({
status,
label: props.label,
});
await startAwaitableUpdateTransition(() => {
router.refresh();
});
},
{
loading: `Updating feedback status to ${status}...`,
success: `Feedback status updated to ${status}`,
error: "Failed to update feedback status",
},
);
};
const onChangeLabel = async (label: typeof feedback.$inferSelect.label) => {
toast.promise(
async () => {
await updateFeedbackMutate({
status: props.status,
label,
});
await startAwaitableUpdateTransition(() => {
router.refresh();
});
},
{
loading: `Updating feedback label to ${label}...`,
success: `Feedback label updated to ${label}`,
error: "Failed to update feedback label",
},
);
};
const [isDeletePending, startAwaitableDeleteTransition] =
useAwaitableTransition();
const {
isPending: deleteFeedbackPending,
mutateAsync: deleteFeedbackMutate,
} = useMutation({
mutationFn: () => deleteFeedbackMutation({ id: props.id }),
});
const handleDeleteFeedback = async () => {
toast.promise(
async () => {
await deleteFeedbackMutate();
await startAwaitableDeleteTransition(() => {
router.refresh();
});
},
{
loading: "Removing feedback...",
success: "Feedback removed successfully",
error: "Failed to remove feedback",
},
);
};
return (
<DropdownMenu modal={false}>
<DropdownMenuTrigger asChild>
<Button variant="ghost" className="h-8 w-8 p-0">
<span className="sr-only">Open menu</span>
<MoreHorizontalIcon className="h-4 w-4" />
</Button>
</DropdownMenuTrigger>
<DropdownMenuContent align="end" className="w-screen max-w-[12rem]">
<DropdownMenuLabel>Actions</DropdownMenuLabel>
<DropdownMenuSeparator />
<DropdownMenuSub>
<DropdownMenuSubTrigger>Status</DropdownMenuSubTrigger>
<DropdownMenuSubContent>
<DropdownMenuRadioGroup
value={props.status}
onValueChange={(s) =>
onChangeStatus(
s as typeof feedback.$inferSelect.status,
)
}
>
{feedback.status.enumValues.map((currentStatus) => (
<DropdownMenuRadioItem
key={currentStatus}
value={currentStatus}
disabled={
updateFeedbackPending || isUpdatePending
}
>
{currentStatus}
</DropdownMenuRadioItem>
))}
</DropdownMenuRadioGroup>
</DropdownMenuSubContent>
</DropdownMenuSub>
<DropdownMenuSub>
<DropdownMenuSubTrigger>Label</DropdownMenuSubTrigger>
<DropdownMenuSubContent>
<DropdownMenuRadioGroup
value={props.label}
onValueChange={(l) =>
onChangeLabel(
l as typeof feedback.$inferSelect.label,
)
}
>
{feedback.label.enumValues.map((currentLabel) => (
<DropdownMenuRadioItem
key={currentLabel}
value={currentLabel}
disabled={
updateFeedbackPending || isUpdatePending
}
>
{currentLabel}
</DropdownMenuRadioItem>
))}
</DropdownMenuRadioGroup>
</DropdownMenuSubContent>
</DropdownMenuSub>
<DropdownMenuSeparator />
<DropdownMenuItem
disabled={deleteFeedbackPending || isDeletePending}
onClick={handleDeleteFeedback}
className="text-red-600"
>
Delete
</DropdownMenuItem>
</DropdownMenuContent>
</DropdownMenu>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/feedbacks/_components/column-dropdown.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/feedbacks/_components/column-dropdown.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 3877
} | 13 |
/* eslint-disable @typescript-eslint/no-unsafe-call */
/* eslint-disable @typescript-eslint/no-unsafe-member-access */
"use client";
import { type ColumnDef } from "@tanstack/react-table";
import { type users } from "@/server/db/schema";
import { Badge } from "@/components/ui/badge";
import { ColumnDropdown } from "@/app/(app)/admin/users/_components/column-dropdown";
import { format } from "date-fns";
// This type is used to define the shape of our data.
// You can use a Zod schema here if you want.
export type UsersData = {
id: string;
name: string | null;
email: string;
role: typeof users.$inferSelect.role;
status: "verified" | "unverified";
createdAt: Date;
};
export function getColumns(): ColumnDef<UsersData>[] {
return columns;
}
export const columns: ColumnDef<UsersData>[] = [
{
accessorKey: "name",
header: () => <span className="pl-2">Name</span>,
cell: ({ row }) => {
if (row.original.name) {
return (
<span className="pl-2 font-medium">
{row.original.name}
</span>
);
}
return <span className="px-2 text-muted-foreground">No name</span>;
},
},
{
accessorKey: "email",
header: "Email",
},
{
accessorKey: "role",
header: "Role",
cell: ({ row }) => (
<Badge variant="secondary" className="capitalize">
{row.original.role}
</Badge>
),
filterFn: (row, id, value) => {
return !!value.includes(row.getValue(id));
},
},
{
accessorKey: "status",
header: "Status",
cell: ({ row }) => (
<Badge
variant={
row.original.status === "verified" ? "success" : "info"
}
className="capitalize"
>
{row.original.status}
</Badge>
),
filterFn: (row, id, value) => {
return !!value.includes(row.getValue(id));
},
},
{
accessorKey: "createdAt",
header: "Created At",
cell: ({ row }) => (
<span className="text-muted-foreground">
{format(new Date(row.original.createdAt), "PP")}
</span>
),
},
{
id: "actions",
cell: ({ row }) => <ColumnDropdown {...row.original} />,
},
];
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/users/_components/columns.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(app)/admin/users/_components/columns.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 1232
} | 14 |
import { Badge } from "@/components/ui/badge";
import { cn } from "@/lib/utils";
import { type ElementType } from "react";
import Balancer from "react-wrap-balancer";
// This is a page wrapper used in all public web pages
export function WebPageWrapper({
children,
as,
className,
}: {
children: React.ReactNode;
as?: ElementType;
className?: string;
}) {
const Comp: ElementType = as ?? "main";
return (
<Comp
className={cn(
"container flex flex-col items-center justify-center gap-24 py-10",
className,
)}
>
{children}
</Comp>
);
}
// This is a page heading used in all public web pages
export function WebPageHeader({
title,
badge,
children,
}: {
title: string;
badge?: string;
children?: React.ReactNode;
}) {
return (
<div className="flex flex-col items-center justify-center gap-5">
{badge && (
<Badge size="md" variant="secondary">
<p className="text-center text-base">{badge}</p>
</Badge>
)}
<Balancer
as="h1"
className="max-w-2xl text-center font-heading text-4xl font-bold leading-none sm:text-5xl"
>
{title}
</Balancer>
{children && children}
</div>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/_components/general-components.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/_components/general-components.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 681
} | 15 |
import { PricingTable } from "@/app/(web)/pricing/_components/pricing-table";
import {
WebPageHeader,
WebPageWrapper,
} from "@/app/(web)/_components/general-components";
import { type Metadata } from "next";
import { pricingPageConfig } from "@/app/(web)/pricing/_constants/page-config";
/**
* Customize the pricing page to your needs. You can use the `PricingPlans` component to display the pricing plans.
* You can also use the `Badge` and `WebPageHeading` components to display the page title and any additional information.
*
* To customize the pricing plans, you can modify the `PricingPlans` component. @see /app/(web)/pricing/components/pricing-plans.tsx
*/
export const metadata: Metadata = {
title: pricingPageConfig.title,
};
export default function PricingPage() {
return (
<WebPageWrapper>
<WebPageHeader
title="Flexible Pricing Plans for You"
badge="Beta Pricing"
>
<p className="text-center text-base">
<span>No hidden Fees </span>
<span className="font-light italic text-muted-foreground">
- Cancel at any time
</span>
</p>
</WebPageHeader>
<PricingTable />
</WebPageWrapper>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/pricing/page.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/(web)/pricing/page.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 555
} | 16 |
"use client";
import { Avatar, AvatarFallback, AvatarImage } from "@/components/ui/avatar";
import { Button } from "@/components/ui/button";
import {
Card,
CardDescription,
CardFooter,
CardHeader,
CardTitle,
} from "@/components/ui/card";
import { Icons } from "@/components/ui/icons";
import { sendOrgRequestMutation } from "@/server/actions/organization/mutations";
import type { getOrgByIdQuery } from "@/server/actions/organization/queries";
import { useMutation } from "@tanstack/react-query";
import { toast } from "sonner";
type RequestCardProps = {
org: Awaited<ReturnType<typeof getOrgByIdQuery>>;
orgId: string;
};
export function RequestCard({ org, orgId }: RequestCardProps) {
const { isPending, mutate } = useMutation({
mutationFn: () => sendOrgRequestMutation({ orgId }),
onSuccess: () => {
toast.success("Request sent successfully");
},
onError: (error) => {
toast.error(error.message ?? "Failed to send request");
},
});
return (
<Card className="w-full max-w-sm">
<CardHeader className="flex flex-col items-center space-y-3">
<Avatar className="h-10 w-10">
<AvatarImage src={org?.image ?? ""} />
<AvatarFallback>
{org?.name[0]!.toUpperCase()}
</AvatarFallback>
</Avatar>
<div className="space-y-1">
<CardTitle className="text-center text-xl">
Request to join {org?.name}
</CardTitle>
<CardDescription className="text-center">
You can send joinning request to {org?.name}.
</CardDescription>
</div>
</CardHeader>
<CardFooter>
<div className="flex w-full justify-center space-x-4">
<Button
className="gap-2"
disabled={isPending}
onClick={() => mutate()}
>
{isPending ? (
<Icons.loader className="h-4 w-4" />
) : null}
<span>Send Request</span>
</Button>
</div>
</CardFooter>
</Card>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/app/invite/org/[orgId]/_components/request-card.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/app/invite/org/[orgId]/_components/request-card.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 1258
} | 17 |
"use client";
import { QueryClient, QueryClientProvider } from "@tanstack/react-query";
import { ThemeProvider } from "@/components/theme-provider";
import { PosthogProvider } from "@/components/posthog-provider";
import { SessionProvider } from "next-auth/react";
import { RootProvider as FumaRootProvider } from "fumadocs-ui/provider";
type ProvidersProps = {
children: React.ReactNode;
};
export function Providers({ children }: ProvidersProps) {
const queryClient = new QueryClient();
return (
<SessionProvider>
<QueryClientProvider client={queryClient}>
<PosthogProvider>
<FumaRootProvider>
<ThemeProvider>{children}</ThemeProvider>
</FumaRootProvider>
</PosthogProvider>
</QueryClientProvider>
</SessionProvider>
);
}
| alifarooq9/rapidlaunch/starterkits/saas/src/components/providers.tsx | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/components/providers.tsx",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 355
} | 18 |
/**
* This file contains the features data for the features page.
*
* @add a new feature, add a new object to the `features` array.
* 1. Add id to the features object then use it as the id of the new feature object.
* 2. Add title and inludedIn to the new feature object. (inludedIn is an array of pricing plan ids that include this feature)
* 3. Add description to the new feature object.
* 4. Add image to the new feature object.
* 5. Add imageDark to the new feature object. (optional)
*/
export type Feature = {
title: string;
description: string;
image: string;
imageDark?: string;
};
export const features: Feature[] = [
{
title: "Dashboard",
description:
"Rapidlaunch provides a powerful dashboard that allows you to manage your SaaS project. With our starterkits, components, and building guides, you can quickly set up a robust dashboard for your project.",
image: "https://utfs.io/f/43bbc3c8-cf3c-4fae-a0eb-9183f1779489-294m81.png",
imageDark:
"https://utfs.io/f/fddea366-51c6-45f4-bd54-84d273ad9fb9-1ly324.png",
},
{
title: "Authentication",
description:
"Rapidlaunch provides a secure authentication system that allows users to sign up and log in to your SaaS. With our starterkits, components, and building guides, you can quickly set up a robust authentication system for your project.",
image: "https://utfs.io/f/805616c1-22b8-4508-9890-9ba9e2867a41-p24dnn.png",
imageDark:
"https://utfs.io/f/9074c0de-d9ea-4c0b-9d49-55dca1253a3f-6ig3yq.png",
},
{
title: "Organizational level Payments",
description:
"Rapidlaunch provides a flexible payment system that allows you to manage your SaaS project's payments. With our starterkits, components, and building guides, you can quickly set up a robust payment system for your project.",
image: "https://utfs.io/f/43bbc3c8-cf3c-4fae-a0eb-9183f1779489-294m81.png",
imageDark:
"https://utfs.io/f/fddea366-51c6-45f4-bd54-84d273ad9fb9-1ly324.png",
},
{
title: "User Management",
description:
"Rapidlaunch provides a user management system that allows you to manage your SaaS project's users. With our starterkits, components, and building guides, you can quickly set up a robust user management system for your project.",
image: "https://utfs.io/f/72a2c035-69e0-46ca-84a8-446e4dabf77c-3koi6e.png",
imageDark:
"https://utfs.io/f/89099112-4273-4375-9e44-1b3394600e21-c6ikq1.png",
},
];
| alifarooq9/rapidlaunch/starterkits/saas/src/config/features.ts | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/config/features.ts",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 1032
} | 19 |
import { getToken } from "next-auth/jwt";
import { NextResponse } from "next/server";
import type { NextRequest } from "next/server";
import { protectedRoutes, siteUrls } from "@/config/urls";
import { getAbsoluteUrl } from "@/lib/utils";
import { env } from "@/env";
export async function middleware(request: NextRequest) {
const isAdminPath = request.nextUrl.pathname.startsWith("/admin");
/** check if application setting is on or off */
const maintenanceMode = env.NEXT_PUBLIC_MAINTENANCE_MODE === "on";
const waitlistMode = env.NEXT_PUBLIC_WAITLIST_MODE === "on";
if (
maintenanceMode &&
!request.nextUrl.pathname.startsWith("/maintenance") &&
!isAdminPath &&
!request.nextUrl.pathname.startsWith("/auth")
) {
return NextResponse.redirect(getAbsoluteUrl(siteUrls.maintenance));
}
if (
waitlistMode &&
!request.nextUrl.pathname.startsWith("/waitlist") &&
!isAdminPath &&
!request.nextUrl.pathname.startsWith("/auth")
) {
return NextResponse.redirect(getAbsoluteUrl(siteUrls.waitlist));
}
/** if path is public route than do nothing */
if (protectedRoutes.includes(request.nextUrl.pathname)) {
const session = await getToken({ req: request });
/** if path name starts from /auth, and session is there redirect to dashboard */
if (session && request.nextUrl.pathname.startsWith("/auth")) {
return NextResponse.redirect(
getAbsoluteUrl(siteUrls.dashboard.home),
);
}
/** if path name does not start from /auth, and session is not there redirect to login */
if (!session && !request.nextUrl.pathname.startsWith("/auth")) {
return NextResponse.redirect(getAbsoluteUrl(siteUrls.auth.login));
}
/** if path name start from admin, and session role is not admin or super admin redirect to dashboard */
const isAdmin =
session?.role === "Admin" || session?.role === "Super Admin";
if (
session &&
request.nextUrl.pathname.startsWith("/admin") &&
!isAdmin
) {
return NextResponse.redirect(
getAbsoluteUrl(siteUrls.dashboard.home),
);
}
} else {
return NextResponse.next();
}
}
// See "Matching Paths" below to learn more
export const config = {
matcher: [
"/((?!api|assets|_next/static|_next/image|favicon.ico|sitemap.xml|robots.txt).*)",
],
};
| alifarooq9/rapidlaunch/starterkits/saas/src/middleware.ts | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/middleware.ts",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 1029
} | 20 |
import { env } from "@/env";
import { lemonSqueezySetup } from "@lemonsqueezy/lemonsqueezy.js";
export function configureLemonSqueezy() {
lemonSqueezySetup({
apiKey: env.LEMONSQUEEZY_API_KEY,
onError: (error) => {
console.error(error);
throw new Error(`Lemon Squeezy API error: ${error.message}`);
},
});
}
| alifarooq9/rapidlaunch/starterkits/saas/src/server/lemonsqueezy.ts | {
"file_path": "alifarooq9/rapidlaunch/starterkits/saas/src/server/lemonsqueezy.ts",
"repo_id": "alifarooq9/rapidlaunch",
"token_count": 164
} | 21 |
import { EssayBody } from '@/types/types';
import { OpenAIStream } from '@/utils/streams/essayStream';
export const runtime = 'edge';
export async function GET(req: Request): Promise<Response> {
try {
const {
topic,
words,
essayType,
model,
apiKey
} = (await req.json()) as EssayBody;
let apiKeyFinal;
if (apiKey) {
apiKeyFinal = apiKey;
} else {
apiKeyFinal = process.env.NEXT_PUBLIC_OPENAI_API_KEY;
}
const stream = await OpenAIStream(
topic,
essayType,
words,
model,
apiKeyFinal
);
return new Response(stream);
} catch (error) {
console.error(error);
return new Response('Error', { status: 500 });
}
}
export async function POST(req: Request): Promise<Response> {
try {
const {
topic,
words,
essayType,
model,
apiKey
} = (await req.json()) as EssayBody;
let apiKeyFinal;
if (apiKey) {
apiKeyFinal = apiKey;
} else {
apiKeyFinal = process.env.NEXT_PUBLIC_OPENAI_API_KEY;
}
const stream = await OpenAIStream(
topic,
essayType,
words,
model,
apiKeyFinal
);
return new Response(stream);
} catch (error) {
console.error(error);
return new Response('Error', { status: 500 });
}
}
| horizon-ui/shadcn-nextjs-boilerplate/app/api/essayAPI/route.ts | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/app/api/essayAPI/route.ts",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 571
} | 22 |
'use client';
import { ThemeProvider as NextThemesProvider } from 'next-themes';
import type { ThemeProviderProps } from 'next-themes/dist/types';
import * as React from 'react';
export function ThemeProvider({ children, ...props }: ThemeProviderProps) {
return <NextThemesProvider {...props}>{children}</NextThemesProvider>;
}
| horizon-ui/shadcn-nextjs-boilerplate/app/theme-provider.tsx | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/app/theme-provider.tsx",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 99
} | 23 |
'use client';
/*eslint-disable*/
import MessageBoxChat from '@/components/MessageBoxChat';
import DashboardLayout from '@/components/layout';
import {
Accordion,
AccordionContent,
AccordionItem,
AccordionTrigger
} from '@/components/ui/accordion';
import { Button } from '@/components/ui/button';
import Bgdark from '@/public/img/dark/ai-chat/bg-image.png';
import Bg from '@/public/img/light/ai-chat/bg-image.png';
import { ChatBody, OpenAIModel } from '@/types/types';
import { User } from '@supabase/supabase-js';
import { useTheme } from 'next-themes';
import { useState } from 'react';
import { HiUser, HiSparkles, HiMiniPencilSquare } from 'react-icons/hi2';
import { Input } from '@/components/ui/input';
interface Props {
user: User | null | undefined;
userDetails: { [x: string]: any } | null;
}
export default function Chat(props: Props) {
const { theme, setTheme } = useTheme();
// *** If you use .env.local variable for your API key, method which we recommend, use the apiKey variable commented below
// Input States
const [inputOnSubmit, setInputOnSubmit] = useState<string>('');
const [inputMessage, setInputMessage] = useState<string>('');
// Response message
const [outputCode, setOutputCode] = useState<string>('');
// ChatGPT model
const [model, setModel] = useState<OpenAIModel>('gpt-3.5-turbo');
// Loading state
const [loading, setLoading] = useState<boolean>(false);
// API Key
const handleTranslate = async () => {
setInputOnSubmit(inputMessage);
// Chat post conditions(maximum number of characters, valid message etc.)
const maxCodeLength = model === 'gpt-3.5-turbo' ? 700 : 700;
if (!inputMessage) {
alert('Please enter your subject.');
return;
}
if (inputMessage.length > maxCodeLength) {
alert(
`Please enter code less than ${maxCodeLength} characters. You are currently at ${inputMessage.length} characters.`
);
return;
}
setOutputCode(' ');
setLoading(true);
const controller = new AbortController();
const body: ChatBody = {
inputMessage,
model
};
// -------------- Fetch --------------
const response = await fetch('/api/chatAPI', {
method: 'POST',
headers: {
'Content-Type': 'application/json'
},
signal: controller.signal,
body: JSON.stringify(body)
});
if (!response.ok) {
setLoading(false);
if (response) {
alert(
'Something went wrong went fetching from the API. Make sure to use a valid API key.'
);
}
return;
}
const data = response.body;
if (!data) {
setLoading(false);
alert('Something went wrong');
return;
}
const reader = data.getReader();
const decoder = new TextDecoder();
let done = false;
while (!done) {
setLoading(true);
const { value, done: doneReading } = await reader.read();
done = doneReading;
const chunkValue = decoder.decode(value);
setOutputCode((prevCode) => prevCode + chunkValue);
}
setLoading(false);
};
// -------------- Copy Response --------------
// const copyToClipboard = (text: string) => {
// const el = document.createElement('textarea');
// el.value = text;
// document.body.appendChild(el);
// el.select();
// document.execCommand('copy');
// document.body.removeChild(el);
// };
const handleChange = (Event: any) => {
setInputMessage(Event.target.value);
};
return (
<DashboardLayout
user={props.user}
userDetails={props.userDetails}
title="AI Generator"
description="AI Generator"
>
<div className="relative flex w-full flex-col pt-[20px] md:pt-0">
<img
width="340"
height="181"
src={theme === 'dark' ? Bgdark.src : Bg.src}
className="absolute left-[20%] top-[50%] z-[0] w-[200px] translate-y-[-50%] md:left-[35%] lg:left-[38%] xl:left-[38%] xl:w-[350px] "
alt=""
/>
<div className="mx-auto flex min-h-[75vh] w-full max-w-[1000px] flex-col xl:min-h-[85vh]">
{/* Model Change */}
<div
className={`flex w-full flex-col ${
outputCode ? 'mb-5' : 'mb-auto'
}`}
>
<div className="z-[2] mx-auto mb-5 flex w-max rounded-lg bg-zinc-100 p-1 dark:bg-zinc-800">
<div
className={`flex cursor-pointer items-center justify-center py-2 transition-all duration-75 ${
model === 'gpt-3.5-turbo'
? 'bg-white dark:bg-zinc-950'
: 'transparent'
} h-[70xp] w-[174px]
${
model === 'gpt-3.5-turbo' ? '' : ''
} rounded-lg text-base font-semibold text-zinc-950 dark:text-white`}
onClick={() => setModel('gpt-3.5-turbo')}
>
GPT-3.5
</div>
<div
className={`flex cursor-pointer items-center justify-center py-2 transition-colors duration-75 ${
model === 'gpt-4-1106-preview'
? 'bg-white dark:bg-zinc-950'
: 'transparent'
} h-[70xp] w-[174px]
${
model === 'gpt-4-1106-preview' ? '' : ''
} rounded-lg text-base font-semibold text-zinc-950 dark:text-white`}
onClick={() => setModel('gpt-4-1106-preview')}
>
GPT-4
</div>
</div>
<Accordion type="multiple" className="w-full">
<AccordionItem
className="z-10 mx-auto my-0 w-max min-w-[150px] border-0 text-zinc-950 dark:text-white"
value="item-1"
>
<AccordionTrigger className="dark:text-white">
<div className="text-center">
<p className="text-sm font-medium text-zinc-950 dark:text-zinc-400">
No plugins added
</p>
</div>
</AccordionTrigger>
<AccordionContent className="dark:text-white">
<p className="text-center text-sm font-medium text-zinc-950 dark:text-zinc-400">
This is a cool text example.
</p>
</AccordionContent>
</AccordionItem>
</Accordion>
</div>
{/* Main Box */}
<div
className={`mx-auto flex w-full flex-col ${
outputCode ? 'flex' : 'hidden'
} mb-auto`}
>
<div className="mb-2.5 flex w-full items-center text-center">
<div className="mr-5 flex h-[40px] min-h-[40px] min-w-[40px] items-center justify-center rounded-full border border-zinc-200 bg-transparent dark:border-transparent dark:bg-white">
<HiUser className="h-4 w-4" />
</div>
<div className="flex w-full">
<div className="me-2.5 flex w-full rounded-lg border border-zinc-200 bg-white/10 p-5 backdrop-blur-xl dark:border-white/10 dark:bg-zinc-950">
<p className="text-sm font-medium leading-6 text-zinc-950 dark:text-white md:text-base md:leading-[26px]">
{inputOnSubmit}
</p>
</div>
<div className="flex w-[70px] cursor-pointer items-center justify-center rounded-lg border border-zinc-200 bg-white/10 p-5 backdrop-blur-xl dark:border-white/10 dark:bg-zinc-950">
<HiMiniPencilSquare className="h-[20px] w-[20px] text-zinc-950 dark:text-white" />
</div>
</div>
</div>
<div className="flex w-full">
<div className="mr-5 flex h-10 min-h-[40px] min-w-[40px] items-center justify-center rounded-full bg-zinc-950 dark:border dark:border-zinc-800">
<HiSparkles className="h-4 w-4 text-white" />
</div>
<MessageBoxChat output={outputCode} />
</div>
</div>
{/* Chat Input */}
<div className="mt-5 flex justify-end">
<Input
className="mr-2.5 h-full min-h-[54px] w-full px-5 py-5 focus:outline-0 dark:border-zinc-800 dark:placeholder:text-zinc-400"
placeholder="Type your message here..."
onChange={handleChange}
/>
<Button
className="mt-auto flex h-[unset] w-[200px] items-center justify-center rounded-lg px-4 py-5 text-base font-medium"
onClick={handleTranslate}
>
Submit
</Button>
</div>
<div className="mt-5 flex flex-col items-center justify-center md:flex-row">
<p className="text-center text-xs text-zinc-500 dark:text-white">
Free Research Preview. ChatGPT may produce inaccurate information
about people, places, or facts. Consider checking important
information.
</p>
</div>
</div>
</div>
</DashboardLayout>
);
}
| horizon-ui/shadcn-nextjs-boilerplate/components/dashboard/ai-chat/index.tsx | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/components/dashboard/ai-chat/index.tsx",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 4295
} | 24 |
'use client';
export const renderTrack = ({ style, ...props }: any) => {
const trackStyle = {
position: 'absolute',
maxWidth: '100%',
transition: 'opacity 200ms ease 0s',
opacity: 0,
background: 'transparent',
bottom: 2,
top: 2,
borderRadius: 3,
right: 0
};
return (
<div style={{ ...style, ...trackStyle }} className="xl:pr-3.5" {...props} />
);
};
export const renderThumb = ({ style, ...props }: any) => {
const thumbStyle = {
borderRadius: 15
};
return <div style={{ ...style, ...thumbStyle }} {...props} />;
};
export const renderView = ({ style, ...props }: any) => {
const viewStyle = {
width: '100%',
marginBottom: -22
};
return (
<div
style={{ ...style, ...viewStyle }}
className="!translate-x-[5.5%] pr-4 xl:!-mr-8 xl:w-[calc(100%_+_20px)]"
{...props}
/>
);
};
| horizon-ui/shadcn-nextjs-boilerplate/components/scrollbar/Scrollbar.tsx | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/components/scrollbar/Scrollbar.tsx",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 367
} | 25 |
// Boolean toggles to determine which auth types are allowed
const allowOauth = true;
const allowEmail = true;
const allowPassword = true;
// Boolean toggle to determine whether auth interface should route through server or client
// (Currently set to false because screen sometimes flickers with server redirects)
const allowServerRedirect = false;
// Check that at least one of allowPassword and allowEmail is true
if (!allowPassword && !allowEmail)
throw new Error('At least one of allowPassword and allowEmail must be true');
export const getAuthTypes = () => {
return { allowOauth, allowEmail, allowPassword };
};
export const getViewTypes = () => {
// Define the valid view types
let viewTypes: string[] = [];
if (allowEmail) {
viewTypes = [...viewTypes, 'email_signin'];
}
if (allowPassword) {
viewTypes = [
...viewTypes,
'password_signin',
'forgot_password',
'update_password',
'signup'
];
}
return viewTypes;
};
export const getDefaultSignInView = (preferredSignInView: string | null) => {
// Define the default sign in view
let defaultView = allowPassword ? 'password_signin' : 'email_signin';
if (preferredSignInView && getViewTypes().includes(preferredSignInView)) {
defaultView = preferredSignInView;
}
return defaultView;
};
export const getRedirectMethod = () => {
return allowServerRedirect ? 'server' : 'client';
};
| horizon-ui/shadcn-nextjs-boilerplate/utils/auth-helpers/settings.ts | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/utils/auth-helpers/settings.ts",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 425
} | 26 |
// Sidebar
export const lineChartDataSidebar = [
{
name: 'Balance',
data: [10, 39, 80, 50, 10],
},
{
name: 'Profit',
data: [20, 60, 30, 40, 20],
},
];
export const lineChartOptionsSidebar = {
chart: {
toolbar: {
show: false,
},
},
markers: {
size: 0,
colors: '#868CFF',
strokeColors: 'white',
strokeWidth: 2,
strokeOpacity: 0.9,
strokeDashArray: 0,
fillOpacity: 1,
shape: 'circle',
radius: 2,
offsetX: 0,
offsetY: 0,
showNullDataPoints: true,
},
tooltip: {
theme: 'dark',
},
dataLabels: {
enabled: false,
},
stroke: {
curve: 'smooth',
type: 'gradient',
},
xaxis: {
categories: ['Sat', 'Sun', 'Mon', 'Tue', 'Wed'],
labels: {
style: {
colors: 'white',
fontSize: '8px',
fontWeight: '500',
},
},
axisBorder: {
show: false,
},
axisTicks: {
show: false,
},
},
yaxis: {
show: false,
},
legend: {
show: false,
},
grid: {
show: false,
column: {
colors: ['transparent'], // takes an array which will be repeated on columns
opacity: 0.5,
},
},
fill: {
type: 'gradient',
gradient: {
type: 'vertical',
shadeIntensity: 0.1,
opacityFrom: 0.3,
opacityTo: 0.9,
colorStops: [
[
{
offset: 0,
color: 'white',
opacity: 1,
},
{
offset: 100,
color: 'white',
opacity: 0,
},
],
[
{
offset: 0,
color: '#6AD2FF',
opacity: 1,
},
{
offset: 100,
color: '#6AD2FF',
opacity: 0.2,
},
],
],
},
},
};
// Sidebar
export const barChartDataSidebar = [
{
name: 'Credits Used',
data: [297, 410, 540, 390, 617, 520, 490],
},
];
export const barChartOptionsSidebar = {
chart: {
toolbar: {
show: false,
},
},
tooltip: {
style: {
fontSize: '12px',
},
onDatasetHover: {
style: {
fontSize: '12px',
},
},
theme: 'dark',
},
xaxis: {
categories: ['Sat', 'Sun', 'Mon', 'Tue', 'Wed', 'Thu', 'Fri'],
show: false,
labels: {
show: true,
style: {
colors: '#FFFFFF',
fontSize: '12px',
fontWeight: '500',
},
},
axisBorder: {
show: false,
},
axisTicks: {
show: false,
},
},
yaxis: {
show: false,
color: 'black',
labels: {
show: true,
style: {
colors: '#CBD5E0',
fontSize: '12px',
},
},
},
grid: {
show: false,
strokeDashArray: 5,
yaxis: {
lines: {
show: true,
},
},
xaxis: {
lines: {
show: false,
},
},
},
fill: {
type: 'solid',
colors: ['#FFFFFF'],
opacity: 1,
},
dataLabels: {
enabled: false,
},
plotOptions: {
bar: {
borderRadius: 8,
columnWidth: '40px',
},
},
};
// Project Default Dashboards Default
export const lineChartDataUsage = [
{
name: 'Credits Used',
data: [
7420, 6504, 8342, 6024, 9592, 10294, 8842, 11695, 10423, 12045, 12494,
16642,
],
},
];
export const lineChartOptionsUsage = {
chart: {
toolbar: {
show: false,
},
dropShadow: {
enabled: true,
top: 13,
left: 0,
blur: 10,
opacity: 0.1,
color: '#09090B',
},
},
colors: ['#09090B'],
markers: {
size: 0,
colors: 'white',
strokeColors: '#09090B',
strokeWidth: 2,
strokeOpacity: 0.9,
strokeDashArray: 0,
fillOpacity: 1,
shape: 'circle',
radius: 2,
offsetX: 0,
offsetY: 0,
showNullDataPoints: true,
},
tooltip: {
theme: 'dark',
},
dataLabels: {
enabled: false,
},
stroke: {
curve: 'smooth',
type: 'gradient',
},
xaxis: {
categories: [
'SEP',
'OCT',
'NOV',
'DEC',
'JAN',
'FEB',
'MAR',
'APR',
'MAY',
'JUN',
'JUL',
'AUG',
],
labels: {
style: {
colors: '#71717A',
fontSize: '14px',
fontWeight: '500',
},
},
axisBorder: {
show: false,
},
axisTicks: {
show: false,
},
},
yaxis: {
show: false,
},
legend: {
show: false,
},
dropShadow: {
enabled: true,
top: 0,
left: 0,
blur: 3,
opacity: 0.5,
},
grid: {
show: false,
column: {
colors: ['transparent'], // takes an array which will be repeated on columns
opacity: 0.5,
},
},
};
// Overall Revenue Dashboards Default
export const lineChartDataMain = [
{
name: 'Revenue',
data: [50, 40, 70, 30, 80, 60, 90, 140, 70, 90, 70, 140],
},
];
export const lineChartOptionsMain = {
chart: {
toolbar: {
show: false,
},
dropShadow: {
enabled: true,
top: 13,
left: 0,
blur: 10,
opacity: 0.1,
},
},
colors: ['var(--chart)' ],
markers: {
size: 0,
colors: 'white',
strokeColors: '#71717A',
strokeWidth: 3,
strokeOpacity: 0.9,
strokeDashArray: 0,
fillOpacity: 1,
shape: 'circle',
radius: 2,
offsetX: 0,
offsetY: 0,
showNullDataPoints: true,
},
tooltip: {
theme: 'dark',
},
dataLabels: {
enabled: false,
},
stroke: {
curve: 'smooth',
type: 'line',
},
xaxis: {
categories: ['SEP', 'OCT', 'NOV', 'DEC', 'JAN', 'FEB', 'MAR', 'APR', 'MAY', 'JUN', 'JUL', 'AUG'],
labels: {
style: {
colors: '#71717A',
fontSize: '12px',
fontWeight: '600',
},
},
axisBorder: {
show: false,
},
axisTicks: {
show: false,
},
},
yaxis: {
show: false,
},
legend: {
show: false,
},
grid: {
show: false,
column: {
color: ['#71717A', '#39B8FF'],
opacity: 0.5,
},
},
color: ['#71717A', '#39B8FF'],
}; | horizon-ui/shadcn-nextjs-boilerplate/variables/charts.ts | {
"file_path": "horizon-ui/shadcn-nextjs-boilerplate/variables/charts.ts",
"repo_id": "horizon-ui/shadcn-nextjs-boilerplate",
"token_count": 2368
} | 27 |
import { useTranslations } from 'next-intl';
import { buttonVariants } from '@/components/ui/buttonVariants';
import { MessageState } from '@/features/dashboard/MessageState';
import { TitleBar } from '@/features/dashboard/TitleBar';
const DashboardIndexPage = () => {
const t = useTranslations('DashboardIndex');
return (
<>
<TitleBar
title={t('title_bar')}
description={t('title_bar_description')}
/>
<MessageState
icon={(
<svg
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('message_state_title')}
description={t.rich('message_state_description', {
code: chunks => (
<code className="bg-secondary text-secondary-foreground">
{chunks}
</code>
),
})}
button={(
<a
className={buttonVariants({ size: 'lg' })}
href="https://nextjs-boilerplate.com/pro-saas-starter-kit"
>
{t('message_state_button')}
</a>
)}
/>
</>
);
};
export default DashboardIndexPage;
| ixartz/SaaS-Boilerplate/src/app/[locale]/(auth)/dashboard/page.tsx | {
"file_path": "ixartz/SaaS-Boilerplate/src/app/[locale]/(auth)/dashboard/page.tsx",
"repo_id": "ixartz/SaaS-Boilerplate",
"token_count": 727
} | 28 |
'use client';
import * as AccordionPrimitive from '@radix-ui/react-accordion';
import { ChevronRight } from 'lucide-react';
import * as React from 'react';
import { cn } from '@/utils/Helpers';
const Accordion = AccordionPrimitive.Root;
const AccordionItem = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Item>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Item>
>(({ className, ...props }, ref) => (
<AccordionPrimitive.Item
ref={ref}
className={cn('border-b', className)}
{...props}
/>
));
AccordionItem.displayName = 'AccordionItem';
const AccordionTrigger = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Trigger>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Trigger>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Header className="flex">
<AccordionPrimitive.Trigger
ref={ref}
className={cn(
'flex flex-1 items-center justify-between py-5 text-left text-lg font-medium transition-all hover:no-underline [&[data-state=open]>svg]:rotate-90',
className,
)}
{...props}
>
{children}
<ChevronRight className="size-4 shrink-0 transition-transform duration-200" />
</AccordionPrimitive.Trigger>
</AccordionPrimitive.Header>
));
AccordionTrigger.displayName = AccordionPrimitive.Trigger.displayName;
const AccordionContent = React.forwardRef<
React.ElementRef<typeof AccordionPrimitive.Content>,
React.ComponentPropsWithoutRef<typeof AccordionPrimitive.Content>
>(({ className, children, ...props }, ref) => (
<AccordionPrimitive.Content
ref={ref}
className="overflow-hidden text-base text-muted-foreground transition-all data-[state=closed]:animate-accordion-up data-[state=open]:animate-accordion-down"
{...props}
>
<div className={cn('pb-5 pt-0', className)}>{children}</div>
</AccordionPrimitive.Content>
));
AccordionContent.displayName = AccordionPrimitive.Content.displayName;
export { Accordion, AccordionContent, AccordionItem, AccordionTrigger };
| ixartz/SaaS-Boilerplate/src/components/ui/accordion.tsx | {
"file_path": "ixartz/SaaS-Boilerplate/src/components/ui/accordion.tsx",
"repo_id": "ixartz/SaaS-Boilerplate",
"token_count": 714
} | 29 |
import { useTranslations } from 'next-intl';
import { PricingCard } from '@/features/billing/PricingCard';
import { PricingFeature } from '@/features/billing/PricingFeature';
import type { PlanId } from '@/types/Subscription';
import { PricingPlanList } from '@/utils/AppConfig';
export const PricingInformation = (props: {
buttonList: Record<PlanId, React.ReactNode>;
}) => {
const t = useTranslations('PricingPlan');
return (
<div className="grid grid-cols-1 gap-x-6 gap-y-8 md:grid-cols-3">
{PricingPlanList.map(plan => (
<PricingCard
key={plan.id}
planId={plan.id}
price={plan.price}
interval={plan.interval}
button={props.buttonList[plan.id]}
>
<PricingFeature>
{t('feature_team_member', {
number: plan.features.teamMember,
})}
</PricingFeature>
<PricingFeature>
{t('feature_website', {
number: plan.features.website,
})}
</PricingFeature>
<PricingFeature>
{t('feature_storage', {
number: plan.features.storage,
})}
</PricingFeature>
<PricingFeature>
{t('feature_transfer', {
number: plan.features.transfer,
})}
</PricingFeature>
<PricingFeature>{t('feature_email_support')}</PricingFeature>
</PricingCard>
))}
</div>
);
};
| ixartz/SaaS-Boilerplate/src/features/billing/PricingInformation.tsx | {
"file_path": "ixartz/SaaS-Boilerplate/src/features/billing/PricingInformation.tsx",
"repo_id": "ixartz/SaaS-Boilerplate",
"token_count": 724
} | 30 |
import * as Sentry from '@sentry/nextjs';
export async function register() {
if (process.env.NEXT_RUNTIME === 'nodejs') {
// Node.js Sentry configuration
Sentry.init({
// Sentry DSN
dsn: process.env.NEXT_PUBLIC_SENTRY_DSN,
// Enable Spotlight in development
spotlight: process.env.NODE_ENV === 'development',
// Adjust this value in production, or use tracesSampler for greater control
tracesSampleRate: 1,
// Setting this option to true will print useful information to the console while you're setting up Sentry.
debug: false,
});
}
if (process.env.NEXT_RUNTIME === 'edge') {
// Edge Sentry configuration
Sentry.init({
// Sentry DSN
dsn: process.env.NEXT_PUBLIC_SENTRY_DSN,
// Enable Spotlight in development
spotlight: process.env.NODE_ENV === 'development',
// Adjust this value in production, or use tracesSampler for greater control
tracesSampleRate: 1,
// Setting this option to true will print useful information to the console while you're setting up Sentry.
debug: false,
});
}
}
| ixartz/SaaS-Boilerplate/src/instrumentation.ts | {
"file_path": "ixartz/SaaS-Boilerplate/src/instrumentation.ts",
"repo_id": "ixartz/SaaS-Boilerplate",
"token_count": 396
} | 31 |
Subsets and Splits