mirror change from https://github.com/binhkid2/FullStack-Blog-Nestjs-Nextjs-Postgres
This commit is contained in:
203
frontend/components/dashboard/image-uploader.tsx
Normal file
203
frontend/components/dashboard/image-uploader.tsx
Normal file
@@ -0,0 +1,203 @@
|
||||
"use client";
|
||||
|
||||
import { useCallback, useRef, useState } from "react";
|
||||
import { toast } from "sonner";
|
||||
import { Button } from "@/components/ui/button";
|
||||
import { Input } from "@/components/ui/input";
|
||||
import { Label } from "@/components/ui/label";
|
||||
import { Loader2, Upload, X, ImageIcon } from "lucide-react";
|
||||
import type { UploadImageResponse } from "@/app/api/upload-image/route";
|
||||
|
||||
interface Props {
|
||||
/** Current image URL (controlled) */
|
||||
value?: string;
|
||||
/** Called when a new image URL is ready (after upload) or cleared (empty string) */
|
||||
onChange: (url: string) => void;
|
||||
/** Alt text value */
|
||||
altValue?: string;
|
||||
/** Called when alt text changes */
|
||||
onAltChange?: (alt: string) => void;
|
||||
/** Label shown above the dropzone */
|
||||
label?: string;
|
||||
}
|
||||
|
||||
const ACCEPTED = "image/jpeg,image/png,image/gif,image/webp,image/svg+xml,image/avif";
|
||||
|
||||
export function ImageUploader({
|
||||
value,
|
||||
onChange,
|
||||
altValue = "",
|
||||
onAltChange,
|
||||
label = "Featured Image",
|
||||
}: Props) {
|
||||
const [uploading, setUploading] = useState(false);
|
||||
const [dragOver, setDragOver] = useState(false);
|
||||
const fileInputRef = useRef<HTMLInputElement>(null);
|
||||
|
||||
const uploadFile = useCallback(
|
||||
async (file: File) => {
|
||||
setUploading(true);
|
||||
try {
|
||||
const fd = new FormData();
|
||||
fd.append("file", file);
|
||||
|
||||
const res = await fetch("/api/upload-image", {
|
||||
method: "POST",
|
||||
body: fd,
|
||||
});
|
||||
|
||||
const data = (await res.json()) as UploadImageResponse & { error?: string };
|
||||
|
||||
if (!res.ok || !data.success) {
|
||||
throw new Error(data.error || "Upload failed");
|
||||
}
|
||||
|
||||
onChange(data.url);
|
||||
toast.success("Image uploaded successfully!");
|
||||
} catch (err) {
|
||||
toast.error(err instanceof Error ? err.message : "Upload failed");
|
||||
} finally {
|
||||
setUploading(false);
|
||||
}
|
||||
},
|
||||
[onChange]
|
||||
);
|
||||
|
||||
// ── Drag & Drop handlers ───────────────────────────────────────────────────
|
||||
const handleDragOver = (e: React.DragEvent) => {
|
||||
e.preventDefault();
|
||||
setDragOver(true);
|
||||
};
|
||||
|
||||
const handleDragLeave = () => setDragOver(false);
|
||||
|
||||
const handleDrop = (e: React.DragEvent) => {
|
||||
e.preventDefault();
|
||||
setDragOver(false);
|
||||
const file = e.dataTransfer.files[0];
|
||||
if (file) uploadFile(file);
|
||||
};
|
||||
|
||||
// ── File input change ──────────────────────────────────────────────────────
|
||||
const handleFileChange = (e: React.ChangeEvent<HTMLInputElement>) => {
|
||||
const file = e.target.files?.[0];
|
||||
if (file) {
|
||||
uploadFile(file);
|
||||
// Reset so the same file can be re-selected if removed
|
||||
e.target.value = "";
|
||||
}
|
||||
};
|
||||
|
||||
const handleRemove = () => {
|
||||
onChange("");
|
||||
onAltChange?.("");
|
||||
};
|
||||
|
||||
return (
|
||||
<div className="space-y-2">
|
||||
<Label>{label}</Label>
|
||||
|
||||
{value ? (
|
||||
/* ── Preview ──────────────────────────────────────────────────────── */
|
||||
<div className="relative rounded-xl overflow-hidden border bg-muted">
|
||||
{/* Plain <img> — domain is dynamic (R2/custom), avoids next/image remotePatterns config */}
|
||||
{/* eslint-disable-next-line @next/next/no-img-element */}
|
||||
<img
|
||||
src={value}
|
||||
alt={altValue || "Featured image preview"}
|
||||
className="aspect-video w-full object-cover"
|
||||
/>
|
||||
|
||||
{/* Overlay — Replace / Remove actions */}
|
||||
<div className="absolute inset-0 flex items-center justify-center gap-2 bg-black/40 opacity-0 hover:opacity-100 transition-opacity">
|
||||
<Button
|
||||
type="button"
|
||||
size="sm"
|
||||
variant="secondary"
|
||||
onClick={() => fileInputRef.current?.click()}
|
||||
disabled={uploading}
|
||||
>
|
||||
{uploading ? (
|
||||
<Loader2 className="h-4 w-4 animate-spin" />
|
||||
) : (
|
||||
<Upload className="h-4 w-4" />
|
||||
)}
|
||||
<span className="ml-1.5">Replace</span>
|
||||
</Button>
|
||||
<Button
|
||||
type="button"
|
||||
size="sm"
|
||||
variant="destructive"
|
||||
onClick={handleRemove}
|
||||
disabled={uploading}
|
||||
>
|
||||
<X className="h-4 w-4" />
|
||||
<span className="ml-1.5">Remove</span>
|
||||
</Button>
|
||||
</div>
|
||||
|
||||
{uploading && (
|
||||
<div className="absolute inset-0 flex items-center justify-center bg-black/50">
|
||||
<Loader2 className="h-8 w-8 animate-spin text-white" />
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
) : (
|
||||
/* ── Dropzone ─────────────────────────────────────────────────────── */
|
||||
<button
|
||||
type="button"
|
||||
onClick={() => fileInputRef.current?.click()}
|
||||
onDragOver={handleDragOver}
|
||||
onDragLeave={handleDragLeave}
|
||||
onDrop={handleDrop}
|
||||
disabled={uploading}
|
||||
className={`
|
||||
w-full rounded-xl border-2 border-dashed p-8
|
||||
flex flex-col items-center justify-center gap-2
|
||||
text-sm text-muted-foreground transition-colors cursor-pointer
|
||||
hover:border-primary/50 hover:bg-muted/40
|
||||
focus:outline-none focus-visible:ring-2 focus-visible:ring-ring
|
||||
disabled:cursor-not-allowed disabled:opacity-60
|
||||
${dragOver ? "border-primary bg-primary/5" : "border-border"}
|
||||
`}
|
||||
>
|
||||
{uploading ? (
|
||||
<>
|
||||
<Loader2 className="h-8 w-8 animate-spin text-primary" />
|
||||
<span>Uploading…</span>
|
||||
</>
|
||||
) : (
|
||||
<>
|
||||
<ImageIcon className="h-8 w-8 opacity-40" />
|
||||
<span className="font-medium">
|
||||
{dragOver ? "Drop to upload" : "Click or drag an image here"}
|
||||
</span>
|
||||
<span className="text-xs opacity-70">
|
||||
JPEG · PNG · GIF · WebP · SVG · AVIF — max 10 MB
|
||||
</span>
|
||||
</>
|
||||
)}
|
||||
</button>
|
||||
)}
|
||||
|
||||
{/* Hidden file input */}
|
||||
<input
|
||||
ref={fileInputRef}
|
||||
type="file"
|
||||
accept={ACCEPTED}
|
||||
className="hidden"
|
||||
onChange={handleFileChange}
|
||||
/>
|
||||
|
||||
{/* Alt text field — always shown */}
|
||||
<div className="space-y-1">
|
||||
<Label className="text-xs text-muted-foreground">Image alt text</Label>
|
||||
<Input
|
||||
placeholder="Describe the image for accessibility…"
|
||||
value={altValue}
|
||||
onChange={(e) => onAltChange?.(e.target.value)}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
243
frontend/components/dashboard/tiptap-editor.tsx
Normal file
243
frontend/components/dashboard/tiptap-editor.tsx
Normal file
@@ -0,0 +1,243 @@
|
||||
"use client";
|
||||
|
||||
import { useEditor, EditorContent } from "@tiptap/react";
|
||||
import StarterKit from "@tiptap/starter-kit";
|
||||
import Placeholder from "@tiptap/extension-placeholder";
|
||||
import Underline from "@tiptap/extension-underline";
|
||||
import Highlight from "@tiptap/extension-highlight";
|
||||
import TextAlign from "@tiptap/extension-text-align";
|
||||
import Link from "@tiptap/extension-link";
|
||||
import { Button } from "@/components/ui/button";
|
||||
import { Separator } from "@/components/ui/separator";
|
||||
import {
|
||||
Bold,
|
||||
Italic,
|
||||
UnderlineIcon,
|
||||
Strikethrough,
|
||||
Highlighter,
|
||||
Heading1,
|
||||
Heading2,
|
||||
Heading3,
|
||||
List,
|
||||
ListOrdered,
|
||||
Quote,
|
||||
Code,
|
||||
Code2,
|
||||
AlignLeft,
|
||||
AlignCenter,
|
||||
AlignRight,
|
||||
Minus,
|
||||
Undo2,
|
||||
Redo2,
|
||||
Link2,
|
||||
Link2Off,
|
||||
} from "lucide-react";
|
||||
import { useCallback, useEffect } from "react";
|
||||
|
||||
interface Props {
|
||||
value?: string;
|
||||
onChange: (html: string) => void;
|
||||
placeholder?: string;
|
||||
minHeight?: string;
|
||||
}
|
||||
|
||||
export function TiptapEditor({
|
||||
value = "",
|
||||
onChange,
|
||||
placeholder = "Write your post content here…",
|
||||
minHeight = "320px",
|
||||
}: Props) {
|
||||
const editor = useEditor({
|
||||
immediatelyRender: false,
|
||||
extensions: [
|
||||
StarterKit.configure({
|
||||
bulletList: { keepMarks: true, keepAttributes: false },
|
||||
orderedList: { keepMarks: true, keepAttributes: false },
|
||||
}),
|
||||
Underline,
|
||||
Highlight.configure({ multicolor: false }),
|
||||
TextAlign.configure({ types: ["heading", "paragraph"] }),
|
||||
Placeholder.configure({ placeholder }),
|
||||
Link.configure({
|
||||
openOnClick: false,
|
||||
HTMLAttributes: { class: "text-primary underline underline-offset-2" },
|
||||
}),
|
||||
],
|
||||
content: value,
|
||||
onUpdate: ({ editor }) => {
|
||||
onChange(editor.getHTML());
|
||||
},
|
||||
});
|
||||
|
||||
// Sync external value changes (e.g. when edit form opens with existing content)
|
||||
useEffect(() => {
|
||||
if (!editor) return;
|
||||
const current = editor.getHTML();
|
||||
if (value !== current) {
|
||||
editor.commands.setContent(value || "", { emitUpdate: false });
|
||||
}
|
||||
}, [value, editor]);
|
||||
|
||||
const setLink = useCallback(() => {
|
||||
if (!editor) return;
|
||||
const prev = editor.getAttributes("link").href as string | undefined;
|
||||
const url = window.prompt("URL", prev ?? "https://");
|
||||
if (url === null) return; // cancelled
|
||||
if (url === "") {
|
||||
editor.chain().focus().extendMarkRange("link").unsetLink().run();
|
||||
} else {
|
||||
editor.chain().focus().extendMarkRange("link").setLink({ href: url }).run();
|
||||
}
|
||||
}, [editor]);
|
||||
|
||||
if (!editor) return null;
|
||||
|
||||
const btn = (active: boolean) =>
|
||||
`h-7 w-7 p-0 ${active ? "bg-muted text-foreground" : "text-muted-foreground hover:text-foreground hover:bg-muted/60"}`;
|
||||
|
||||
return (
|
||||
<div className="rounded-xl border bg-background overflow-hidden">
|
||||
{/* ── Toolbar ─────────────────────────────────────────────────────────── */}
|
||||
<div className="flex flex-wrap items-center gap-0.5 border-b bg-muted/30 p-1.5">
|
||||
{/* History */}
|
||||
<Button type="button" variant="ghost" size="sm" className={btn(false)}
|
||||
onClick={() => editor.chain().focus().undo().run()}
|
||||
disabled={!editor.can().undo()}>
|
||||
<Undo2 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm" className={btn(false)}
|
||||
onClick={() => editor.chain().focus().redo().run()}
|
||||
disabled={!editor.can().redo()}>
|
||||
<Redo2 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Headings */}
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("heading", { level: 1 }))}
|
||||
onClick={() => editor.chain().focus().toggleHeading({ level: 1 }).run()}>
|
||||
<Heading1 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("heading", { level: 2 }))}
|
||||
onClick={() => editor.chain().focus().toggleHeading({ level: 2 }).run()}>
|
||||
<Heading2 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("heading", { level: 3 }))}
|
||||
onClick={() => editor.chain().focus().toggleHeading({ level: 3 }).run()}>
|
||||
<Heading3 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Inline marks */}
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("bold"))}
|
||||
onClick={() => editor.chain().focus().toggleBold().run()}>
|
||||
<Bold className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("italic"))}
|
||||
onClick={() => editor.chain().focus().toggleItalic().run()}>
|
||||
<Italic className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("underline"))}
|
||||
onClick={() => editor.chain().focus().toggleUnderline().run()}>
|
||||
<UnderlineIcon className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("strike"))}
|
||||
onClick={() => editor.chain().focus().toggleStrike().run()}>
|
||||
<Strikethrough className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("highlight"))}
|
||||
onClick={() => editor.chain().focus().toggleHighlight().run()}>
|
||||
<Highlighter className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("code"))}
|
||||
onClick={() => editor.chain().focus().toggleCode().run()}>
|
||||
<Code className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Link */}
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("link"))}
|
||||
onClick={setLink}>
|
||||
<Link2 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
{editor.isActive("link") && (
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(false)}
|
||||
onClick={() => editor.chain().focus().unsetLink().run()}>
|
||||
<Link2Off className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
)}
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Lists */}
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("bulletList"))}
|
||||
onClick={() => editor.chain().focus().toggleBulletList().run()}>
|
||||
<List className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("orderedList"))}
|
||||
onClick={() => editor.chain().focus().toggleOrderedList().run()}>
|
||||
<ListOrdered className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("blockquote"))}
|
||||
onClick={() => editor.chain().focus().toggleBlockquote().run()}>
|
||||
<Quote className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive("codeBlock"))}
|
||||
onClick={() => editor.chain().focus().toggleCodeBlock().run()}>
|
||||
<Code2 className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Alignment */}
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive({ textAlign: "left" }))}
|
||||
onClick={() => editor.chain().focus().setTextAlign("left").run()}>
|
||||
<AlignLeft className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive({ textAlign: "center" }))}
|
||||
onClick={() => editor.chain().focus().setTextAlign("center").run()}>
|
||||
<AlignCenter className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
<Button type="button" variant="ghost" size="sm"
|
||||
className={btn(editor.isActive({ textAlign: "right" }))}
|
||||
onClick={() => editor.chain().focus().setTextAlign("right").run()}>
|
||||
<AlignRight className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
|
||||
<Separator orientation="vertical" className="mx-1 h-5" />
|
||||
|
||||
{/* Divider */}
|
||||
<Button type="button" variant="ghost" size="sm" className={btn(false)}
|
||||
onClick={() => editor.chain().focus().setHorizontalRule().run()}>
|
||||
<Minus className="h-3.5 w-3.5" />
|
||||
</Button>
|
||||
</div>
|
||||
|
||||
{/* ── Editor area ─────────────────────────────────────────────────────── */}
|
||||
<EditorContent
|
||||
editor={editor}
|
||||
className="tiptap-content px-4 py-3 text-sm focus-within:outline-none"
|
||||
style={{ minHeight }}
|
||||
/>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
Reference in New Issue
Block a user