mirror of
https://github.com/documenso/documenso.git
synced 2025-11-13 08:13:56 +10:00
feat: create a banner with custom text by admin
This commit is contained in:
119
apps/web/src/app/(dashboard)/admin/banner/banner-form.tsx
Normal file
119
apps/web/src/app/(dashboard)/admin/banner/banner-form.tsx
Normal file
@ -0,0 +1,119 @@
|
|||||||
|
'use client';
|
||||||
|
|
||||||
|
import { useRouter } from 'next/navigation';
|
||||||
|
|
||||||
|
import { zodResolver } from '@hookform/resolvers/zod';
|
||||||
|
import { useForm } from 'react-hook-form';
|
||||||
|
import { z } from 'zod';
|
||||||
|
|
||||||
|
import { TRPCClientError } from '@documenso/trpc/client';
|
||||||
|
import { trpc as trpcReact } from '@documenso/trpc/react';
|
||||||
|
import { Button } from '@documenso/ui/primitives/button';
|
||||||
|
import {
|
||||||
|
Form,
|
||||||
|
FormControl,
|
||||||
|
FormDescription,
|
||||||
|
FormField,
|
||||||
|
FormItem,
|
||||||
|
FormLabel,
|
||||||
|
FormMessage,
|
||||||
|
} from '@documenso/ui/primitives/form/form';
|
||||||
|
import { Switch } from '@documenso/ui/primitives/switch';
|
||||||
|
import { Textarea } from '@documenso/ui/primitives/textarea';
|
||||||
|
import { useToast } from '@documenso/ui/primitives/use-toast';
|
||||||
|
|
||||||
|
const ZBannerSchema = z.object({
|
||||||
|
text: z.string().optional(),
|
||||||
|
show: z.boolean().optional(),
|
||||||
|
});
|
||||||
|
|
||||||
|
type TBannerSchema = z.infer<typeof ZBannerSchema>;
|
||||||
|
|
||||||
|
export function BannerForm({ show, text }: TBannerSchema) {
|
||||||
|
const router = useRouter();
|
||||||
|
const { toast } = useToast();
|
||||||
|
|
||||||
|
const form = useForm<TBannerSchema>({
|
||||||
|
resolver: zodResolver(ZBannerSchema),
|
||||||
|
defaultValues: {
|
||||||
|
show,
|
||||||
|
text,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
const { mutateAsync: updateBanner, isLoading: isUpdatingBanner } =
|
||||||
|
trpcReact.banner.updateBanner.useMutation();
|
||||||
|
|
||||||
|
const onBannerUpdate = async ({ show, text }: TBannerSchema) => {
|
||||||
|
try {
|
||||||
|
await updateBanner({
|
||||||
|
show,
|
||||||
|
text,
|
||||||
|
});
|
||||||
|
|
||||||
|
toast({
|
||||||
|
title: 'Banner Updated',
|
||||||
|
description: 'Your banner has been updated successfully.',
|
||||||
|
duration: 5000,
|
||||||
|
});
|
||||||
|
|
||||||
|
router.refresh();
|
||||||
|
} catch (err) {
|
||||||
|
if (err instanceof TRPCClientError && err.data?.code === 'BAD_REQUEST') {
|
||||||
|
toast({
|
||||||
|
title: 'An error occurred',
|
||||||
|
description: err.message,
|
||||||
|
variant: 'destructive',
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
toast({
|
||||||
|
title: 'An unknown error occurred',
|
||||||
|
variant: 'destructive',
|
||||||
|
description:
|
||||||
|
'We encountered an unknown error while attempting to reset your password. Please try again later.',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
return (
|
||||||
|
<Form {...form}>
|
||||||
|
<form className="flex flex-col" onSubmit={form.handleSubmit(onBannerUpdate)}>
|
||||||
|
<FormField
|
||||||
|
control={form.control}
|
||||||
|
name="show"
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormItem className="flex flex-row items-center justify-between rounded-lg border p-3 shadow-sm">
|
||||||
|
<div className="space-y-0.5">
|
||||||
|
<FormLabel>Show Banner</FormLabel>
|
||||||
|
<FormDescription>Show a banner to the users by the admin</FormDescription>
|
||||||
|
</div>
|
||||||
|
<FormControl>
|
||||||
|
<Switch checked={field.value} onCheckedChange={field.onChange} />
|
||||||
|
</FormControl>
|
||||||
|
</FormItem>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
|
||||||
|
<FormField
|
||||||
|
control={form.control}
|
||||||
|
name="text"
|
||||||
|
render={({ field }) => (
|
||||||
|
<FormItem className="mt-8">
|
||||||
|
<FormLabel className="text-base ">Banner Text</FormLabel>
|
||||||
|
<FormControl>
|
||||||
|
<Textarea placeholder="Text to show to users" className="resize-none" {...field} />
|
||||||
|
</FormControl>
|
||||||
|
|
||||||
|
<FormMessage />
|
||||||
|
</FormItem>
|
||||||
|
)}
|
||||||
|
/>
|
||||||
|
|
||||||
|
<Button type="submit" loading={isUpdatingBanner} className="mt-3 justify-end self-end">
|
||||||
|
Update Banner
|
||||||
|
</Button>
|
||||||
|
</form>
|
||||||
|
</Form>
|
||||||
|
);
|
||||||
|
}
|
||||||
15
apps/web/src/app/(dashboard)/admin/banner/page.tsx
Normal file
15
apps/web/src/app/(dashboard)/admin/banner/page.tsx
Normal file
@ -0,0 +1,15 @@
|
|||||||
|
import { getBanner } from '@documenso/lib/server-only/banner/get-banner';
|
||||||
|
|
||||||
|
import { BannerForm } from './banner-form';
|
||||||
|
|
||||||
|
export default async function AdminBannerPage() {
|
||||||
|
const banner = await getBanner();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div className="space-y-8">
|
||||||
|
<h2 className="text-4xl font-semibold">Banner</h2>
|
||||||
|
|
||||||
|
<BannerForm show={banner?.show ?? false} text={banner?.text ?? ''} />
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
}
|
||||||
@ -1,11 +1,11 @@
|
|||||||
'use client';
|
'use client';
|
||||||
|
|
||||||
import { HTMLAttributes } from 'react';
|
import type { HTMLAttributes } from 'react';
|
||||||
|
|
||||||
import Link from 'next/link';
|
import Link from 'next/link';
|
||||||
import { usePathname } from 'next/navigation';
|
import { usePathname } from 'next/navigation';
|
||||||
|
|
||||||
import { BarChart3, FileStack, User2, Wallet2 } from 'lucide-react';
|
import { BadgeAlert, BarChart3, FileStack, User2, Wallet2 } from 'lucide-react';
|
||||||
|
|
||||||
import { cn } from '@documenso/ui/lib/utils';
|
import { cn } from '@documenso/ui/lib/utils';
|
||||||
import { Button } from '@documenso/ui/primitives/button';
|
import { Button } from '@documenso/ui/primitives/button';
|
||||||
@ -78,6 +78,20 @@ export const AdminNav = ({ className, ...props }: AdminNavProps) => {
|
|||||||
Subscriptions
|
Subscriptions
|
||||||
</Link>
|
</Link>
|
||||||
</Button>
|
</Button>
|
||||||
|
|
||||||
|
<Button
|
||||||
|
variant="ghost"
|
||||||
|
className={cn(
|
||||||
|
'justify-start md:w-full',
|
||||||
|
pathname?.startsWith('/admin/banner') && 'bg-secondary',
|
||||||
|
)}
|
||||||
|
asChild
|
||||||
|
>
|
||||||
|
<Link href="/admin/banner">
|
||||||
|
<BadgeAlert className="mr-2 h-5 w-5" />
|
||||||
|
Banner
|
||||||
|
</Link>
|
||||||
|
</Button>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
|
|||||||
@ -9,6 +9,7 @@ import { NEXT_AUTH_OPTIONS } from '@documenso/lib/next-auth/auth-options';
|
|||||||
import { getRequiredServerComponentSession } from '@documenso/lib/next-auth/get-server-component-session';
|
import { getRequiredServerComponentSession } from '@documenso/lib/next-auth/get-server-component-session';
|
||||||
import { getTeams } from '@documenso/lib/server-only/team/get-teams';
|
import { getTeams } from '@documenso/lib/server-only/team/get-teams';
|
||||||
|
|
||||||
|
import { Banner } from '~/components/(dashboard)/layout/banner';
|
||||||
import { Header } from '~/components/(dashboard)/layout/header';
|
import { Header } from '~/components/(dashboard)/layout/header';
|
||||||
import { VerifyEmailBanner } from '~/components/(dashboard)/layout/verify-email-banner';
|
import { VerifyEmailBanner } from '~/components/(dashboard)/layout/verify-email-banner';
|
||||||
import { RefreshOnFocus } from '~/components/(dashboard)/refresh-on-focus/refresh-on-focus';
|
import { RefreshOnFocus } from '~/components/(dashboard)/refresh-on-focus/refresh-on-focus';
|
||||||
@ -37,6 +38,8 @@ export default async function AuthenticatedDashboardLayout({
|
|||||||
<LimitsProvider>
|
<LimitsProvider>
|
||||||
{!user.emailVerified && <VerifyEmailBanner email={user.email} />}
|
{!user.emailVerified && <VerifyEmailBanner email={user.email} />}
|
||||||
|
|
||||||
|
<Banner />
|
||||||
|
|
||||||
<Header user={user} teams={teams} />
|
<Header user={user} teams={teams} />
|
||||||
|
|
||||||
<main className="mt-8 pb-8 md:mt-12 md:pb-12">{children}</main>
|
<main className="mt-8 pb-8 md:mt-12 md:pb-12">{children}</main>
|
||||||
|
|||||||
21
apps/web/src/components/(dashboard)/layout/banner.tsx
Normal file
21
apps/web/src/components/(dashboard)/layout/banner.tsx
Normal file
@ -0,0 +1,21 @@
|
|||||||
|
import { getBanner } from '@documenso/lib/server-only/banner/get-banner';
|
||||||
|
|
||||||
|
export const Banner = async () => {
|
||||||
|
const banner = await getBanner();
|
||||||
|
|
||||||
|
return (
|
||||||
|
<>
|
||||||
|
{banner && banner.show && (
|
||||||
|
<div className="bg-documenso-200 dark:bg-documenso-400">
|
||||||
|
<div className="text-documenso-900 mx-auto flex h-auto max-w-screen-xl items-center justify-center px-4 py-3 text-sm font-medium">
|
||||||
|
<div className="flex items-center">{banner.text}</div>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
// Banner
|
||||||
|
// Custom Text
|
||||||
|
// Custom Text with Custom Icon
|
||||||
@ -1,5 +1,5 @@
|
|||||||
import { prisma } from '@documenso/prisma';
|
import { prisma } from '@documenso/prisma';
|
||||||
import { Role } from '@documenso/prisma/client';
|
import type { Role } from '@documenso/prisma/client';
|
||||||
|
|
||||||
export type UpdateUserOptions = {
|
export type UpdateUserOptions = {
|
||||||
id: number;
|
id: number;
|
||||||
|
|||||||
11
packages/lib/server-only/banner/get-banner.ts
Normal file
11
packages/lib/server-only/banner/get-banner.ts
Normal file
@ -0,0 +1,11 @@
|
|||||||
|
'use server';
|
||||||
|
|
||||||
|
import { prisma } from '@documenso/prisma';
|
||||||
|
|
||||||
|
export const getBanner = async () => {
|
||||||
|
return await prisma.banner.findUnique({
|
||||||
|
where: {
|
||||||
|
id: 1,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
};
|
||||||
28
packages/lib/server-only/banner/upsert-banner.ts
Normal file
28
packages/lib/server-only/banner/upsert-banner.ts
Normal file
@ -0,0 +1,28 @@
|
|||||||
|
'use server';
|
||||||
|
|
||||||
|
import { prisma } from '@documenso/prisma';
|
||||||
|
import { Role } from '@documenso/prisma/client';
|
||||||
|
|
||||||
|
export type UpdateUserOptions = {
|
||||||
|
userId: number;
|
||||||
|
show?: boolean;
|
||||||
|
text?: string | undefined;
|
||||||
|
};
|
||||||
|
|
||||||
|
export const upsertBanner = async ({ userId, show, text }: UpdateUserOptions) => {
|
||||||
|
const user = await prisma.user.findUnique({
|
||||||
|
where: {
|
||||||
|
id: userId,
|
||||||
|
},
|
||||||
|
});
|
||||||
|
|
||||||
|
if (!user?.roles.includes(Role.ADMIN)) {
|
||||||
|
throw Error('You are unauthorised to perform this action');
|
||||||
|
}
|
||||||
|
|
||||||
|
return await prisma.banner.upsert({
|
||||||
|
where: { id: 1, user: {} },
|
||||||
|
update: { show, text },
|
||||||
|
create: { show, text: text ?? '' },
|
||||||
|
});
|
||||||
|
};
|
||||||
@ -0,0 +1,12 @@
|
|||||||
|
-- CreateTable
|
||||||
|
CREATE TABLE "Banner" (
|
||||||
|
"id" SERIAL NOT NULL,
|
||||||
|
"text" TEXT NOT NULL,
|
||||||
|
"customHTML" TEXT NOT NULL,
|
||||||
|
"userId" INTEGER,
|
||||||
|
|
||||||
|
CONSTRAINT "Banner_pkey" PRIMARY KEY ("id")
|
||||||
|
);
|
||||||
|
|
||||||
|
-- AddForeignKey
|
||||||
|
ALTER TABLE "Banner" ADD CONSTRAINT "Banner_userId_fkey" FOREIGN KEY ("userId") REFERENCES "User"("id") ON DELETE SET NULL ON UPDATE CASCADE;
|
||||||
@ -0,0 +1,2 @@
|
|||||||
|
-- AlterTable
|
||||||
|
ALTER TABLE "Banner" ADD COLUMN "show" BOOLEAN NOT NULL DEFAULT false;
|
||||||
@ -0,0 +1,8 @@
|
|||||||
|
/*
|
||||||
|
Warnings:
|
||||||
|
|
||||||
|
- You are about to drop the column `customHTML` on the `Banner` table. All the data in the column will be lost.
|
||||||
|
|
||||||
|
*/
|
||||||
|
-- AlterTable
|
||||||
|
ALTER TABLE "Banner" DROP COLUMN "customHTML";
|
||||||
@ -47,6 +47,7 @@ model User {
|
|||||||
VerificationToken VerificationToken[]
|
VerificationToken VerificationToken[]
|
||||||
Template Template[]
|
Template Template[]
|
||||||
securityAuditLogs UserSecurityAuditLog[]
|
securityAuditLogs UserSecurityAuditLog[]
|
||||||
|
Banner Banner[]
|
||||||
|
|
||||||
@@index([email])
|
@@index([email])
|
||||||
}
|
}
|
||||||
@ -210,15 +211,15 @@ model DocumentData {
|
|||||||
}
|
}
|
||||||
|
|
||||||
model DocumentMeta {
|
model DocumentMeta {
|
||||||
id String @id @default(cuid())
|
id String @id @default(cuid())
|
||||||
subject String?
|
subject String?
|
||||||
message String?
|
message String?
|
||||||
timezone String? @default("Etc/UTC") @db.Text
|
timezone String? @default("Etc/UTC") @db.Text
|
||||||
password String?
|
password String?
|
||||||
dateFormat String? @default("yyyy-MM-dd hh:mm a") @db.Text
|
dateFormat String? @default("yyyy-MM-dd hh:mm a") @db.Text
|
||||||
documentId Int @unique
|
documentId Int @unique
|
||||||
document Document @relation(fields: [documentId], references: [id], onDelete: Cascade)
|
document Document @relation(fields: [documentId], references: [id], onDelete: Cascade)
|
||||||
redirectUrl String?
|
redirectUrl String?
|
||||||
}
|
}
|
||||||
|
|
||||||
enum ReadStatus {
|
enum ReadStatus {
|
||||||
@ -450,3 +451,11 @@ model Template {
|
|||||||
|
|
||||||
@@unique([templateDocumentDataId])
|
@@unique([templateDocumentDataId])
|
||||||
}
|
}
|
||||||
|
|
||||||
|
model Banner {
|
||||||
|
id Int @id @default(autoincrement())
|
||||||
|
text String
|
||||||
|
show Boolean @default(false)
|
||||||
|
user User? @relation(fields: [userId], references: [id])
|
||||||
|
userId Int?
|
||||||
|
}
|
||||||
|
|||||||
27
packages/trpc/server/banner-router/router.ts
Normal file
27
packages/trpc/server/banner-router/router.ts
Normal file
@ -0,0 +1,27 @@
|
|||||||
|
import { TRPCError } from '@trpc/server';
|
||||||
|
|
||||||
|
import { upsertBanner } from '@documenso/lib/server-only/banner/upsert-banner';
|
||||||
|
|
||||||
|
import { adminProcedure, router } from '../trpc';
|
||||||
|
import { ZCreateBannerByAdminSchema } from './schema';
|
||||||
|
|
||||||
|
export const bannerRouter = router({
|
||||||
|
updateBanner: adminProcedure
|
||||||
|
.input(ZCreateBannerByAdminSchema)
|
||||||
|
.mutation(async ({ input, ctx }) => {
|
||||||
|
const { show, text } = input;
|
||||||
|
|
||||||
|
try {
|
||||||
|
return await upsertBanner({
|
||||||
|
userId: ctx.user.id,
|
||||||
|
show,
|
||||||
|
text,
|
||||||
|
});
|
||||||
|
} catch (err) {
|
||||||
|
throw new TRPCError({
|
||||||
|
code: 'BAD_REQUEST',
|
||||||
|
message: 'We were unable to update your banner. Please try again.',
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}),
|
||||||
|
});
|
||||||
8
packages/trpc/server/banner-router/schema.ts
Normal file
8
packages/trpc/server/banner-router/schema.ts
Normal file
@ -0,0 +1,8 @@
|
|||||||
|
import z from 'zod';
|
||||||
|
|
||||||
|
export const ZCreateBannerByAdminSchema = z.object({
|
||||||
|
text: z.string().optional(),
|
||||||
|
show: z.boolean().optional(),
|
||||||
|
});
|
||||||
|
|
||||||
|
export type TCreateBannerByAdminSchema = z.infer<typeof ZCreateBannerByAdminSchema>;
|
||||||
@ -1,5 +1,6 @@
|
|||||||
import { adminRouter } from './admin-router/router';
|
import { adminRouter } from './admin-router/router';
|
||||||
import { authRouter } from './auth-router/router';
|
import { authRouter } from './auth-router/router';
|
||||||
|
import { bannerRouter } from './banner-router/router';
|
||||||
import { cryptoRouter } from './crypto/router';
|
import { cryptoRouter } from './crypto/router';
|
||||||
import { documentRouter } from './document-router/router';
|
import { documentRouter } from './document-router/router';
|
||||||
import { fieldRouter } from './field-router/router';
|
import { fieldRouter } from './field-router/router';
|
||||||
@ -14,6 +15,7 @@ import { twoFactorAuthenticationRouter } from './two-factor-authentication-route
|
|||||||
|
|
||||||
export const appRouter = router({
|
export const appRouter = router({
|
||||||
auth: authRouter,
|
auth: authRouter,
|
||||||
|
banner: bannerRouter,
|
||||||
crypto: cryptoRouter,
|
crypto: cryptoRouter,
|
||||||
profile: profileRouter,
|
profile: profileRouter,
|
||||||
document: documentRouter,
|
document: documentRouter,
|
||||||
|
|||||||
Reference in New Issue
Block a user