Compare commits
14 Commits
fix/admin/
...
fix/slider
| Author | SHA1 | Date | |
|---|---|---|---|
| 91e32f3f1c | |||
| 4d03908f23 | |||
| 0563f9664f | |||
| 961cc32057 | |||
| fe7672e09f | |||
| 341ff5779f | |||
| 69f7b4c162 | |||
| 409ad4f1a2 | |||
| 55ea3c473a | |||
| a152eaf984 | |||
| 223b85a714 | |||
| f1729151b3 | |||
| 8e8c133eea | |||
| 1e7acac193 |
@@ -19,7 +19,6 @@ const nextConfig: NextConfig = {
|
||||
},
|
||||
];
|
||||
},
|
||||
|
||||
};
|
||||
|
||||
export default nextConfig;
|
||||
|
||||
@@ -26,7 +26,24 @@ export async function seedBerita() {
|
||||
|
||||
console.log("🔄 Seeding Berita...");
|
||||
|
||||
// Build a map of valid kategori IDs
|
||||
const validKategoriIds = new Set<string>();
|
||||
const kategoriList = await prisma.kategoriBerita.findMany({
|
||||
select: { id: true, name: true },
|
||||
});
|
||||
kategoriList.forEach((k) => validKategoriIds.add(k.id));
|
||||
|
||||
console.log(`📋 Found ${validKategoriIds.size} valid kategori IDs in database`);
|
||||
|
||||
for (const b of beritaJson) {
|
||||
// Validate kategoriBeritaId exists
|
||||
if (!b.kategoriBeritaId || !validKategoriIds.has(b.kategoriBeritaId)) {
|
||||
console.warn(
|
||||
`⚠️ Skipping berita "${b.judul}": Invalid kategoriBeritaId "${b.kategoriBeritaId}"`,
|
||||
);
|
||||
continue;
|
||||
}
|
||||
|
||||
let imageId: string | null = null;
|
||||
|
||||
if (b.imageName) {
|
||||
@@ -44,26 +61,32 @@ export async function seedBerita() {
|
||||
}
|
||||
}
|
||||
|
||||
await prisma.berita.upsert({
|
||||
where: { id: b.id },
|
||||
update: {
|
||||
judul: b.judul,
|
||||
deskripsi: b.deskripsi,
|
||||
content: b.content,
|
||||
kategoriBeritaId: b.kategoriBeritaId,
|
||||
imageId,
|
||||
},
|
||||
create: {
|
||||
id: b.id,
|
||||
judul: b.judul,
|
||||
deskripsi: b.deskripsi,
|
||||
content: b.content,
|
||||
kategoriBeritaId: b.kategoriBeritaId,
|
||||
imageId,
|
||||
},
|
||||
});
|
||||
try {
|
||||
await prisma.berita.upsert({
|
||||
where: { id: b.id },
|
||||
update: {
|
||||
judul: b.judul,
|
||||
deskripsi: b.deskripsi,
|
||||
content: b.content,
|
||||
kategoriBeritaId: b.kategoriBeritaId,
|
||||
imageId,
|
||||
},
|
||||
create: {
|
||||
id: b.id,
|
||||
judul: b.judul,
|
||||
deskripsi: b.deskripsi,
|
||||
content: b.content,
|
||||
kategoriBeritaId: b.kategoriBeritaId,
|
||||
imageId,
|
||||
},
|
||||
});
|
||||
|
||||
console.log(`✅ Berita seeded: ${b.judul}`);
|
||||
console.log(`✅ Berita seeded: ${b.judul}`);
|
||||
} catch (error: any) {
|
||||
console.error(
|
||||
`❌ Failed to seed berita "${b.judul}": ${error.message}`,
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
console.log("🎉 Berita seed selesai");
|
||||
|
||||
@@ -60,7 +60,7 @@ model FileStorage {
|
||||
deletedAt DateTime?
|
||||
isActive Boolean @default(true)
|
||||
link String
|
||||
category String // "image" / "document" / "other"
|
||||
category String // "image" / "document" / "audio" / "other"
|
||||
Berita Berita[]
|
||||
PotensiDesa PotensiDesa[]
|
||||
Posyandu Posyandu[]
|
||||
@@ -102,6 +102,9 @@ model FileStorage {
|
||||
|
||||
ArtikelKesehatan ArtikelKesehatan[]
|
||||
StrukturBumDes StrukturBumDes[]
|
||||
|
||||
MusikDesaAudio MusikDesa[] @relation("MusikAudioFile")
|
||||
MusikDesaCover MusikDesa[] @relation("MusikCoverImage")
|
||||
}
|
||||
|
||||
//========================================= MENU LANDING PAGE ========================================= //
|
||||
@@ -2263,3 +2266,25 @@ model UserMenuAccess {
|
||||
|
||||
@@unique([userId, menuId]) // Satu user tidak bisa punya akses menu yang sama dua kali
|
||||
}
|
||||
|
||||
// ========================================= MUSIK DESA ========================================= //
|
||||
model MusikDesa {
|
||||
id String @id @default(cuid())
|
||||
judul String @db.VarChar(255)
|
||||
artis String @db.VarChar(255)
|
||||
deskripsi String? @db.Text
|
||||
durasi String @db.VarChar(20) // format: "MM:SS"
|
||||
audioFile FileStorage? @relation("MusikAudioFile", fields: [audioFileId], references: [id])
|
||||
audioFileId String?
|
||||
coverImage FileStorage? @relation("MusikCoverImage", fields: [coverImageId], references: [id])
|
||||
coverImageId String?
|
||||
genre String? @db.VarChar(100)
|
||||
tahunRilis Int?
|
||||
createdAt DateTime @default(now())
|
||||
updatedAt DateTime @updatedAt
|
||||
deletedAt DateTime?
|
||||
isActive Boolean @default(true)
|
||||
|
||||
@@index([judul])
|
||||
@@index([artis])
|
||||
}
|
||||
|
||||
BIN
public/mp3-logo.png
Normal file
BIN
public/mp3-logo.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 82 KiB |
297
src/app/admin/(dashboard)/_state/desa/musik.ts
Normal file
297
src/app/admin/(dashboard)/_state/desa/musik.ts
Normal file
@@ -0,0 +1,297 @@
|
||||
/* eslint-disable @typescript-eslint/no-explicit-any */
|
||||
import ApiFetch from "@/lib/api-fetch";
|
||||
import { Prisma } from "@prisma/client";
|
||||
import { toast } from "react-toastify";
|
||||
import { proxy } from "valtio";
|
||||
import { z } from "zod";
|
||||
|
||||
// 1. Schema validasi dengan Zod
|
||||
const templateForm = z.object({
|
||||
judul: z.string().min(3, "Judul minimal 3 karakter"),
|
||||
artis: z.string().min(3, "Artis minimal 3 karakter"),
|
||||
deskripsi: z.string().optional(),
|
||||
durasi: z.string().min(3, "Durasi minimal 3 karakter"),
|
||||
audioFileId: z.string().nonempty(),
|
||||
coverImageId: z.string().nonempty(),
|
||||
genre: z.string().optional(),
|
||||
tahunRilis: z.number().optional().or(z.literal(undefined)),
|
||||
});
|
||||
|
||||
// 2. Default value form musik
|
||||
const defaultForm = {
|
||||
judul: "",
|
||||
artis: "",
|
||||
deskripsi: "",
|
||||
durasi: "",
|
||||
audioFileId: "",
|
||||
coverImageId: "",
|
||||
genre: "",
|
||||
tahunRilis: undefined as number | undefined,
|
||||
};
|
||||
|
||||
// 3. Musik proxy
|
||||
const musik = proxy({
|
||||
create: {
|
||||
form: { ...defaultForm },
|
||||
loading: false,
|
||||
async create() {
|
||||
const cek = templateForm.safeParse(musik.create.form);
|
||||
if (!cek.success) {
|
||||
const err = `[${cek.error.issues
|
||||
.map((v) => `${v.path.join(".")}`)
|
||||
.join("\n")}] required`;
|
||||
return toast.error(err);
|
||||
}
|
||||
|
||||
try {
|
||||
musik.create.loading = true;
|
||||
const res = await ApiFetch.api.desa.musik["create"].post(
|
||||
musik.create.form
|
||||
);
|
||||
if (res.status === 200) {
|
||||
musik.findMany.load();
|
||||
return toast.success("Musik berhasil disimpan!");
|
||||
}
|
||||
|
||||
return toast.error("Gagal menyimpan musik");
|
||||
} catch (error) {
|
||||
console.log((error as Error).message);
|
||||
} finally {
|
||||
musik.create.loading = false;
|
||||
}
|
||||
},
|
||||
resetForm() {
|
||||
musik.create.form = { ...defaultForm };
|
||||
},
|
||||
},
|
||||
|
||||
findMany: {
|
||||
data: null as
|
||||
| Prisma.MusikDesaGetPayload<{
|
||||
include: {
|
||||
audioFile: true;
|
||||
coverImage: true;
|
||||
};
|
||||
}>[]
|
||||
| null,
|
||||
page: 1,
|
||||
totalPages: 1,
|
||||
loading: false,
|
||||
search: "",
|
||||
load: async (page = 1, limit = 10, search = "", genre = "") => {
|
||||
const startTime = Date.now();
|
||||
musik.findMany.loading = true;
|
||||
musik.findMany.page = page;
|
||||
musik.findMany.search = search;
|
||||
|
||||
try {
|
||||
const query: any = { page, limit };
|
||||
if (search) query.search = search;
|
||||
if (genre) query.genre = genre;
|
||||
|
||||
const res = await ApiFetch.api.desa.musik["find-many"].get({ query });
|
||||
|
||||
if (res.status === 200 && res.data?.success) {
|
||||
musik.findMany.data = res.data.data ?? [];
|
||||
musik.findMany.totalPages = res.data.totalPages ?? 1;
|
||||
} else {
|
||||
musik.findMany.data = [];
|
||||
musik.findMany.totalPages = 1;
|
||||
}
|
||||
} catch (err) {
|
||||
console.error("Gagal fetch musik paginated:", err);
|
||||
musik.findMany.data = [];
|
||||
musik.findMany.totalPages = 1;
|
||||
} finally {
|
||||
const elapsed = Date.now() - startTime;
|
||||
const minDelay = 300;
|
||||
const delay = elapsed < minDelay ? minDelay - elapsed : 0;
|
||||
|
||||
setTimeout(() => {
|
||||
musik.findMany.loading = false;
|
||||
}, delay);
|
||||
}
|
||||
},
|
||||
},
|
||||
|
||||
findUnique: {
|
||||
data: null as Prisma.MusikDesaGetPayload<{
|
||||
include: {
|
||||
audioFile: true;
|
||||
coverImage: true;
|
||||
};
|
||||
}> | null,
|
||||
loading: false,
|
||||
async load(id: string) {
|
||||
try {
|
||||
musik.findUnique.loading = true;
|
||||
const res = await fetch(`/api/desa/musik/${id}`);
|
||||
if (res.ok) {
|
||||
const data = await res.json();
|
||||
musik.findUnique.data = data.data ?? null;
|
||||
} else {
|
||||
console.error("Failed to fetch musik:", res.statusText);
|
||||
musik.findUnique.data = null;
|
||||
}
|
||||
} catch (error) {
|
||||
console.error("Error fetching musik:", error);
|
||||
musik.findUnique.data = null;
|
||||
} finally {
|
||||
musik.findUnique.loading = false;
|
||||
}
|
||||
},
|
||||
},
|
||||
delete: {
|
||||
loading: false,
|
||||
async byId(id: string) {
|
||||
if (!id) return toast.warn("ID tidak valid");
|
||||
|
||||
try {
|
||||
musik.delete.loading = true;
|
||||
|
||||
const response = await fetch(`/api/desa/musik/delete/${id}`, {
|
||||
method: "DELETE",
|
||||
headers: {
|
||||
"Content-Type": "application/json",
|
||||
},
|
||||
});
|
||||
|
||||
const result = await response.json();
|
||||
|
||||
if (response.ok && result?.success) {
|
||||
toast.success(result.message || "Musik berhasil dihapus");
|
||||
await musik.findMany.load();
|
||||
} else {
|
||||
toast.error(result?.message || "Gagal menghapus musik");
|
||||
}
|
||||
} catch (error) {
|
||||
console.error("Gagal delete:", error);
|
||||
toast.error("Terjadi kesalahan saat menghapus musik");
|
||||
} finally {
|
||||
musik.delete.loading = false;
|
||||
}
|
||||
},
|
||||
},
|
||||
edit: {
|
||||
id: "",
|
||||
form: { ...defaultForm },
|
||||
loading: false,
|
||||
|
||||
async load(id: string) {
|
||||
if (!id) {
|
||||
toast.warn("ID tidak valid");
|
||||
return null;
|
||||
}
|
||||
|
||||
try {
|
||||
const response = await fetch(`/api/desa/musik/${id}`, {
|
||||
method: "GET",
|
||||
headers: {
|
||||
"Content-Type": "application/json",
|
||||
},
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
throw new Error(`HTTP error! status: ${response.status}`);
|
||||
}
|
||||
|
||||
const result = await response.json();
|
||||
|
||||
if (result?.success) {
|
||||
const data = result.data;
|
||||
this.id = data.id;
|
||||
this.form = {
|
||||
judul: data.judul,
|
||||
artis: data.artis,
|
||||
deskripsi: data.deskripsi || "",
|
||||
durasi: data.durasi,
|
||||
audioFileId: data.audioFileId || "",
|
||||
coverImageId: data.coverImageId || "",
|
||||
genre: data.genre || "",
|
||||
tahunRilis: data.tahunRilis || undefined,
|
||||
};
|
||||
return data;
|
||||
} else {
|
||||
throw new Error(result?.message || "Gagal memuat data");
|
||||
}
|
||||
} catch (error) {
|
||||
console.error("Error loading musik:", error);
|
||||
toast.error(
|
||||
error instanceof Error ? error.message : "Gagal memuat data"
|
||||
);
|
||||
return null;
|
||||
}
|
||||
},
|
||||
|
||||
async update() {
|
||||
const cek = templateForm.safeParse(musik.edit.form);
|
||||
if (!cek.success) {
|
||||
const err = `[${cek.error.issues
|
||||
.map((v) => `${v.path.join(".")}`)
|
||||
.join("\n")}] required`;
|
||||
toast.error(err);
|
||||
return false;
|
||||
}
|
||||
|
||||
try {
|
||||
musik.edit.loading = true;
|
||||
|
||||
const response = await fetch(`/api/desa/musik/${this.id}`, {
|
||||
method: "PUT",
|
||||
headers: {
|
||||
"Content-Type": "application/json",
|
||||
},
|
||||
body: JSON.stringify({
|
||||
judul: this.form.judul,
|
||||
artis: this.form.artis,
|
||||
deskripsi: this.form.deskripsi,
|
||||
durasi: this.form.durasi,
|
||||
audioFileId: this.form.audioFileId,
|
||||
coverImageId: this.form.coverImageId,
|
||||
genre: this.form.genre,
|
||||
tahunRilis: this.form.tahunRilis,
|
||||
}),
|
||||
});
|
||||
|
||||
if (!response.ok) {
|
||||
const errorData = await response.json().catch(() => ({}));
|
||||
throw new Error(
|
||||
errorData.message || `HTTP error! status: ${response.status}`
|
||||
);
|
||||
}
|
||||
|
||||
const result = await response.json();
|
||||
|
||||
if (result.success) {
|
||||
toast.success("Musik berhasil diupdate");
|
||||
await musik.findMany.load();
|
||||
return true;
|
||||
} else {
|
||||
throw new Error(result.message || "Gagal update musik");
|
||||
}
|
||||
} catch (error) {
|
||||
console.error("Error updating musik:", error);
|
||||
toast.error(
|
||||
error instanceof Error
|
||||
? error.message
|
||||
: "Terjadi kesalahan saat update musik"
|
||||
);
|
||||
return false;
|
||||
} finally {
|
||||
musik.edit.loading = false;
|
||||
}
|
||||
},
|
||||
|
||||
reset() {
|
||||
musik.edit.id = "";
|
||||
musik.edit.form = { ...defaultForm };
|
||||
},
|
||||
},
|
||||
});
|
||||
|
||||
// 4. State global
|
||||
const stateDashboardMusik = proxy({
|
||||
musik,
|
||||
});
|
||||
|
||||
export default stateDashboardMusik;
|
||||
@@ -95,7 +95,7 @@ function Page() {
|
||||
fz={{ base: 'md', md: 'lg' }}
|
||||
lh={{ base: 1.4, md: 1.4 }}
|
||||
>
|
||||
{perbekel.nama || "I.B. Surya Prabhawa Manuaba, S.H., M.H."}
|
||||
I.B. Surya Prabhawa Manuaba, S.H., M.H.
|
||||
</Text>
|
||||
</Paper>
|
||||
</Stack>
|
||||
|
||||
428
src/app/admin/(dashboard)/musik/[id]/edit/page.tsx
Normal file
428
src/app/admin/(dashboard)/musik/[id]/edit/page.tsx
Normal file
@@ -0,0 +1,428 @@
|
||||
'use client'
|
||||
import CreateEditor from '../../../_com/createEditor';
|
||||
import stateDashboardMusik from '../../../_state/desa/musik';
|
||||
import colors from '@/con/colors';
|
||||
import ApiFetch from '@/lib/api-fetch';
|
||||
import {
|
||||
Box,
|
||||
Button,
|
||||
Card,
|
||||
Center,
|
||||
Group,
|
||||
Image,
|
||||
Paper,
|
||||
Stack,
|
||||
Text,
|
||||
TextInput,
|
||||
Title,
|
||||
Loader,
|
||||
ActionIcon,
|
||||
NumberInput
|
||||
} from '@mantine/core';
|
||||
import { Dropzone } from '@mantine/dropzone';
|
||||
import { useShallowEffect } from '@mantine/hooks';
|
||||
import { IconArrowBack, IconPhoto, IconUpload, IconX, IconMusic } from '@tabler/icons-react';
|
||||
import { useRouter, useParams } from 'next/navigation';
|
||||
import { useState } from 'react';
|
||||
import { toast } from 'react-toastify';
|
||||
import { useProxy } from 'valtio/utils';
|
||||
|
||||
export default function EditMusik() {
|
||||
const musikState = useProxy(stateDashboardMusik);
|
||||
const router = useRouter();
|
||||
const params = useParams();
|
||||
const id = params.id as string;
|
||||
|
||||
const [previewCover, setPreviewCover] = useState<string | null>(null);
|
||||
const [coverFile, setCoverFile] = useState<File | null>(null);
|
||||
const [previewAudio, setPreviewAudio] = useState<string | null>(null);
|
||||
const [audioFile, setAudioFile] = useState<File | null>(null);
|
||||
const [isExtractingDuration, setIsExtractingDuration] = useState(false);
|
||||
const [isSubmitting, setIsSubmitting] = useState(false);
|
||||
const [isLoading, setIsLoading] = useState(true);
|
||||
|
||||
// Fungsi untuk mendapatkan durasi dari file audio
|
||||
const getAudioDuration = (file: File): Promise<string> => {
|
||||
return new Promise((resolve) => {
|
||||
const audio = new Audio();
|
||||
const url = URL.createObjectURL(file);
|
||||
|
||||
audio.addEventListener('loadedmetadata', () => {
|
||||
const duration = audio.duration;
|
||||
const minutes = Math.floor(duration / 60);
|
||||
const seconds = Math.floor(duration % 60);
|
||||
const formatted = `${minutes}:${seconds.toString().padStart(2, '0')}`;
|
||||
URL.revokeObjectURL(url);
|
||||
resolve(formatted);
|
||||
});
|
||||
|
||||
audio.addEventListener('error', () => {
|
||||
URL.revokeObjectURL(url);
|
||||
resolve('0:00');
|
||||
});
|
||||
|
||||
audio.src = url;
|
||||
});
|
||||
};
|
||||
|
||||
useShallowEffect(() => {
|
||||
if (id) {
|
||||
musikState.musik.edit.load(id).then(() => setIsLoading(false));
|
||||
}
|
||||
}, [id]);
|
||||
|
||||
const isFormValid = () => {
|
||||
return (
|
||||
musikState.musik.edit.form.judul?.trim() !== '' &&
|
||||
musikState.musik.edit.form.artis?.trim() !== '' &&
|
||||
musikState.musik.edit.form.durasi?.trim() !== '' &&
|
||||
(coverFile !== null || musikState.musik.edit.form.coverImageId !== '') &&
|
||||
(audioFile !== null || musikState.musik.edit.form.audioFileId !== '')
|
||||
);
|
||||
};
|
||||
|
||||
const resetForm = () => {
|
||||
musikState.musik.edit.reset();
|
||||
setPreviewCover(null);
|
||||
setCoverFile(null);
|
||||
setPreviewAudio(null);
|
||||
setAudioFile(null);
|
||||
};
|
||||
|
||||
const handleSubmit = async () => {
|
||||
if (!musikState.musik.edit.form.judul?.trim()) {
|
||||
toast.error('Judul wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!musikState.musik.edit.form.artis?.trim()) {
|
||||
toast.error('Artis wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!musikState.musik.edit.form.durasi?.trim()) {
|
||||
toast.error('Durasi wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
setIsSubmitting(true);
|
||||
|
||||
// Upload cover image if new file selected
|
||||
if (coverFile) {
|
||||
const res = await ApiFetch.api.fileStorage.create.post({
|
||||
file: coverFile,
|
||||
name: coverFile.name,
|
||||
});
|
||||
|
||||
const uploaded = res.data?.data;
|
||||
if (!uploaded?.id) {
|
||||
return toast.error('Gagal mengunggah cover, silakan coba lagi');
|
||||
}
|
||||
|
||||
musikState.musik.edit.form.coverImageId = uploaded.id;
|
||||
}
|
||||
|
||||
// Upload audio file if new file selected
|
||||
if (audioFile) {
|
||||
const res = await ApiFetch.api.fileStorage.create.post({
|
||||
file: audioFile,
|
||||
name: audioFile.name,
|
||||
});
|
||||
|
||||
const uploaded = res.data?.data;
|
||||
if (!uploaded?.id) {
|
||||
return toast.error('Gagal mengunggah audio, silakan coba lagi');
|
||||
}
|
||||
|
||||
musikState.musik.edit.form.audioFileId = uploaded.id;
|
||||
}
|
||||
|
||||
await musikState.musik.edit.update();
|
||||
|
||||
resetForm();
|
||||
router.push('/admin/musik');
|
||||
} catch (error) {
|
||||
console.error('Error updating musik:', error);
|
||||
toast.error('Terjadi kesalahan saat mengupdate musik');
|
||||
} finally {
|
||||
setIsSubmitting(false);
|
||||
}
|
||||
};
|
||||
|
||||
if (isLoading) {
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xl">
|
||||
<Center>
|
||||
<Loader />
|
||||
</Center>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xs">
|
||||
{/* Header dengan tombol kembali */}
|
||||
<Group mb="md">
|
||||
<Button
|
||||
variant="subtle"
|
||||
onClick={() => router.back()}
|
||||
p="xs"
|
||||
radius="md"
|
||||
>
|
||||
<IconArrowBack color={colors['blue-button']} size={24} />
|
||||
</Button>
|
||||
<Title order={4} ml="sm" c="dark">
|
||||
Edit Musik
|
||||
</Title>
|
||||
</Group>
|
||||
|
||||
<Paper
|
||||
w={{ base: '100%', md: '50%' }}
|
||||
bg={colors['white-1']}
|
||||
p="lg"
|
||||
radius="md"
|
||||
shadow="sm"
|
||||
style={{ border: '1px solid #e0e0e0' }}
|
||||
>
|
||||
<Stack gap="md">
|
||||
<TextInput
|
||||
label="Judul"
|
||||
placeholder="Masukkan judul lagu"
|
||||
value={musikState.musik.edit.form.judul}
|
||||
onChange={(e) => (musikState.musik.edit.form.judul = e.target.value)}
|
||||
required
|
||||
/>
|
||||
|
||||
<TextInput
|
||||
label="Artis"
|
||||
placeholder="Masukkan nama artis"
|
||||
value={musikState.musik.edit.form.artis}
|
||||
onChange={(e) => (musikState.musik.edit.form.artis = e.target.value)}
|
||||
required
|
||||
/>
|
||||
|
||||
<Box>
|
||||
<Text fz="sm" fw="bold" mb={6}>
|
||||
Deskripsi
|
||||
</Text>
|
||||
<CreateEditor
|
||||
value={musikState.musik.edit.form.deskripsi}
|
||||
onChange={(htmlContent) => {
|
||||
musikState.musik.edit.form.deskripsi = htmlContent;
|
||||
}}
|
||||
/>
|
||||
</Box>
|
||||
|
||||
<Group gap="md">
|
||||
<TextInput
|
||||
label="Durasi"
|
||||
placeholder="Contoh: 3:45"
|
||||
value={musikState.musik.edit.form.durasi}
|
||||
onChange={(e) => (musikState.musik.edit.form.durasi = e.target.value)}
|
||||
required
|
||||
style={{ flex: 1 }}
|
||||
/>
|
||||
|
||||
<TextInput
|
||||
label="Genre"
|
||||
placeholder="Contoh: Pop, Rock, Jazz"
|
||||
value={musikState.musik.edit.form.genre}
|
||||
onChange={(e) => (musikState.musik.edit.form.genre = e.target.value)}
|
||||
style={{ flex: 1 }}
|
||||
/>
|
||||
</Group>
|
||||
|
||||
<NumberInput
|
||||
label="Tahun Rilis"
|
||||
placeholder="Contoh: 2024"
|
||||
value={musikState.musik.edit.form.tahunRilis}
|
||||
onChange={(val) => (musikState.musik.edit.form.tahunRilis = val as number | undefined)}
|
||||
min={1900}
|
||||
max={new Date().getFullYear() + 1}
|
||||
/>
|
||||
|
||||
{/* Cover Image */}
|
||||
<Box>
|
||||
<Text fw="bold" fz="sm" mb={6}>
|
||||
Cover Image
|
||||
</Text>
|
||||
<Dropzone
|
||||
onDrop={(files) => {
|
||||
const selectedFile = files[0];
|
||||
if (selectedFile) {
|
||||
setCoverFile(selectedFile);
|
||||
setPreviewCover(URL.createObjectURL(selectedFile));
|
||||
}
|
||||
}}
|
||||
onReject={() => toast.error('File tidak valid, gunakan format gambar')}
|
||||
maxSize={5 * 1024 ** 2}
|
||||
accept={{ 'image/*': ['.jpeg', '.jpg', '.png', '.webp'] }}
|
||||
radius="md"
|
||||
p="xl"
|
||||
>
|
||||
<Group justify="center" gap="xl" mih={180}>
|
||||
<Dropzone.Accept>
|
||||
<IconUpload size={48} color="var(--mantine-color-blue-6)" stroke={1.5} />
|
||||
</Dropzone.Accept>
|
||||
<Dropzone.Reject>
|
||||
<IconX size={48} color="var(--mantine-color-red-6)" stroke={1.5} />
|
||||
</Dropzone.Reject>
|
||||
<Dropzone.Idle>
|
||||
<IconPhoto size={48} color="var(--mantine-color-dimmed)" stroke={1.5} />
|
||||
</Dropzone.Idle>
|
||||
</Group>
|
||||
<Text ta="center" mt="sm" size="sm" color="dimmed">
|
||||
Seret gambar atau klik untuk memilih file (maks 5MB)
|
||||
</Text>
|
||||
</Dropzone>
|
||||
|
||||
{(previewCover || musikState.musik.edit.form.coverImageId) && (
|
||||
<Box mt="sm" pos="relative" style={{ textAlign: 'center' }}>
|
||||
<Image
|
||||
src={previewCover || '/api/placeholder/200/200'}
|
||||
alt="Preview Cover"
|
||||
radius="md"
|
||||
style={{
|
||||
maxHeight: 200,
|
||||
objectFit: 'contain',
|
||||
border: '1px solid #ddd',
|
||||
}}
|
||||
loading="lazy"
|
||||
/>
|
||||
|
||||
<ActionIcon
|
||||
variant="filled"
|
||||
color="red"
|
||||
radius="xl"
|
||||
size="sm"
|
||||
pos="absolute"
|
||||
top={5}
|
||||
right={5}
|
||||
onClick={() => {
|
||||
setPreviewCover(null);
|
||||
setCoverFile(null);
|
||||
musikState.musik.edit.form.coverImageId = '';
|
||||
}}
|
||||
style={{
|
||||
boxShadow: '0 2px 6px rgba(0,0,0,0.15)',
|
||||
}}
|
||||
>
|
||||
<IconX size={14} />
|
||||
</ActionIcon>
|
||||
</Box>
|
||||
)}
|
||||
</Box>
|
||||
|
||||
{/* Audio File */}
|
||||
<Box>
|
||||
<Text fw="bold" fz="sm" mb={6}>
|
||||
File Audio
|
||||
</Text>
|
||||
<Dropzone
|
||||
onDrop={async (files) => {
|
||||
const selectedFile = files[0];
|
||||
if (selectedFile) {
|
||||
setAudioFile(selectedFile);
|
||||
setPreviewAudio(selectedFile.name);
|
||||
|
||||
// Extract durasi otomatis dari audio
|
||||
setIsExtractingDuration(true);
|
||||
try {
|
||||
const duration = await getAudioDuration(selectedFile);
|
||||
musikState.musik.edit.form.durasi = duration;
|
||||
toast.success(`Durasi audio terdeteksi: ${duration}`);
|
||||
} catch (error) {
|
||||
console.error('Error extracting audio duration:', error);
|
||||
toast.error('Gagal mendeteksi durasi audio, silakan isi manual');
|
||||
} finally {
|
||||
setIsExtractingDuration(false);
|
||||
}
|
||||
}
|
||||
}}
|
||||
onReject={() => toast.error('File tidak valid, gunakan format audio (MP3, WAV, OGG)')}
|
||||
maxSize={50 * 1024 ** 2}
|
||||
accept={{ 'audio/*': ['.mp3', '.wav', '.ogg', '.m4a'] }}
|
||||
radius="md"
|
||||
p="xl"
|
||||
>
|
||||
<Group justify="center" gap="xl" mih={180}>
|
||||
<Dropzone.Accept>
|
||||
<IconUpload size={48} color="var(--mantine-color-blue-6)" stroke={1.5} />
|
||||
</Dropzone.Accept>
|
||||
<Dropzone.Reject>
|
||||
<IconX size={48} color="var(--mantine-color-red-6)" stroke={1.5} />
|
||||
</Dropzone.Reject>
|
||||
<Dropzone.Idle>
|
||||
<IconMusic size={48} color="var(--mantine-color-dimmed)" stroke={1.5} />
|
||||
</Dropzone.Idle>
|
||||
</Group>
|
||||
<Text ta="center" mt="sm" size="sm" color="dimmed">
|
||||
Seret file audio atau klik untuk memilih file (maks 50MB)
|
||||
</Text>
|
||||
</Dropzone>
|
||||
|
||||
{(previewAudio || musikState.musik.edit.form.audioFileId) && (
|
||||
<Box mt="sm">
|
||||
<Card p="sm" withBorder>
|
||||
<Group gap="sm">
|
||||
<IconMusic size={20} color={colors['blue-button']} />
|
||||
<Text fz="sm" truncate style={{ flex: 1 }}>
|
||||
{previewAudio || 'File audio tersimpan'}
|
||||
</Text>
|
||||
{isExtractingDuration && (
|
||||
<Text fz="xs" c="blue">
|
||||
Mendeteksi durasi...
|
||||
</Text>
|
||||
)}
|
||||
<ActionIcon
|
||||
variant="filled"
|
||||
color="red"
|
||||
radius="xl"
|
||||
size="sm"
|
||||
onClick={() => {
|
||||
setPreviewAudio(null);
|
||||
setAudioFile(null);
|
||||
musikState.musik.edit.form.audioFileId = '';
|
||||
}}
|
||||
>
|
||||
<IconX size={14} />
|
||||
</ActionIcon>
|
||||
</Group>
|
||||
</Card>
|
||||
</Box>
|
||||
)}
|
||||
</Box>
|
||||
|
||||
<Group justify="right">
|
||||
<Button
|
||||
variant="outline"
|
||||
color="gray"
|
||||
radius="md"
|
||||
size="md"
|
||||
onClick={resetForm}
|
||||
>
|
||||
Reset
|
||||
</Button>
|
||||
|
||||
<Button
|
||||
onClick={handleSubmit}
|
||||
radius="md"
|
||||
size="md"
|
||||
disabled={!isFormValid() || isSubmitting}
|
||||
style={{
|
||||
background: !isFormValid() || isSubmitting
|
||||
? `linear-gradient(135deg, #cccccc, #eeeeee)`
|
||||
: `linear-gradient(135deg, ${colors['blue-button']}, #4facfe)`,
|
||||
color: '#fff',
|
||||
boxShadow: '0 4px 15px rgba(79, 172, 254, 0.4)',
|
||||
}}
|
||||
>
|
||||
{isSubmitting ? <Loader size="sm" color="white" /> : 'Update'}
|
||||
</Button>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Paper>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
271
src/app/admin/(dashboard)/musik/[id]/page.tsx
Normal file
271
src/app/admin/(dashboard)/musik/[id]/page.tsx
Normal file
@@ -0,0 +1,271 @@
|
||||
'use client'
|
||||
import colors from '@/con/colors';
|
||||
import {
|
||||
Box,
|
||||
Button,
|
||||
Card,
|
||||
Center,
|
||||
Group,
|
||||
Image,
|
||||
Modal,
|
||||
Paper,
|
||||
Skeleton,
|
||||
Stack,
|
||||
Text,
|
||||
Title
|
||||
} from '@mantine/core';
|
||||
import { useShallowEffect } from '@mantine/hooks';
|
||||
import { IconArrowBack, IconEdit, IconTrash } from '@tabler/icons-react';
|
||||
import { useParams, useRouter } from 'next/navigation';
|
||||
import { useState } from 'react';
|
||||
import { useProxy } from 'valtio/utils';
|
||||
import stateDashboardMusik from '../../_state/desa/musik';
|
||||
|
||||
export default function DetailMusik() {
|
||||
const musikState = useProxy(stateDashboardMusik);
|
||||
const router = useRouter();
|
||||
const params = useParams();
|
||||
const id = params.id as string;
|
||||
const [showDeleteModal, setShowDeleteModal] = useState(false);
|
||||
const [isDeleting, setIsDeleting] = useState(false);
|
||||
|
||||
const { data, loading, load } = musikState.musik.findUnique;
|
||||
|
||||
useShallowEffect(() => {
|
||||
if (id) {
|
||||
load(id);
|
||||
}
|
||||
}, [id]);
|
||||
|
||||
if (loading || !data) {
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xs">
|
||||
<Stack>
|
||||
<Skeleton height={50} radius="md" />
|
||||
<Skeleton height={400} radius="md" />
|
||||
</Stack>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
if (!data) {
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xl">
|
||||
<Center>
|
||||
<Text c="dimmed">Musik tidak ditemukan</Text>
|
||||
</Center>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
const handleDelete = async () => {
|
||||
try {
|
||||
setIsDeleting(true);
|
||||
await musikState.musik.delete.byId(id);
|
||||
setShowDeleteModal(false);
|
||||
router.push('/admin/musik');
|
||||
} catch (error) {
|
||||
console.error('Error deleting musik:', error);
|
||||
} finally {
|
||||
setIsDeleting(false);
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xs">
|
||||
{/* Header dengan tombol kembali */}
|
||||
<Group mb="md">
|
||||
<Button
|
||||
variant="subtle"
|
||||
onClick={() => router.push('/admin/musik')}
|
||||
p="xs"
|
||||
radius="md"
|
||||
>
|
||||
<IconArrowBack color={colors['blue-button']} size={24} />
|
||||
</Button>
|
||||
<Title order={4} ml="sm" c="dark">
|
||||
Detail Musik
|
||||
</Title>
|
||||
</Group>
|
||||
|
||||
<Paper
|
||||
w={{ base: '100%', md: '50%' }}
|
||||
bg={colors['white-1']}
|
||||
p="lg"
|
||||
radius="md"
|
||||
shadow="sm"
|
||||
style={{ border: '1px solid #e0e0e0' }}
|
||||
>
|
||||
<Stack gap="md">
|
||||
{/* Cover Image */}
|
||||
{data.coverImage && (
|
||||
<Box
|
||||
style={{
|
||||
width: '100%',
|
||||
maxWidth: 400,
|
||||
margin: '0 auto',
|
||||
}}
|
||||
>
|
||||
<Image
|
||||
src={data.coverImage.link}
|
||||
alt={data.judul}
|
||||
radius="md"
|
||||
style={{
|
||||
width: '100%',
|
||||
aspectRatio: '1/1',
|
||||
objectFit: 'cover',
|
||||
display: 'block',
|
||||
}}
|
||||
/>
|
||||
</Box>
|
||||
)}
|
||||
|
||||
{/* Info Section */}
|
||||
<Stack gap="sm">
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Judul
|
||||
</Text>
|
||||
<Text fz="md" fw={600}>
|
||||
{data.judul}
|
||||
</Text>
|
||||
</Box>
|
||||
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Artis
|
||||
</Text>
|
||||
<Text fz="md" fw={500}>
|
||||
{data.artis}
|
||||
</Text>
|
||||
</Box>
|
||||
|
||||
{data.deskripsi && (
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Deskripsi
|
||||
</Text>
|
||||
<Text fz="sm" fw={500} dangerouslySetInnerHTML={{ __html: data.deskripsi }} />
|
||||
</Box>
|
||||
)}
|
||||
|
||||
<Group gap="xl">
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Durasi
|
||||
</Text>
|
||||
<Text fz="md" fw={500}>
|
||||
{data.durasi}
|
||||
</Text>
|
||||
</Box>
|
||||
|
||||
{data.genre && (
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Genre
|
||||
</Text>
|
||||
<Text fz="md" fw={500}>
|
||||
{data.genre}
|
||||
</Text>
|
||||
</Box>
|
||||
)}
|
||||
|
||||
{data.tahunRilis && (
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
Tahun Rilis
|
||||
</Text>
|
||||
<Text fz="md" fw={500}>
|
||||
{data.tahunRilis}
|
||||
</Text>
|
||||
</Box>
|
||||
)}
|
||||
</Group>
|
||||
|
||||
{/* Audio File */}
|
||||
{data.audioFile && (
|
||||
<Box>
|
||||
<Text fz="sm" fw={600} c="dimmed">
|
||||
File Audio
|
||||
</Text>
|
||||
<Card mt="xs" p="sm" withBorder>
|
||||
<Group gap="sm">
|
||||
<Text fz="sm" truncate style={{ flex: 1 }}>
|
||||
{data.audioFile.realName}
|
||||
</Text>
|
||||
<Button
|
||||
component="a"
|
||||
href={data.audioFile.link}
|
||||
target="_blank"
|
||||
variant="light"
|
||||
size="sm"
|
||||
>
|
||||
Putar
|
||||
</Button>
|
||||
</Group>
|
||||
</Card>
|
||||
</Box>
|
||||
)}
|
||||
</Stack>
|
||||
|
||||
{/* Action Buttons */}
|
||||
<Group justify="right" mt="md">
|
||||
<Button
|
||||
variant="outline"
|
||||
color="red"
|
||||
radius="md"
|
||||
size="md"
|
||||
leftSection={<IconTrash size={18} />}
|
||||
onClick={() => setShowDeleteModal(true)}
|
||||
>
|
||||
Hapus
|
||||
</Button>
|
||||
<Button
|
||||
variant="filled"
|
||||
color="blue"
|
||||
radius="md"
|
||||
size="md"
|
||||
leftSection={<IconEdit size={18} />}
|
||||
onClick={() => router.push(`/admin/musik/${id}/edit`)}
|
||||
>
|
||||
Edit
|
||||
</Button>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Paper>
|
||||
|
||||
{/* Delete Confirmation Modal */}
|
||||
<Modal
|
||||
opened={showDeleteModal}
|
||||
onClose={() => setShowDeleteModal(false)}
|
||||
title="Konfirmasi Hapus"
|
||||
centered
|
||||
>
|
||||
<Stack gap="md">
|
||||
<Text>
|
||||
Apakah Anda yakin ingin menghapus musik "{data.judul}"?
|
||||
</Text>
|
||||
<Text c="red" fz="sm">
|
||||
Tindakan ini tidak dapat dibatalkan.
|
||||
</Text>
|
||||
<Group justify="right" mt="md">
|
||||
<Button
|
||||
variant="outline"
|
||||
color="gray"
|
||||
onClick={() => setShowDeleteModal(false)}
|
||||
>
|
||||
Batal
|
||||
</Button>
|
||||
<Button
|
||||
color="red"
|
||||
onClick={handleDelete}
|
||||
loading={isDeleting}
|
||||
>
|
||||
Hapus
|
||||
</Button>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Modal>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
426
src/app/admin/(dashboard)/musik/create/page.tsx
Normal file
426
src/app/admin/(dashboard)/musik/create/page.tsx
Normal file
@@ -0,0 +1,426 @@
|
||||
'use client'
|
||||
import CreateEditor from '../../_com/createEditor';
|
||||
import stateDashboardMusik from '../../_state/desa/musik';
|
||||
import colors from '@/con/colors';
|
||||
import ApiFetch from '@/lib/api-fetch';
|
||||
import {
|
||||
Box,
|
||||
Button,
|
||||
Card,
|
||||
Group,
|
||||
Image,
|
||||
Paper,
|
||||
Stack,
|
||||
Text,
|
||||
TextInput,
|
||||
Title,
|
||||
Loader,
|
||||
ActionIcon,
|
||||
NumberInput
|
||||
} from '@mantine/core';
|
||||
import { Dropzone } from '@mantine/dropzone';
|
||||
import { useShallowEffect } from '@mantine/hooks';
|
||||
import { IconArrowBack, IconPhoto, IconUpload, IconX, IconMusic } from '@tabler/icons-react';
|
||||
import { useRouter } from 'next/navigation';
|
||||
import { useState } from 'react';
|
||||
import { toast } from 'react-toastify';
|
||||
import { useProxy } from 'valtio/utils';
|
||||
|
||||
export default function CreateMusik() {
|
||||
const musikState = useProxy(stateDashboardMusik);
|
||||
const [previewCover, setPreviewCover] = useState<string | null>(null);
|
||||
const [coverFile, setCoverFile] = useState<File | null>(null);
|
||||
const [previewAudio, setPreviewAudio] = useState<string | null>(null);
|
||||
const [audioFile, setAudioFile] = useState<File | null>(null);
|
||||
const [isExtractingDuration, setIsExtractingDuration] = useState(false);
|
||||
const router = useRouter();
|
||||
const [isSubmitting, setIsSubmitting] = useState(false);
|
||||
|
||||
// Fungsi untuk mendapatkan durasi dari file audio
|
||||
const getAudioDuration = (file: File): Promise<string> => {
|
||||
return new Promise((resolve) => {
|
||||
const audio = new Audio();
|
||||
const url = URL.createObjectURL(file);
|
||||
|
||||
audio.addEventListener('loadedmetadata', () => {
|
||||
const duration = audio.duration;
|
||||
const minutes = Math.floor(duration / 60);
|
||||
const seconds = Math.floor(duration % 60);
|
||||
const formatted = `${minutes}:${seconds.toString().padStart(2, '0')}`;
|
||||
URL.revokeObjectURL(url);
|
||||
resolve(formatted);
|
||||
});
|
||||
|
||||
audio.addEventListener('error', () => {
|
||||
URL.revokeObjectURL(url);
|
||||
resolve('0:00');
|
||||
});
|
||||
|
||||
audio.src = url;
|
||||
});
|
||||
};
|
||||
|
||||
const isFormValid = () => {
|
||||
return (
|
||||
musikState.musik.create.form.judul?.trim() !== '' &&
|
||||
musikState.musik.create.form.artis?.trim() !== '' &&
|
||||
musikState.musik.create.form.durasi?.trim() !== '' &&
|
||||
audioFile !== null &&
|
||||
coverFile !== null
|
||||
);
|
||||
};
|
||||
|
||||
useShallowEffect(() => {
|
||||
return () => {
|
||||
musikState.musik.create.resetForm();
|
||||
};
|
||||
}, []);
|
||||
|
||||
const resetForm = () => {
|
||||
musikState.musik.create.form = {
|
||||
judul: '',
|
||||
artis: '',
|
||||
deskripsi: '',
|
||||
durasi: '',
|
||||
audioFileId: '',
|
||||
coverImageId: '',
|
||||
genre: '',
|
||||
tahunRilis: undefined,
|
||||
};
|
||||
setPreviewCover(null);
|
||||
setCoverFile(null);
|
||||
setPreviewAudio(null);
|
||||
setAudioFile(null);
|
||||
};
|
||||
|
||||
const handleSubmit = async () => {
|
||||
if (!musikState.musik.create.form.judul?.trim()) {
|
||||
toast.error('Judul wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!musikState.musik.create.form.artis?.trim()) {
|
||||
toast.error('Artis wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!musikState.musik.create.form.durasi?.trim()) {
|
||||
toast.error('Durasi wajib diisi');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!coverFile) {
|
||||
toast.error('Cover image wajib dipilih');
|
||||
return;
|
||||
}
|
||||
|
||||
if (!audioFile) {
|
||||
toast.error('File audio wajib dipilih');
|
||||
return;
|
||||
}
|
||||
|
||||
try {
|
||||
setIsSubmitting(true);
|
||||
|
||||
// Upload cover image
|
||||
const coverRes = await ApiFetch.api.fileStorage.create.post({
|
||||
file: coverFile,
|
||||
name: coverFile.name,
|
||||
});
|
||||
|
||||
const coverUploaded = coverRes.data?.data;
|
||||
if (!coverUploaded?.id) {
|
||||
return toast.error('Gagal mengunggah cover, silakan coba lagi');
|
||||
}
|
||||
|
||||
musikState.musik.create.form.coverImageId = coverUploaded.id;
|
||||
|
||||
// Upload audio file
|
||||
const audioRes = await ApiFetch.api.fileStorage.create.post({
|
||||
file: audioFile,
|
||||
name: audioFile.name,
|
||||
});
|
||||
|
||||
const audioUploaded = audioRes.data?.data;
|
||||
if (!audioUploaded?.id) {
|
||||
return toast.error('Gagal mengunggah audio, silakan coba lagi');
|
||||
}
|
||||
|
||||
musikState.musik.create.form.audioFileId = audioUploaded.id;
|
||||
|
||||
await musikState.musik.create.create();
|
||||
|
||||
resetForm();
|
||||
router.push('/admin/musik');
|
||||
} catch (error) {
|
||||
console.error('Error creating musik:', error);
|
||||
toast.error('Terjadi kesalahan saat membuat musik');
|
||||
} finally {
|
||||
setIsSubmitting(false);
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<Box px={{ base: 0, md: 'lg' }} py="xs">
|
||||
{/* Header dengan tombol kembali */}
|
||||
<Group mb="md">
|
||||
<Button
|
||||
variant="subtle"
|
||||
onClick={() => router.back()}
|
||||
p="xs"
|
||||
radius="md"
|
||||
>
|
||||
<IconArrowBack color={colors['blue-button']} size={24} />
|
||||
</Button>
|
||||
<Title order={4} ml="sm" c="dark">
|
||||
Tambah Musik
|
||||
</Title>
|
||||
</Group>
|
||||
|
||||
<Paper
|
||||
w={{ base: '100%', md: '50%' }}
|
||||
bg={colors['white-1']}
|
||||
p="lg"
|
||||
radius="md"
|
||||
shadow="sm"
|
||||
style={{ border: '1px solid #e0e0e0' }}
|
||||
>
|
||||
<Stack gap="md">
|
||||
<TextInput
|
||||
label="Judul"
|
||||
placeholder="Masukkan judul lagu"
|
||||
value={musikState.musik.create.form.judul}
|
||||
onChange={(e) => (musikState.musik.create.form.judul = e.target.value)}
|
||||
required
|
||||
/>
|
||||
|
||||
<TextInput
|
||||
label="Artis"
|
||||
placeholder="Masukkan nama artis"
|
||||
value={musikState.musik.create.form.artis}
|
||||
onChange={(e) => (musikState.musik.create.form.artis = e.target.value)}
|
||||
required
|
||||
/>
|
||||
|
||||
<Box>
|
||||
<Text fz="sm" fw="bold" mb={6}>
|
||||
Deskripsi
|
||||
</Text>
|
||||
<CreateEditor
|
||||
value={musikState.musik.create.form.deskripsi}
|
||||
onChange={(htmlContent) => {
|
||||
musikState.musik.create.form.deskripsi = htmlContent;
|
||||
}}
|
||||
/>
|
||||
</Box>
|
||||
|
||||
<Group gap="md">
|
||||
<TextInput
|
||||
label="Durasi"
|
||||
placeholder="Contoh: 3:45"
|
||||
value={musikState.musik.create.form.durasi}
|
||||
onChange={(e) => (musikState.musik.create.form.durasi = e.target.value)}
|
||||
required
|
||||
style={{ flex: 1 }}
|
||||
/>
|
||||
|
||||
<TextInput
|
||||
label="Genre"
|
||||
placeholder="Contoh: Pop, Rock, Jazz"
|
||||
value={musikState.musik.create.form.genre}
|
||||
onChange={(e) => (musikState.musik.create.form.genre = e.target.value)}
|
||||
style={{ flex: 1 }}
|
||||
/>
|
||||
</Group>
|
||||
|
||||
<NumberInput
|
||||
label="Tahun Rilis"
|
||||
placeholder="Contoh: 2024"
|
||||
value={musikState.musik.create.form.tahunRilis}
|
||||
onChange={(val) => (musikState.musik.create.form.tahunRilis = val as number | undefined)}
|
||||
min={1900}
|
||||
max={new Date().getFullYear() + 1}
|
||||
/>
|
||||
|
||||
{/* Cover Image */}
|
||||
<Box>
|
||||
<Text fw="bold" fz="sm" mb={6}>
|
||||
Cover Image
|
||||
</Text>
|
||||
<Dropzone
|
||||
onDrop={(files) => {
|
||||
const selectedFile = files[0];
|
||||
if (selectedFile) {
|
||||
setCoverFile(selectedFile);
|
||||
setPreviewCover(URL.createObjectURL(selectedFile));
|
||||
}
|
||||
}}
|
||||
onReject={() => toast.error('File tidak valid, gunakan format gambar')}
|
||||
maxSize={5 * 1024 ** 2}
|
||||
accept={{ 'image/*': ['.jpeg', '.jpg', '.png', '.webp'] }}
|
||||
radius="md"
|
||||
p="xl"
|
||||
>
|
||||
<Group justify="center" gap="xl" mih={180}>
|
||||
<Dropzone.Accept>
|
||||
<IconUpload size={48} color="var(--mantine-color-blue-6)" stroke={1.5} />
|
||||
</Dropzone.Accept>
|
||||
<Dropzone.Reject>
|
||||
<IconX size={48} color="var(--mantine-color-red-6)" stroke={1.5} />
|
||||
</Dropzone.Reject>
|
||||
<Dropzone.Idle>
|
||||
<IconPhoto size={48} color="var(--mantine-color-dimmed)" stroke={1.5} />
|
||||
</Dropzone.Idle>
|
||||
</Group>
|
||||
<Text ta="center" mt="sm" size="sm" color="dimmed">
|
||||
Seret gambar atau klik untuk memilih file (maks 5MB)
|
||||
</Text>
|
||||
</Dropzone>
|
||||
|
||||
{previewCover && (
|
||||
<Box mt="sm" pos="relative" style={{ textAlign: 'center' }}>
|
||||
<Image
|
||||
src={previewCover}
|
||||
alt="Preview Cover"
|
||||
radius="md"
|
||||
style={{
|
||||
maxHeight: 200,
|
||||
objectFit: 'contain',
|
||||
border: '1px solid #ddd',
|
||||
}}
|
||||
loading="lazy"
|
||||
/>
|
||||
|
||||
<ActionIcon
|
||||
variant="filled"
|
||||
color="red"
|
||||
radius="xl"
|
||||
size="sm"
|
||||
pos="absolute"
|
||||
top={5}
|
||||
right={5}
|
||||
onClick={() => {
|
||||
setPreviewCover(null);
|
||||
setCoverFile(null);
|
||||
}}
|
||||
style={{
|
||||
boxShadow: '0 2px 6px rgba(0,0,0,0.15)',
|
||||
}}
|
||||
>
|
||||
<IconX size={14} />
|
||||
</ActionIcon>
|
||||
</Box>
|
||||
)}
|
||||
</Box>
|
||||
|
||||
{/* Audio File */}
|
||||
<Box>
|
||||
<Text fw="bold" fz="sm" mb={6}>
|
||||
File Audio
|
||||
</Text>
|
||||
<Dropzone
|
||||
onDrop={async (files) => {
|
||||
const selectedFile = files[0];
|
||||
if (selectedFile) {
|
||||
setAudioFile(selectedFile);
|
||||
setPreviewAudio(selectedFile.name);
|
||||
|
||||
// Extract durasi otomatis dari audio
|
||||
setIsExtractingDuration(true);
|
||||
try {
|
||||
const duration = await getAudioDuration(selectedFile);
|
||||
musikState.musik.create.form.durasi = duration;
|
||||
toast.success(`Durasi audio terdeteksi: ${duration}`);
|
||||
} catch (error) {
|
||||
console.error('Error extracting audio duration:', error);
|
||||
toast.error('Gagal mendeteksi durasi audio, silakan isi manual');
|
||||
} finally {
|
||||
setIsExtractingDuration(false);
|
||||
}
|
||||
}
|
||||
}}
|
||||
onReject={() => toast.error('File tidak valid, gunakan format audio (MP3, WAV, OGG)')}
|
||||
maxSize={50 * 1024 ** 2}
|
||||
accept={{ 'audio/*': ['.mp3', '.wav', '.ogg', '.m4a'] }}
|
||||
radius="md"
|
||||
p="xl"
|
||||
>
|
||||
<Group justify="center" gap="xl" mih={180}>
|
||||
<Dropzone.Accept>
|
||||
<IconUpload size={48} color="var(--mantine-color-blue-6)" stroke={1.5} />
|
||||
</Dropzone.Accept>
|
||||
<Dropzone.Reject>
|
||||
<IconX size={48} color="var(--mantine-color-red-6)" stroke={1.5} />
|
||||
</Dropzone.Reject>
|
||||
<Dropzone.Idle>
|
||||
<IconMusic size={48} color="var(--mantine-color-dimmed)" stroke={1.5} />
|
||||
</Dropzone.Idle>
|
||||
</Group>
|
||||
<Text ta="center" mt="sm" size="sm" color="dimmed">
|
||||
Seret file audio atau klik untuk memilih file (maks 50MB)
|
||||
</Text>
|
||||
</Dropzone>
|
||||
|
||||
{previewAudio && (
|
||||
<Box mt="sm">
|
||||
<Card p="sm" withBorder>
|
||||
<Group gap="sm">
|
||||
<IconMusic size={20} color={colors['blue-button']} />
|
||||
<Text fz="sm" truncate style={{ flex: 1 }}>
|
||||
{previewAudio}
|
||||
</Text>
|
||||
{isExtractingDuration && (
|
||||
<Text fz="xs" c="blue">
|
||||
Mendeteksi durasi...
|
||||
</Text>
|
||||
)}
|
||||
<ActionIcon
|
||||
variant="filled"
|
||||
color="red"
|
||||
radius="xl"
|
||||
size="sm"
|
||||
onClick={() => {
|
||||
setPreviewAudio(null);
|
||||
setAudioFile(null);
|
||||
}}
|
||||
>
|
||||
<IconX size={14} />
|
||||
</ActionIcon>
|
||||
</Group>
|
||||
</Card>
|
||||
</Box>
|
||||
)}
|
||||
</Box>
|
||||
|
||||
<Group justify="right">
|
||||
<Button
|
||||
variant="outline"
|
||||
color="gray"
|
||||
radius="md"
|
||||
size="md"
|
||||
onClick={resetForm}
|
||||
>
|
||||
Reset
|
||||
</Button>
|
||||
|
||||
<Button
|
||||
onClick={handleSubmit}
|
||||
radius="md"
|
||||
size="md"
|
||||
disabled={!isFormValid() || isSubmitting}
|
||||
style={{
|
||||
background: !isFormValid() || isSubmitting
|
||||
? `linear-gradient(135deg, #cccccc, #eeeeee)`
|
||||
: `linear-gradient(135deg, ${colors['blue-button']}, #4facfe)`,
|
||||
color: '#fff',
|
||||
boxShadow: '0 4px 15px rgba(79, 172, 254, 0.4)',
|
||||
}}
|
||||
>
|
||||
{isSubmitting ? <Loader size="sm" color="white" /> : 'Simpan'}
|
||||
</Button>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Paper>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
231
src/app/admin/(dashboard)/musik/page.tsx
Normal file
231
src/app/admin/(dashboard)/musik/page.tsx
Normal file
@@ -0,0 +1,231 @@
|
||||
'use client'
|
||||
import colors from '@/con/colors';
|
||||
import {
|
||||
Box,
|
||||
Button,
|
||||
Center,
|
||||
Group,
|
||||
Pagination,
|
||||
Paper,
|
||||
Skeleton,
|
||||
Stack,
|
||||
Table,
|
||||
TableTbody,
|
||||
TableTd,
|
||||
TableTh,
|
||||
TableThead,
|
||||
TableTr,
|
||||
Text,
|
||||
Title
|
||||
} from '@mantine/core';
|
||||
import { useDebouncedValue, useShallowEffect } from '@mantine/hooks';
|
||||
import { IconCircleDashedPlus, IconDeviceImacCog, IconSearch } from '@tabler/icons-react';
|
||||
import { useRouter } from 'next/navigation';
|
||||
import { useState } from 'react';
|
||||
import { useProxy } from 'valtio/utils';
|
||||
import HeaderSearch from '../_com/header';
|
||||
import stateDashboardMusik from '../_state/desa/musik';
|
||||
|
||||
|
||||
function Musik() {
|
||||
const [search, setSearch] = useState("");
|
||||
return (
|
||||
<Box>
|
||||
<HeaderSearch
|
||||
title="Musik Desa"
|
||||
placeholder="Cari judul, artis, atau genre..."
|
||||
searchIcon={<IconSearch size={20} />}
|
||||
value={search}
|
||||
onChange={(e) => setSearch(e.currentTarget.value)}
|
||||
/>
|
||||
<ListMusik search={search} />
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
function ListMusik({ search }: { search: string }) {
|
||||
const musikState = useProxy(stateDashboardMusik);
|
||||
const router = useRouter();
|
||||
const [debouncedSearch] = useDebouncedValue(search, 1000);
|
||||
|
||||
const { data, page, totalPages, loading, load } = musikState.musik.findMany;
|
||||
|
||||
useShallowEffect(() => {
|
||||
load(page, 10, debouncedSearch);
|
||||
}, [page, debouncedSearch]);
|
||||
|
||||
if (loading || !data) {
|
||||
return (
|
||||
<Stack py="md">
|
||||
<Skeleton height={600} radius="md" />
|
||||
</Stack>
|
||||
);
|
||||
}
|
||||
|
||||
const filteredData = data || [];
|
||||
|
||||
return (
|
||||
<Box py="md">
|
||||
<Paper withBorder bg={colors['white-1']} p="lg" shadow="md" radius="md">
|
||||
<Group justify="space-between" mb="md">
|
||||
<Title order={4}>Daftar Musik</Title>
|
||||
<Button
|
||||
leftSection={<IconCircleDashedPlus size={18} />}
|
||||
color="blue"
|
||||
variant="light"
|
||||
onClick={() => router.push('/admin/musik/create')}
|
||||
>
|
||||
Tambah Baru
|
||||
</Button>
|
||||
</Group>
|
||||
|
||||
{/* Desktop Table */}
|
||||
<Box visibleFrom="md" style={{ overflowX: 'auto' }}>
|
||||
<Table highlightOnHover
|
||||
layout="fixed"
|
||||
withColumnBorders={false} miw={0}>
|
||||
<TableThead>
|
||||
<TableTr>
|
||||
<TableTh w="30%">Judul</TableTh>
|
||||
<TableTh w="20%">Artis</TableTh>
|
||||
<TableTh w="15%">Durasi</TableTh>
|
||||
<TableTh w="15%">Genre</TableTh>
|
||||
<TableTh w="20%">Aksi</TableTh>
|
||||
</TableTr>
|
||||
</TableThead>
|
||||
<TableTbody>
|
||||
{filteredData.length > 0 ? (
|
||||
filteredData.map((item) => (
|
||||
<TableTr key={item.id}>
|
||||
<TableTd>
|
||||
<Text fz="md" fw={600} lh={1.45} truncate="end">
|
||||
{item.judul}
|
||||
</Text>
|
||||
</TableTd>
|
||||
<TableTd>
|
||||
<Text fz="sm" c="dimmed" lh={1.45}>
|
||||
{item.artis}
|
||||
</Text>
|
||||
</TableTd>
|
||||
<TableTd>
|
||||
<Text fz="sm" c="dimmed" lh={1.45}>
|
||||
{item.durasi}
|
||||
</Text>
|
||||
</TableTd>
|
||||
<TableTd>
|
||||
<Text fz="sm" c="dimmed" lh={1.45}>
|
||||
{item.genre || '-'}
|
||||
</Text>
|
||||
</TableTd>
|
||||
<TableTd>
|
||||
<Button
|
||||
variant="light"
|
||||
color="blue"
|
||||
onClick={() =>
|
||||
router.push(`/admin/musik/${item.id}`)
|
||||
}
|
||||
fz="sm"
|
||||
px="sm"
|
||||
h={36}
|
||||
>
|
||||
<IconDeviceImacCog size={18} />
|
||||
<Text ml="xs">Detail</Text>
|
||||
</Button>
|
||||
</TableTd>
|
||||
</TableTr>
|
||||
))
|
||||
) : (
|
||||
<TableTr>
|
||||
<TableTd colSpan={5}>
|
||||
<Center py="xl">
|
||||
<Text c="dimmed" fz="sm" lh={1.4}>
|
||||
Tidak ada data musik yang cocok
|
||||
</Text>
|
||||
</Center>
|
||||
</TableTd>
|
||||
</TableTr>
|
||||
)}
|
||||
</TableTbody>
|
||||
</Table>
|
||||
</Box>
|
||||
|
||||
{/* Mobile Cards */}
|
||||
<Stack hiddenFrom="md" gap="sm" mt="sm">
|
||||
{filteredData.length > 0 ? (
|
||||
filteredData.map((item) => (
|
||||
<Paper key={item.id} withBorder p="md" radius="md">
|
||||
<Stack gap={"xs"}>
|
||||
<Text fz="sm" fw={600} lh={1.4} c="dimmed">
|
||||
Judul
|
||||
</Text>
|
||||
<Text fz="sm" fw={500} lh={1.45}>
|
||||
{item.judul}
|
||||
</Text>
|
||||
|
||||
<Text fz="sm" fw={600} lh={1.4} c="dimmed" mt="xs">
|
||||
Artis
|
||||
</Text>
|
||||
<Text fz="sm" lh={1.45} fw={500}>
|
||||
{item.artis}
|
||||
</Text>
|
||||
|
||||
<Text fz="sm" fw={600} lh={1.4} c="dimmed" mt="xs">
|
||||
Durasi
|
||||
</Text>
|
||||
<Text fz="sm" lh={1.45} fw={500}>
|
||||
{item.durasi}
|
||||
</Text>
|
||||
|
||||
<Text fz="sm" fw={600} lh={1.4} c="dimmed" mt="xs">
|
||||
Genre
|
||||
</Text>
|
||||
<Text fz="sm" lh={1.45} fw={500}>
|
||||
{item.genre || '-'}
|
||||
</Text>
|
||||
|
||||
<Button
|
||||
variant="light"
|
||||
color="blue"
|
||||
fullWidth
|
||||
mt="sm"
|
||||
onClick={() =>
|
||||
router.push(`/admin/musik/${item.id}`)
|
||||
}
|
||||
fz="sm"
|
||||
h={36}
|
||||
>
|
||||
<IconDeviceImacCog size={18} />
|
||||
<Text ml="xs">Detail</Text>
|
||||
</Button>
|
||||
</Stack>
|
||||
</Paper>
|
||||
))
|
||||
) : (
|
||||
<Center py="xl">
|
||||
<Text c="dimmed" fz="sm" lh={1.4}>
|
||||
Tidak ada data musik yang cocok
|
||||
</Text>
|
||||
</Center>
|
||||
)}
|
||||
</Stack>
|
||||
</Paper>
|
||||
|
||||
<Center>
|
||||
<Pagination
|
||||
value={page}
|
||||
onChange={(newPage) => {
|
||||
load(newPage, 10, debouncedSearch);
|
||||
window.scrollTo({ top: 0, behavior: 'smooth' });
|
||||
}}
|
||||
total={totalPages}
|
||||
mt="md"
|
||||
mb="md"
|
||||
color="blue"
|
||||
radius="md"
|
||||
/>
|
||||
</Center>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
export default Musik;
|
||||
@@ -330,7 +330,7 @@ export const devBar = [
|
||||
path: "/admin/lingkungan/konservasi-adat-bali/filosofi-tri-hita-karana"
|
||||
}
|
||||
]
|
||||
},
|
||||
},
|
||||
{
|
||||
id: "Pendidikan",
|
||||
name: "Pendidikan",
|
||||
@@ -373,6 +373,11 @@ export const devBar = [
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
id: "Musik",
|
||||
name: "Musik",
|
||||
path: "/admin/musik"
|
||||
},
|
||||
{
|
||||
id: "User & Role",
|
||||
name: "User & Role",
|
||||
@@ -729,7 +734,7 @@ export const navBar = [
|
||||
path: "/admin/lingkungan/konservasi-adat-bali/filosofi-tri-hita-karana"
|
||||
}
|
||||
]
|
||||
},
|
||||
},
|
||||
{
|
||||
id: "Pendidikan",
|
||||
name: "Pendidikan",
|
||||
@@ -772,6 +777,11 @@ export const navBar = [
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
id: "Musik",
|
||||
name: "Musik",
|
||||
path: "/admin/musik"
|
||||
},
|
||||
{
|
||||
id: "User & Role",
|
||||
name: "User & Role",
|
||||
@@ -1051,7 +1061,7 @@ export const role1 = [
|
||||
}
|
||||
|
||||
]
|
||||
},
|
||||
},
|
||||
{
|
||||
id: "Lingkungan",
|
||||
name: "Lingkungan",
|
||||
@@ -1088,6 +1098,11 @@ export const role1 = [
|
||||
path: "/admin/lingkungan/konservasi-adat-bali/filosofi-tri-hita-karana"
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
id: "Musik",
|
||||
name: "Musik",
|
||||
path: "/admin/musik"
|
||||
}
|
||||
]
|
||||
|
||||
@@ -1133,6 +1148,11 @@ export const role2 = [
|
||||
path: "/admin/kesehatan/info-wabah-penyakit"
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
id: "Musik",
|
||||
name: "Musik",
|
||||
path: "/admin/musik"
|
||||
}
|
||||
]
|
||||
|
||||
@@ -1178,5 +1198,10 @@ export const role3 = [
|
||||
path: "/admin/pendidikan/data-pendidikan"
|
||||
}
|
||||
]
|
||||
},
|
||||
{
|
||||
id: "Musik",
|
||||
name: "Musik",
|
||||
path: "/admin/musik"
|
||||
}
|
||||
]
|
||||
@@ -1,9 +1,9 @@
|
||||
'use client'
|
||||
|
||||
import { authStore } from "@/store/authStore";
|
||||
import { useDarkMode } from "@/state/darkModeStore";
|
||||
import { themeTokens, getActiveStateStyles } from "@/utils/themeTokens";
|
||||
import { DarkModeToggle } from "@/components/admin/DarkModeToggle";
|
||||
import { useDarkMode } from "@/state/darkModeStore";
|
||||
import { authStore } from "@/store/authStore";
|
||||
import { themeTokens } from "@/utils/themeTokens";
|
||||
import {
|
||||
ActionIcon,
|
||||
AppShell,
|
||||
@@ -316,8 +316,13 @@ export default function Layout({ children }: { children: React.ReactNode }) {
|
||||
}}
|
||||
variant="light"
|
||||
active={isParentActive}
|
||||
onClick={(e) => {
|
||||
e.preventDefault();
|
||||
if (v.path) handleNavClick(v.path);
|
||||
}}
|
||||
href={v.path || undefined}
|
||||
>
|
||||
{v.children.map((child, key) => {
|
||||
{v.children?.map((child, key) => {
|
||||
const isChildActive = segments.includes(_.lowerCase(child.name));
|
||||
return (
|
||||
<NavLink
|
||||
|
||||
@@ -17,7 +17,6 @@ export default async function kategoriBeritaDelete(context: Context) {
|
||||
where: {
|
||||
kategoriBeritaId: id,
|
||||
isActive: true,
|
||||
deletedAt: null,
|
||||
},
|
||||
});
|
||||
|
||||
|
||||
@@ -2,7 +2,7 @@ import Elysia from "elysia";
|
||||
import Berita from "./berita";
|
||||
import Pengumuman from "./pengumuman";
|
||||
import ProfileDesa from "./profile/profile_desa";
|
||||
import PotensiDesa from "./potensi";
|
||||
import PotensiDesa from "./potensi";
|
||||
import GalleryFoto from "./gallery/foto";
|
||||
import GalleryVideo from "./gallery/video";
|
||||
import LayananDesa from "./layanan";
|
||||
@@ -12,6 +12,7 @@ import KategoriBerita from "./berita/kategori-berita";
|
||||
import KategoriPengumuman from "./pengumuman/kategori-pengumuman";
|
||||
import MantanPerbekel from "./profile/profile-mantan-perbekel";
|
||||
import AjukanPermohonan from "./layanan/ajukan_permohonan";
|
||||
import Musik from "./musik";
|
||||
|
||||
|
||||
const Desa = new Elysia({ prefix: "/api/desa", tags: ["Desa"] })
|
||||
@@ -28,6 +29,7 @@ const Desa = new Elysia({ prefix: "/api/desa", tags: ["Desa"] })
|
||||
.use(KategoriBerita)
|
||||
.use(KategoriPengumuman)
|
||||
.use(AjukanPermohonan)
|
||||
|
||||
.use(Musik)
|
||||
|
||||
|
||||
export default Desa;
|
||||
|
||||
37
src/app/api/[[...slugs]]/_lib/desa/musik/create.ts
Normal file
37
src/app/api/[[...slugs]]/_lib/desa/musik/create.ts
Normal file
@@ -0,0 +1,37 @@
|
||||
import { Context } from "elysia";
|
||||
import prisma from "@/lib/prisma";
|
||||
|
||||
type FormCreate = {
|
||||
judul: string;
|
||||
artis: string;
|
||||
deskripsi?: string;
|
||||
durasi: string;
|
||||
audioFileId: string;
|
||||
coverImageId: string;
|
||||
genre?: string;
|
||||
tahunRilis?: number | null;
|
||||
};
|
||||
|
||||
async function musikCreate(context: Context) {
|
||||
const body = context.body as FormCreate;
|
||||
|
||||
await prisma.musikDesa.create({
|
||||
data: {
|
||||
judul: body.judul,
|
||||
artis: body.artis,
|
||||
deskripsi: body.deskripsi,
|
||||
durasi: body.durasi,
|
||||
audioFileId: body.audioFileId,
|
||||
coverImageId: body.coverImageId,
|
||||
genre: body.genre,
|
||||
tahunRilis: body.tahunRilis,
|
||||
},
|
||||
});
|
||||
|
||||
return {
|
||||
success: true,
|
||||
message: "Sukses menambahkan musik",
|
||||
};
|
||||
}
|
||||
|
||||
export default musikCreate;
|
||||
54
src/app/api/[[...slugs]]/_lib/desa/musik/del.ts
Normal file
54
src/app/api/[[...slugs]]/_lib/desa/musik/del.ts
Normal file
@@ -0,0 +1,54 @@
|
||||
import { Context } from "elysia";
|
||||
import prisma from "@/lib/prisma";
|
||||
import path from "path";
|
||||
|
||||
const musikDelete = async (context: Context) => {
|
||||
const { id } = context.params as { id: string };
|
||||
|
||||
const musik = await prisma.musikDesa.findUnique({
|
||||
where: { id },
|
||||
include: { audioFile: true, coverImage: true },
|
||||
});
|
||||
|
||||
if (!musik) return { status: 404, body: "Musik tidak ditemukan" };
|
||||
|
||||
// 1. HAPUS MUSIK DULU
|
||||
await prisma.musikDesa.delete({ where: { id } });
|
||||
|
||||
// 2. HAPUS FILE AUDIO (jika ada)
|
||||
if (musik.audioFile) {
|
||||
try {
|
||||
const fs = await import("fs/promises");
|
||||
const filePath = path.join(musik.audioFile.path, musik.audioFile.name);
|
||||
await fs.unlink(filePath);
|
||||
|
||||
await prisma.fileStorage.delete({
|
||||
where: { id: musik.audioFile.id },
|
||||
});
|
||||
} catch (error) {
|
||||
console.error("Error deleting audio file:", error);
|
||||
}
|
||||
}
|
||||
|
||||
// 3. HAPUS FILE COVER (jika ada)
|
||||
if (musik.coverImage) {
|
||||
try {
|
||||
const fs = await import("fs/promises");
|
||||
const filePath = path.join(musik.coverImage.path, musik.coverImage.name);
|
||||
await fs.unlink(filePath);
|
||||
|
||||
await prisma.fileStorage.delete({
|
||||
where: { id: musik.coverImage.id },
|
||||
});
|
||||
} catch (error) {
|
||||
console.error("Error deleting cover image:", error);
|
||||
}
|
||||
}
|
||||
|
||||
return {
|
||||
success: true,
|
||||
message: "Musik dan file terkait berhasil dihapus",
|
||||
};
|
||||
};
|
||||
|
||||
export default musikDelete;
|
||||
66
src/app/api/[[...slugs]]/_lib/desa/musik/find-by-id.ts
Normal file
66
src/app/api/[[...slugs]]/_lib/desa/musik/find-by-id.ts
Normal file
@@ -0,0 +1,66 @@
|
||||
import prisma from "@/lib/prisma";
|
||||
|
||||
export default async function findMusikById(request: Request) {
|
||||
try {
|
||||
const url = new URL(request.url);
|
||||
const id = url.pathname.split("/").pop();
|
||||
|
||||
if (!id) {
|
||||
return new Response(
|
||||
JSON.stringify({
|
||||
success: false,
|
||||
message: "ID tidak valid",
|
||||
}),
|
||||
{
|
||||
status: 400,
|
||||
headers: { "Content-Type": "application/json" },
|
||||
}
|
||||
);
|
||||
}
|
||||
|
||||
const data = await prisma.musikDesa.findUnique({
|
||||
where: { id },
|
||||
include: {
|
||||
audioFile: true,
|
||||
coverImage: true,
|
||||
},
|
||||
});
|
||||
|
||||
if (!data) {
|
||||
return new Response(
|
||||
JSON.stringify({
|
||||
success: false,
|
||||
message: "Musik tidak ditemukan",
|
||||
}),
|
||||
{
|
||||
status: 404,
|
||||
headers: { "Content-Type": "application/json" },
|
||||
}
|
||||
);
|
||||
}
|
||||
|
||||
return new Response(
|
||||
JSON.stringify({
|
||||
success: true,
|
||||
message: "Success fetch musik by ID",
|
||||
data,
|
||||
}),
|
||||
{
|
||||
status: 200,
|
||||
headers: { "Content-Type": "application/json" },
|
||||
}
|
||||
);
|
||||
} catch (e) {
|
||||
console.error("Error fetching musik by ID:", e);
|
||||
return new Response(
|
||||
JSON.stringify({
|
||||
success: false,
|
||||
message: "Gagal mengambil musik: " + (e instanceof Error ? e.message : 'Unknown error'),
|
||||
}),
|
||||
{
|
||||
status: 500,
|
||||
headers: { "Content-Type": "application/json" },
|
||||
}
|
||||
);
|
||||
}
|
||||
}
|
||||
69
src/app/api/[[...slugs]]/_lib/desa/musik/find-many.ts
Normal file
69
src/app/api/[[...slugs]]/_lib/desa/musik/find-many.ts
Normal file
@@ -0,0 +1,69 @@
|
||||
/* eslint-disable @typescript-eslint/no-explicit-any */
|
||||
// /api/desa/musik/find-many.ts
|
||||
import prisma from "@/lib/prisma";
|
||||
import { Context } from "elysia";
|
||||
|
||||
async function musikFindMany(context: Context) {
|
||||
// Ambil parameter dari query
|
||||
const page = Number(context.query.page) || 1;
|
||||
const limit = Number(context.query.limit) || 10;
|
||||
const search = (context.query.search as string) || '';
|
||||
const genre = (context.query.genre as string) || '';
|
||||
const skip = (page - 1) * limit;
|
||||
|
||||
// Buat where clause
|
||||
const where: any = { isActive: true };
|
||||
|
||||
// Filter berdasarkan genre (jika ada)
|
||||
if (genre) {
|
||||
where.genre = {
|
||||
equals: genre,
|
||||
mode: 'insensitive'
|
||||
};
|
||||
}
|
||||
|
||||
// Tambahkan pencarian (jika ada)
|
||||
if (search) {
|
||||
where.OR = [
|
||||
{ judul: { contains: search, mode: 'insensitive' } },
|
||||
{ artis: { contains: search, mode: 'insensitive' } },
|
||||
{ deskripsi: { contains: search, mode: 'insensitive' } },
|
||||
{ genre: { contains: search, mode: 'insensitive' } }
|
||||
];
|
||||
}
|
||||
|
||||
try {
|
||||
// Ambil data dan total count secara paralel
|
||||
const [data, total] = await Promise.all([
|
||||
prisma.musikDesa.findMany({
|
||||
where,
|
||||
include: {
|
||||
audioFile: true,
|
||||
coverImage: true,
|
||||
},
|
||||
skip,
|
||||
take: limit,
|
||||
orderBy: { createdAt: 'desc' },
|
||||
}),
|
||||
prisma.musikDesa.count({ where }),
|
||||
]);
|
||||
|
||||
return {
|
||||
success: true,
|
||||
message: "Berhasil ambil data musik dengan pagination",
|
||||
data,
|
||||
page,
|
||||
limit,
|
||||
total,
|
||||
totalPages: Math.ceil(total / limit),
|
||||
};
|
||||
} catch (e) {
|
||||
console.error("Error di findMany paginated:", e);
|
||||
return {
|
||||
success: false,
|
||||
message: "Gagal mengambil data musik",
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
export default musikFindMany;
|
||||
47
src/app/api/[[...slugs]]/_lib/desa/musik/index.ts
Normal file
47
src/app/api/[[...slugs]]/_lib/desa/musik/index.ts
Normal file
@@ -0,0 +1,47 @@
|
||||
import Elysia, { t } from "elysia";
|
||||
import musikFindMany from "./find-many";
|
||||
import musikCreate from "./create";
|
||||
import musikDelete from "./del";
|
||||
import musikUpdate from "./updt";
|
||||
import findMusikById from "./find-by-id";
|
||||
|
||||
const Musik = new Elysia({ prefix: "/musik", tags: ["Desa/Musik"] })
|
||||
.get("/find-many", musikFindMany)
|
||||
.get("/:id", async (context) => {
|
||||
const response = await findMusikById(new Request(context.request));
|
||||
return response;
|
||||
})
|
||||
.post("/create", musikCreate, {
|
||||
body: t.Object({
|
||||
judul: t.String(),
|
||||
artis: t.String(),
|
||||
deskripsi: t.Optional(t.String()),
|
||||
durasi: t.String(),
|
||||
audioFileId: t.String(),
|
||||
coverImageId: t.String(),
|
||||
genre: t.Optional(t.String()),
|
||||
tahunRilis: t.Optional(t.Number()),
|
||||
}),
|
||||
})
|
||||
.delete("/delete/:id", musikDelete)
|
||||
.put(
|
||||
"/:id",
|
||||
async (context) => {
|
||||
const response = await musikUpdate(context);
|
||||
return response;
|
||||
},
|
||||
{
|
||||
body: t.Object({
|
||||
judul: t.String(),
|
||||
artis: t.String(),
|
||||
deskripsi: t.Optional(t.String()),
|
||||
durasi: t.String(),
|
||||
audioFileId: t.String(),
|
||||
coverImageId: t.String(),
|
||||
genre: t.Optional(t.String()),
|
||||
tahunRilis: t.Optional(t.Number()),
|
||||
}),
|
||||
}
|
||||
);
|
||||
|
||||
export default Musik;
|
||||
65
src/app/api/[[...slugs]]/_lib/desa/musik/updt.ts
Normal file
65
src/app/api/[[...slugs]]/_lib/desa/musik/updt.ts
Normal file
@@ -0,0 +1,65 @@
|
||||
import { Context } from "elysia";
|
||||
import prisma from "@/lib/prisma";
|
||||
|
||||
type FormUpdate = {
|
||||
judul: string;
|
||||
artis: string;
|
||||
deskripsi?: string;
|
||||
durasi: string;
|
||||
audioFileId: string;
|
||||
coverImageId: string;
|
||||
genre?: string;
|
||||
tahunRilis?: number | null;
|
||||
};
|
||||
|
||||
async function musikUpdate(context: Context) {
|
||||
const { id } = context.params as { id: string };
|
||||
const body = context.body as FormUpdate;
|
||||
|
||||
try {
|
||||
const existing = await prisma.musikDesa.findUnique({
|
||||
where: { id },
|
||||
});
|
||||
|
||||
if (!existing) {
|
||||
return {
|
||||
status: 404,
|
||||
body: {
|
||||
success: false,
|
||||
message: "Musik tidak ditemukan",
|
||||
},
|
||||
};
|
||||
}
|
||||
|
||||
const updated = await prisma.musikDesa.update({
|
||||
where: { id },
|
||||
data: {
|
||||
judul: body.judul,
|
||||
artis: body.artis,
|
||||
deskripsi: body.deskripsi,
|
||||
durasi: body.durasi,
|
||||
audioFileId: body.audioFileId,
|
||||
coverImageId: body.coverImageId,
|
||||
genre: body.genre,
|
||||
tahunRilis: body.tahunRilis,
|
||||
},
|
||||
});
|
||||
|
||||
return {
|
||||
success: true,
|
||||
message: "Musik berhasil diupdate",
|
||||
data: updated,
|
||||
};
|
||||
} catch (error) {
|
||||
console.error("Error updating musik:", error);
|
||||
return {
|
||||
status: 500,
|
||||
body: {
|
||||
success: false,
|
||||
message: "Terjadi kesalahan saat mengupdate musik",
|
||||
},
|
||||
};
|
||||
}
|
||||
}
|
||||
|
||||
export default musikUpdate;
|
||||
@@ -23,10 +23,9 @@ export default async function findUnique(
|
||||
|
||||
// ✅ Filter by isActive and deletedAt
|
||||
const data = await prisma.potensiDesa.findFirst({
|
||||
where: {
|
||||
where: {
|
||||
id,
|
||||
isActive: true,
|
||||
deletedAt: null,
|
||||
},
|
||||
include: {
|
||||
image: true,
|
||||
|
||||
@@ -17,7 +17,6 @@ export default async function kategoriPotensiDelete(context: Context) {
|
||||
where: {
|
||||
kategoriId: id,
|
||||
isActive: true,
|
||||
deletedAt: null,
|
||||
},
|
||||
});
|
||||
|
||||
|
||||
@@ -1,10 +1,9 @@
|
||||
import prisma from "@/lib/prisma";
|
||||
import { requireAuth } from "@/lib/api-auth";
|
||||
|
||||
export default async function sejarahDesaFindFirst(request: Request) {
|
||||
export default async function sejarahDesaFindFirst() {
|
||||
// ✅ Authentication check
|
||||
const headers = new Headers(request.url);
|
||||
const authResult = await requireAuth({ headers });
|
||||
const authResult = await requireAuth();
|
||||
if (!authResult.authenticated) {
|
||||
return authResult.response;
|
||||
}
|
||||
@@ -12,9 +11,8 @@ export default async function sejarahDesaFindFirst(request: Request) {
|
||||
try {
|
||||
// Get the first active record
|
||||
const data = await prisma.sejarahDesa.findFirst({
|
||||
where: {
|
||||
where: {
|
||||
isActive: true,
|
||||
deletedAt: null
|
||||
},
|
||||
orderBy: { createdAt: 'asc' } // Get the oldest one first
|
||||
});
|
||||
|
||||
@@ -7,8 +7,8 @@ const SejarahDesa = new Elysia({
|
||||
prefix: "/sejarah",
|
||||
tags: ["Desa/Profile"],
|
||||
})
|
||||
.get("/first", async (context) => {
|
||||
const response = await sejarahDesaFindFirst(new Request(context.request));
|
||||
.get("/first", async () => {
|
||||
const response = await sejarahDesaFindFirst();
|
||||
return response;
|
||||
})
|
||||
.get("/:id", async (context) => {
|
||||
|
||||
@@ -4,7 +4,7 @@ import { Context } from "elysia";
|
||||
|
||||
export default async function sejarahDesaUpdate(context: Context) {
|
||||
// ✅ Authentication check
|
||||
const authResult = await requireAuth(context);
|
||||
const authResult = await requireAuth();
|
||||
if (!authResult.authenticated) {
|
||||
return authResult.response;
|
||||
}
|
||||
|
||||
@@ -22,9 +22,10 @@ const fileStorageCreate = async (context: Context) => {
|
||||
if (!UPLOAD_DIR) return { status: 500, body: "UPLOAD_DIR is not defined" };
|
||||
|
||||
const isImage = file.type.startsWith("image/");
|
||||
const category = isImage ? "image" : "document";
|
||||
const isAudio = file.type.startsWith("audio/");
|
||||
const category = isImage ? "image" : isAudio ? "audio" : "document";
|
||||
|
||||
const pathName = category === "image" ? "images" : "documents";
|
||||
const pathName = category === "image" ? "images" : category === "audio" ? "audio" : "documents";
|
||||
const rootPath = path.join(UPLOAD_DIR, pathName);
|
||||
await fs.mkdir(rootPath, { recursive: true });
|
||||
|
||||
@@ -54,6 +55,11 @@ const fileStorageCreate = async (context: Context) => {
|
||||
// Simpan metadata untuk versi desktop sebagai default
|
||||
finalName = desktopName;
|
||||
finalMimeType = "image/webp";
|
||||
} else if (isAudio) {
|
||||
// Simpan file audio tanpa kompresi
|
||||
const ext = file.name.split(".").pop() || "mp3";
|
||||
finalName = `${finalName}.${ext}`;
|
||||
await fs.writeFile(path.join(rootPath, finalName), buffer);
|
||||
} else {
|
||||
// Jika file adalah PDF, simpan tanpa kompresi
|
||||
if (file.type === "application/pdf") {
|
||||
|
||||
@@ -46,11 +46,17 @@ fs.mkdir(UPLOAD_DIR_IMAGE, {
|
||||
}).catch(() => {});
|
||||
|
||||
const corsConfig = {
|
||||
origin: "*",
|
||||
methods: ["GET", "POST", "PATCH", "DELETE", "PUT"] as HTTPMethod[],
|
||||
allowedHeaders: "*",
|
||||
origin: [
|
||||
"http://localhost:3000",
|
||||
"http://localhost:3001",
|
||||
"https://cld-dkr-desa-darmasaba-stg.wibudev.com",
|
||||
"https://cld-dkr-staging-desa-darmasaba.wibudev.com",
|
||||
"*", // Allow all origins in development
|
||||
],
|
||||
methods: ["GET", "POST", "PATCH", "DELETE", "PUT", "OPTIONS"] as HTTPMethod[],
|
||||
allowedHeaders: ["Content-Type", "Authorization", "*"],
|
||||
exposedHeaders: "*",
|
||||
maxAge: 5,
|
||||
maxAge: 86400, // 24 hours
|
||||
credentials: true,
|
||||
};
|
||||
|
||||
|
||||
@@ -33,37 +33,34 @@ export async function POST(req: Request) {
|
||||
const codeOtp = randomOTP();
|
||||
const otpNumber = Number(codeOtp);
|
||||
|
||||
// ✅ PERBAIKAN: Gunakan format pesan yang lebih sederhana
|
||||
// Hapus karakter khusus yang bisa bikin masalah
|
||||
// const waMessage = `Website Desa Darmasaba\nKode verifikasi Anda ${codeOtp}`;
|
||||
const waMessage = `Website Desa Darmasaba - Kode ini bersifat RAHASIA dan JANGAN DI BAGIKAN KEPADA SIAPAPUN, termasuk anggota ataupun Admin lainnya.\n\n>> Kode OTP anda: ${codeOtp}.`;
|
||||
const waUrl = `https://wa.wibudev.com/code?nom=${encodeURIComponent(nomor)}&text=${encodeURIComponent(waMessage)}`;
|
||||
|
||||
// // ✅ OPSI 1: Tanpa encoding (coba dulu ini)
|
||||
// const waUrl = `https://wa.wibudev.com/code?nom=${nomor}&text=${waMessage}`;
|
||||
console.log("🔍 Debug WA URL:", waUrl);
|
||||
|
||||
// ✅ OPSI 2: Dengan encoding (kalau opsi 1 gagal)
|
||||
// const waUrl = `https://wa.wibudev.com/code?nom=${nomor}&text=${encodeURIComponent(waMessage)}`;
|
||||
|
||||
// ✅ OPSI 3: Encoding manual untuk URL-safe (alternatif terakhir)
|
||||
// const encodedMessage = waMessage.replace(/\n/g, '%0A').replace(/ /g, '%20');
|
||||
// const waUrl = `https://wa.wibudev.com/code?nom=${nomor}&text=${encodedMessage}`;
|
||||
try {
|
||||
const res = await fetch(waUrl);
|
||||
const sendWa = await res.json();
|
||||
console.log("📱 WA Response:", sendWa);
|
||||
|
||||
// console.log("🔍 Debug WA URL:", waUrl); // Untuk debugging
|
||||
|
||||
// const res = await fetch(waUrl);
|
||||
// const sendWa = await res.json();
|
||||
|
||||
// console.log("📱 WA Response:", sendWa); // Debug response
|
||||
|
||||
// if (sendWa.status !== "success") {
|
||||
// return NextResponse.json(
|
||||
// {
|
||||
// success: false,
|
||||
// message: "Gagal mengirim OTP via WhatsApp",
|
||||
// debug: sendWa // Tampilkan error detail
|
||||
// },
|
||||
// { status: 400 }
|
||||
// );
|
||||
// }
|
||||
if (sendWa.status !== "success") {
|
||||
console.error("❌ WA Service Error:", sendWa);
|
||||
return NextResponse.json(
|
||||
{
|
||||
success: false,
|
||||
message: "Gagal mengirim OTP via WhatsApp",
|
||||
debug: sendWa
|
||||
},
|
||||
{ status: 400 }
|
||||
);
|
||||
}
|
||||
} catch (waError) {
|
||||
console.error("❌ Fetch WA Error:", waError);
|
||||
return NextResponse.json(
|
||||
{ success: false, message: "Terjadi kesalahan saat mengirim WA" },
|
||||
{ status: 500 }
|
||||
);
|
||||
}
|
||||
|
||||
const createOtpId = await prisma.kodeOtp.create({
|
||||
data: { nomor, otp: otpNumber, isActive: true },
|
||||
|
||||
@@ -19,7 +19,7 @@ export async function POST(req: Request) {
|
||||
const otpNumber = Number(codeOtp);
|
||||
|
||||
// Kirim OTP via WhatsApp
|
||||
const waMessage = `Kode verifikasi Anda: ${codeOtp}`;
|
||||
const waMessage = `Website Desa Darmasaba - Kode ini bersifat RAHASIA dan JANGAN DI BAGIKAN KEPADA SIAPAPUN, termasuk anggota ataupun Admin lainnya.\n\n>> Kode OTP anda: ${codeOtp}.`;
|
||||
const waUrl = `https://wa.wibudev.com/code?nom=${encodeURIComponent(nomor)}&text=${encodeURIComponent(waMessage)}`;
|
||||
const waRes = await fetch(waUrl);
|
||||
const waData = await waRes.json();
|
||||
|
||||
32
src/app/darmasaba/(pages)/musik/lib/nextPrev.ts
Normal file
32
src/app/darmasaba/(pages)/musik/lib/nextPrev.ts
Normal file
@@ -0,0 +1,32 @@
|
||||
export function getNextIndex(
|
||||
currentIndex: number,
|
||||
total: number,
|
||||
isShuffle: boolean
|
||||
) {
|
||||
if (total === 0) return -1;
|
||||
|
||||
if (isShuffle) {
|
||||
return Math.floor(Math.random() * total);
|
||||
}
|
||||
|
||||
return (currentIndex + 1) % total;
|
||||
}
|
||||
|
||||
export function getPrevIndex(
|
||||
currentIndex: number,
|
||||
total: number,
|
||||
isShuffle: boolean
|
||||
) {
|
||||
if (total === 0) return -1;
|
||||
|
||||
if (isShuffle) {
|
||||
return Math.floor(Math.random() * total);
|
||||
}
|
||||
|
||||
return currentIndex - 1 < 0 ? total - 1 : currentIndex - 1;
|
||||
}
|
||||
|
||||
//pakai di ui
|
||||
|
||||
// const next = getNextIndex(currentSongIndex, filteredMusik.length, isShuffle);
|
||||
// playSong(next);
|
||||
24
src/app/darmasaba/(pages)/musik/lib/playPause.ts
Normal file
24
src/app/darmasaba/(pages)/musik/lib/playPause.ts
Normal file
@@ -0,0 +1,24 @@
|
||||
import { RefObject } from "react";
|
||||
|
||||
export function togglePlayPause(
|
||||
audioRef: RefObject<HTMLAudioElement | null>,
|
||||
isPlaying: boolean,
|
||||
setIsPlaying: (v: boolean) => void
|
||||
) {
|
||||
if (!audioRef.current) return;
|
||||
|
||||
if (isPlaying) {
|
||||
audioRef.current.pause();
|
||||
setIsPlaying(false);
|
||||
} else {
|
||||
audioRef.current
|
||||
.play()
|
||||
.then(() => setIsPlaying(true))
|
||||
.catch(console.error);
|
||||
}
|
||||
}
|
||||
|
||||
// pakai di ui
|
||||
// onClick={() =>
|
||||
// togglePlayPause(audioRef, isPlaying, setIsPlaying)
|
||||
// }
|
||||
22
src/app/darmasaba/(pages)/musik/lib/repeat.ts
Normal file
22
src/app/darmasaba/(pages)/musik/lib/repeat.ts
Normal file
@@ -0,0 +1,22 @@
|
||||
import { RefObject } from "react";
|
||||
|
||||
export function handleRepeatOrNext(
|
||||
audioRef: RefObject<HTMLAudioElement | null>,
|
||||
isRepeat: boolean,
|
||||
playNext: () => void
|
||||
) {
|
||||
if (!audioRef.current) return;
|
||||
|
||||
if (isRepeat) {
|
||||
audioRef.current.currentTime = 0;
|
||||
audioRef.current.play();
|
||||
} else {
|
||||
playNext();
|
||||
}
|
||||
}
|
||||
|
||||
//dipakai di ui
|
||||
|
||||
// onEnded={() =>
|
||||
// handleRepeatOrNext(audioRef, isRepeat, playNext)
|
||||
// }
|
||||
15
src/app/darmasaba/(pages)/musik/lib/seek.ts
Normal file
15
src/app/darmasaba/(pages)/musik/lib/seek.ts
Normal file
@@ -0,0 +1,15 @@
|
||||
export function seekTo(
|
||||
audioRef: React.RefObject<HTMLAudioElement | null>,
|
||||
time: number,
|
||||
setCurrentTime?: (v: number) => void
|
||||
) {
|
||||
if (!audioRef.current) return;
|
||||
|
||||
// Set waktu audio
|
||||
audioRef.current.currentTime = time;
|
||||
|
||||
// Update state jika provided
|
||||
if (setCurrentTime) {
|
||||
setCurrentTime(Math.round(time));
|
||||
}
|
||||
}
|
||||
6
src/app/darmasaba/(pages)/musik/lib/shuffle.ts
Normal file
6
src/app/darmasaba/(pages)/musik/lib/shuffle.ts
Normal file
@@ -0,0 +1,6 @@
|
||||
export function toggleShuffle(
|
||||
isShuffle: boolean,
|
||||
setIsShuffle: (v: boolean) => void
|
||||
) {
|
||||
setIsShuffle(!isShuffle);
|
||||
}
|
||||
29
src/app/darmasaba/(pages)/musik/lib/volume.ts
Normal file
29
src/app/darmasaba/(pages)/musik/lib/volume.ts
Normal file
@@ -0,0 +1,29 @@
|
||||
import { RefObject } from "react";
|
||||
|
||||
export function setAudioVolume(
|
||||
audioRef: RefObject<HTMLAudioElement | null>,
|
||||
volume: number,
|
||||
setVolume: (v: number) => void,
|
||||
setIsMuted: (v: boolean) => void
|
||||
) {
|
||||
if (!audioRef.current) return;
|
||||
|
||||
audioRef.current.volume = volume / 100;
|
||||
setVolume(volume);
|
||||
|
||||
if (volume > 0) {
|
||||
setIsMuted(false);
|
||||
}
|
||||
}
|
||||
|
||||
export function toggleMute(
|
||||
audioRef: RefObject<HTMLAudioElement | null>,
|
||||
isMuted: boolean,
|
||||
setIsMuted: (v: boolean) => void
|
||||
) {
|
||||
if (!audioRef.current) return;
|
||||
|
||||
const muted = !isMuted;
|
||||
audioRef.current.muted = muted;
|
||||
setIsMuted(muted);
|
||||
}
|
||||
@@ -1,45 +1,127 @@
|
||||
/* eslint-disable @typescript-eslint/no-explicit-any */
|
||||
'use client'
|
||||
import { ActionIcon, Avatar, Badge, Box, Card, Flex, Grid, Group, Paper, Slider, Stack, Text, TextInput } from '@mantine/core';
|
||||
import { ActionIcon, Avatar, Badge, Box, Card, Flex, Grid, Group, Paper, ScrollArea, Slider, Stack, Text, TextInput } from '@mantine/core';
|
||||
import { IconArrowsShuffle, IconPlayerPauseFilled, IconPlayerPlayFilled, IconPlayerSkipBackFilled, IconPlayerSkipForwardFilled, IconRepeat, IconRepeatOff, IconSearch, IconVolume, IconVolumeOff, IconX } from '@tabler/icons-react';
|
||||
import { useEffect, useState } from 'react';
|
||||
import { useEffect, useMemo, useRef, useState } from 'react';
|
||||
import BackButton from '../../desa/layanan/_com/BackButto';
|
||||
import { togglePlayPause } from '../lib/playPause';
|
||||
import { getNextIndex, getPrevIndex } from '../lib/nextPrev';
|
||||
import { handleRepeatOrNext } from '../lib/repeat';
|
||||
import { seekTo } from '../lib/seek';
|
||||
import { toggleShuffle } from '../lib/shuffle';
|
||||
import { setAudioVolume, toggleMute as toggleMuteUtil } from '../lib/volume';
|
||||
|
||||
interface MusicFile {
|
||||
id: string;
|
||||
name: string;
|
||||
realName: string;
|
||||
path: string;
|
||||
mimeType: string;
|
||||
link: string;
|
||||
}
|
||||
|
||||
interface Musik {
|
||||
id: string;
|
||||
judul: string;
|
||||
artis: string;
|
||||
deskripsi: string | null;
|
||||
durasi: string;
|
||||
genre: string | null;
|
||||
tahunRilis: number | null;
|
||||
audioFile: MusicFile | null;
|
||||
coverImage: MusicFile | null;
|
||||
isActive: boolean;
|
||||
}
|
||||
|
||||
const MusicPlayer = () => {
|
||||
const [isPlaying, setIsPlaying] = useState(false);
|
||||
const [currentTime, setCurrentTime] = useState(0);
|
||||
const [duration, setDuration] = useState(245);
|
||||
const [duration, setDuration] = useState(0);
|
||||
const [volume, setVolume] = useState(70);
|
||||
const [isMuted, setIsMuted] = useState(false);
|
||||
const [isRepeat, setIsRepeat] = useState(false);
|
||||
const [isShuffle, setIsShuffle] = useState(false);
|
||||
const [search, setSearch] = useState('');
|
||||
const [musikData, setMusikData] = useState<Musik[]>([]);
|
||||
const [loading, setLoading] = useState(true);
|
||||
const [currentSongIndex, setCurrentSongIndex] = useState(-1);
|
||||
const [isSeeking, setIsSeeking] = useState(false);
|
||||
const audioRef = useRef<HTMLAudioElement | null>(null);
|
||||
|
||||
const songs = [
|
||||
{ id: 1, title: 'Midnight Dreams', artist: 'The Wanderers', duration: '4:05', cover: 'https://images.unsplash.com/photo-1470225620780-dba8ba36b745?w=400&h=400&fit=crop' },
|
||||
{ id: 2, title: 'Summer Breeze', artist: 'Coastal Vibes', duration: '3:42', cover: 'https://images.unsplash.com/photo-1493225457124-a3eb161ffa5f?w=400&h=400&fit=crop' },
|
||||
{ id: 3, title: 'City Lights', artist: 'Urban Echo', duration: '4:18', cover: 'https://images.unsplash.com/photo-1514320291840-2e0a9bf2a9ae?w=400&h=400&fit=crop' },
|
||||
{ id: 4, title: 'Ocean Waves', artist: 'Serenity Sound', duration: '5:20', cover: 'https://images.unsplash.com/photo-1459749411175-04bf5292ceea?w=400&h=400&fit=crop' },
|
||||
{ id: 5, title: 'Neon Nights', artist: 'Electric Dreams', duration: '3:55', cover: 'https://images.unsplash.com/photo-1487180144351-b8472da7d491?w=400&h=400&fit=crop' },
|
||||
{ id: 6, title: 'Mountain High', artist: 'Peak Performers', duration: '4:32', cover: 'https://images.unsplash.com/photo-1511671782779-c97d3d27a1d4?w=400&h=400&fit=crop' }
|
||||
];
|
||||
|
||||
const [currentSong, setCurrentSong] = useState(songs[0]);
|
||||
|
||||
// Fetch musik data from API
|
||||
useEffect(() => {
|
||||
let interval: any;
|
||||
if (isPlaying) {
|
||||
interval = setInterval(() => {
|
||||
setCurrentTime(prev => {
|
||||
if (prev >= duration) {
|
||||
setIsPlaying(false);
|
||||
return 0;
|
||||
}
|
||||
return prev + 1;
|
||||
const fetchMusik = async () => {
|
||||
try {
|
||||
setLoading(true);
|
||||
const res = await fetch('/api/desa/musik/find-many?page=1&limit=50');
|
||||
const data = await res.json();
|
||||
if (data.success && data.data) {
|
||||
const activeMusik = data.data.filter((m: Musik) => m.isActive);
|
||||
setMusikData(activeMusik);
|
||||
}
|
||||
} catch (error) {
|
||||
console.error('Error fetching musik:', error);
|
||||
} finally {
|
||||
setLoading(false);
|
||||
}
|
||||
};
|
||||
|
||||
fetchMusik();
|
||||
}, []);
|
||||
|
||||
// Filter musik based on search - gunakan useMemo untuk mencegah re-calculate setiap render
|
||||
const filteredMusik = useMemo(() => {
|
||||
return musikData.filter(musik =>
|
||||
musik.judul.toLowerCase().includes(search.toLowerCase()) ||
|
||||
musik.artis.toLowerCase().includes(search.toLowerCase()) ||
|
||||
(musik.genre && musik.genre.toLowerCase().includes(search.toLowerCase()))
|
||||
);
|
||||
}, [musikData, search]);
|
||||
|
||||
const currentSong = currentSongIndex >= 0 && currentSongIndex < filteredMusik.length
|
||||
? filteredMusik[currentSongIndex]
|
||||
: null;
|
||||
|
||||
// // Update progress bar
|
||||
// useEffect(() => {
|
||||
// if (isPlaying && audioRef.current) {
|
||||
// progressInterval.current = window.setInterval(() => {
|
||||
// if (audioRef.current) {
|
||||
// setCurrentTime(Math.floor(audioRef.current.currentTime));
|
||||
// }
|
||||
// }, 1000);
|
||||
// } else {
|
||||
// if (progressInterval.current) {
|
||||
// clearInterval(progressInterval.current);
|
||||
// }
|
||||
// }
|
||||
|
||||
// return () => {
|
||||
// if (progressInterval.current) {
|
||||
// clearInterval(progressInterval.current);
|
||||
// }
|
||||
// };
|
||||
// }, [isPlaying]);
|
||||
|
||||
// Update duration when song changes
|
||||
useEffect(() => {
|
||||
if (currentSong && audioRef.current) {
|
||||
// Gunakan durasi dari database sebagai acuan utama
|
||||
const durationParts = currentSong.durasi.split(':');
|
||||
const durationInSeconds = parseInt(durationParts[0]) * 60 + parseInt(durationParts[1]);
|
||||
setDuration(durationInSeconds);
|
||||
|
||||
// Reset audio currentTime ke 0 hanya untuk lagu baru
|
||||
audioRef.current.currentTime = 0;
|
||||
setCurrentTime(0);
|
||||
|
||||
if (isPlaying) {
|
||||
audioRef.current.play().catch(err => {
|
||||
console.error('Error playing audio:', err);
|
||||
setIsPlaying(false);
|
||||
});
|
||||
}, 1000);
|
||||
}
|
||||
}
|
||||
return () => clearInterval(interval);
|
||||
}, [isPlaying, duration]);
|
||||
}, [currentSong?.id, currentSongIndex]);
|
||||
|
||||
const formatTime = (seconds: number) => {
|
||||
const mins = Math.floor(seconds / 60);
|
||||
@@ -47,20 +129,101 @@ const MusicPlayer = () => {
|
||||
return `${mins}:${secs.toString().padStart(2, '0')}`;
|
||||
};
|
||||
|
||||
const playSong = (song: any) => {
|
||||
setCurrentSong(song);
|
||||
setCurrentTime(0);
|
||||
const playSong = (index: number) => {
|
||||
if (index < 0 || index >= filteredMusik.length) return;
|
||||
|
||||
setCurrentSongIndex(index);
|
||||
setIsPlaying(true);
|
||||
const durationInSeconds = parseInt(song.duration.split(':')[0]) * 60 + parseInt(song.duration.split(':')[1]);
|
||||
setDuration(durationInSeconds);
|
||||
};
|
||||
|
||||
const handleSongEnd = () => {
|
||||
const playNext = () => {
|
||||
let nextIndex: number;
|
||||
if (isShuffle) {
|
||||
nextIndex = Math.floor(Math.random() * filteredMusik.length);
|
||||
} else {
|
||||
nextIndex = (currentSongIndex + 1) % filteredMusik.length;
|
||||
}
|
||||
|
||||
if (filteredMusik.length > 1) {
|
||||
playSong(nextIndex);
|
||||
} else {
|
||||
setIsPlaying(false);
|
||||
setCurrentTime(0);
|
||||
}
|
||||
};
|
||||
|
||||
handleRepeatOrNext(audioRef, isRepeat, playNext);
|
||||
};
|
||||
|
||||
const toggleMute = () => {
|
||||
setIsMuted(!isMuted);
|
||||
toggleMuteUtil(audioRef, isMuted, setIsMuted);
|
||||
};
|
||||
|
||||
const handleVolumeChange = (val: number) => {
|
||||
setAudioVolume(audioRef, val, setVolume, setIsMuted);
|
||||
};
|
||||
|
||||
const skipBack = () => {
|
||||
const prevIndex = getPrevIndex(currentSongIndex, filteredMusik.length, isShuffle);
|
||||
if (prevIndex >= 0) {
|
||||
playSong(prevIndex);
|
||||
}
|
||||
};
|
||||
|
||||
const skipForward = () => {
|
||||
const nextIndex = getNextIndex(currentSongIndex, filteredMusik.length, isShuffle);
|
||||
if (nextIndex >= 0) {
|
||||
playSong(nextIndex);
|
||||
}
|
||||
};
|
||||
|
||||
const toggleShuffleHandler = () => {
|
||||
toggleShuffle(isShuffle, setIsShuffle);
|
||||
};
|
||||
|
||||
const togglePlayPauseHandler = () => {
|
||||
if (!currentSong) return;
|
||||
togglePlayPause(audioRef, isPlaying, setIsPlaying);
|
||||
};
|
||||
|
||||
if (loading) {
|
||||
return (
|
||||
<Box px={{ base: 'md', md: 100 }} py="xl">
|
||||
<Paper mx="auto" p="xl" radius="lg" shadow="sm" bg="white">
|
||||
<Text ta="center">Memuat data musik...</Text>
|
||||
</Paper>
|
||||
</Box>
|
||||
);
|
||||
}
|
||||
|
||||
return (
|
||||
<Box px={{ base: 'md', md: 100 }} py="xl">
|
||||
{/* Hidden audio element - gunakan key yang stabil untuk mencegah remount */}
|
||||
{currentSong?.audioFile && (
|
||||
<audio
|
||||
key={`audio-${currentSong.id}`}
|
||||
ref={audioRef}
|
||||
src={currentSong.audioFile.link}
|
||||
muted={isMuted}
|
||||
onLoadedMetadata={(e) => {
|
||||
// Jangan override duration dari database
|
||||
// Audio element duration bisa berbeda beberapa ms
|
||||
if (audioRef.current) {
|
||||
audioRef.current.currentTime = 0;
|
||||
}
|
||||
}}
|
||||
onTimeUpdate={() => {
|
||||
if (!audioRef.current || isSeeking) return;
|
||||
// Gunakan pembulatan yang lebih smooth
|
||||
const time = audioRef.current.currentTime;
|
||||
const roundedTime = Math.round(time);
|
||||
setCurrentTime(roundedTime);
|
||||
}}
|
||||
onEnded={handleSongEnd}
|
||||
/>
|
||||
)}
|
||||
|
||||
<Paper
|
||||
mx="auto"
|
||||
p="xl"
|
||||
@@ -84,6 +247,8 @@ const MusicPlayer = () => {
|
||||
leftSection={<IconSearch size={18} />}
|
||||
radius="xl"
|
||||
w={280}
|
||||
value={search}
|
||||
onChange={(e) => setSearch(e.target.value)}
|
||||
styles={{ input: { backgroundColor: '#fff' } }}
|
||||
/>
|
||||
</Group>
|
||||
@@ -91,63 +256,96 @@ const MusicPlayer = () => {
|
||||
<Stack gap="xl">
|
||||
<div>
|
||||
<Text size="xl" fw={700} c="#0B4F78" mb="md">Sedang Diputar</Text>
|
||||
<Card radius="md" p="xl" shadow="md">
|
||||
<Group align="center" gap="xl">
|
||||
<Avatar src={currentSong.cover} size={180} radius="md" />
|
||||
<Stack gap="md" style={{ flex: 1 }}>
|
||||
<div>
|
||||
<Text size="28px" fw={700} c="#0B4F78">{currentSong.title}</Text>
|
||||
<Text size="lg" c="#5A6C7D">{currentSong.artist}</Text>
|
||||
</div>
|
||||
<Group gap="xs" align="center">
|
||||
<Text size="xs" c="#5A6C7D" w={42}>{formatTime(currentTime)}</Text>
|
||||
<Slider
|
||||
value={currentTime}
|
||||
max={duration}
|
||||
onChange={setCurrentTime}
|
||||
color="#0B4F78"
|
||||
size="sm"
|
||||
style={{ flex: 1 }}
|
||||
styles={{ thumb: { borderWidth: 2 } }}
|
||||
/>
|
||||
<Text size="xs" c="#5A6C7D" w={42}>{formatTime(duration)}</Text>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Group>
|
||||
</Card>
|
||||
{currentSong ? (
|
||||
<Card radius="md" p="xl" shadow="md">
|
||||
<Group align="center" gap="xl">
|
||||
<Avatar
|
||||
src={currentSong.coverImage?.link || 'https://images.unsplash.com/photo-1470225620780-dba8ba36b745?w=400&h=400&fit=crop'}
|
||||
size={180}
|
||||
radius="md"
|
||||
/>
|
||||
<Stack gap="md" style={{ flex: 1 }}>
|
||||
<div>
|
||||
<Text size="28px" fw={700} c="#0B4F78">{currentSong.judul}</Text>
|
||||
<Text size="lg" c="#5A6C7D">{currentSong.artis}</Text>
|
||||
{currentSong.genre && (
|
||||
<Badge mt="xs" color="#0B4F78" variant="light">{currentSong.genre}</Badge>
|
||||
)}
|
||||
</div>
|
||||
<Group gap="xs" align="center">
|
||||
<Text size="xs" c="#5A6C7D" w={42}>{formatTime(currentTime)}</Text>
|
||||
<Slider
|
||||
value={currentTime}
|
||||
max={duration}
|
||||
onChange={(v) => {
|
||||
setIsSeeking(true);
|
||||
setCurrentTime(v);
|
||||
}}
|
||||
onChangeEnd={(v) => {
|
||||
// Validasi: jangan seek melebihi durasi
|
||||
const seekTime = Math.min(Math.max(0, v), duration);
|
||||
// Set seeking false DULUAN sebelum seekTo
|
||||
setIsSeeking(false);
|
||||
seekTo(audioRef, seekTime, setCurrentTime);
|
||||
}}
|
||||
color="#0B4F78"
|
||||
size="sm"
|
||||
style={{ flex: 1 }}
|
||||
styles={{ thumb: { borderWidth: 2 } }}
|
||||
/>
|
||||
<Text size="xs" c="#5A6C7D" w={42}>{formatTime(duration)}</Text>
|
||||
</Group>
|
||||
</Stack>
|
||||
</Group>
|
||||
</Card>
|
||||
) : (
|
||||
<Card radius="md" p="xl" shadow="md">
|
||||
<Text ta="center" c="dimmed">Pilih lagu untuk diputar</Text>
|
||||
</Card>
|
||||
)}
|
||||
</div>
|
||||
|
||||
<div>
|
||||
<Text size="xl" fw={700} c="#0B4F78" mb="md">Daftar Putar</Text>
|
||||
<Grid gutter="md">
|
||||
{songs.map(song => (
|
||||
<Grid.Col span={{ base: 12, sm: 6, lg: 4 }} key={song.id}>
|
||||
<Card
|
||||
radius="md"
|
||||
p="md"
|
||||
shadow="sm"
|
||||
style={{
|
||||
cursor: 'pointer',
|
||||
border: currentSong.id === song.id ? '2px solid #0B4F78' : '2px solid transparent',
|
||||
transition: 'all 0.2s'
|
||||
}}
|
||||
onClick={() => playSong(song)}
|
||||
>
|
||||
<Group gap="md" align="center">
|
||||
<Avatar src={song.cover} size={64} radius="md" />
|
||||
<Stack gap={4} style={{ flex: 1, minWidth: 0 }}>
|
||||
<Text size="sm" fw={600} c="#0B4F78" truncate>{song.title}</Text>
|
||||
<Text size="xs" c="#5A6C7D">{song.artist}</Text>
|
||||
<Text size="xs" c="#8A9BA8">{song.duration}</Text>
|
||||
</Stack>
|
||||
{currentSong.id === song.id && isPlaying && (
|
||||
<Badge color="#0B4F78" variant="filled">Memutar</Badge>
|
||||
)}
|
||||
</Group>
|
||||
</Card>
|
||||
</Grid.Col>
|
||||
))}
|
||||
</Grid>
|
||||
{filteredMusik.length === 0 ? (
|
||||
<Text ta="center" c="dimmed">Tidak ada musik yang ditemukan</Text>
|
||||
) : (
|
||||
<ScrollArea.Autosize mah={400}>
|
||||
<Grid gutter="md">
|
||||
{filteredMusik.map((song, index) => (
|
||||
<Grid.Col span={{ base: 12, sm: 6, lg: 4 }} key={song.id}>
|
||||
<Card
|
||||
radius="md"
|
||||
p="md"
|
||||
shadow="sm"
|
||||
style={{
|
||||
cursor: 'pointer',
|
||||
border: currentSong?.id === song.id ? '2px solid #0B4F78' : '2px solid transparent',
|
||||
transition: 'all 0.2s'
|
||||
}}
|
||||
onClick={() => playSong(index)}
|
||||
>
|
||||
<Group gap="md" align="center">
|
||||
<Avatar
|
||||
src={song.coverImage?.link || 'https://images.unsplash.com/photo-1470225620780-dba8ba36b745?w=400&h=400&fit=crop'}
|
||||
size={64}
|
||||
radius="md"
|
||||
/>
|
||||
<Stack gap={4} style={{ flex: 1, minWidth: 0 }}>
|
||||
<Text size="sm" fw={600} c="#0B4F78" truncate>{song.judul}</Text>
|
||||
<Text size="xs" c="#5A6C7D">{song.artis}</Text>
|
||||
<Text size="xs" c="#8A9BA8">{song.durasi}</Text>
|
||||
</Stack>
|
||||
{currentSong?.id === song.id && isPlaying && (
|
||||
<Badge color="#0B4F78" variant="filled">Memutar</Badge>
|
||||
)}
|
||||
</Group>
|
||||
</Card>
|
||||
</Grid.Col>
|
||||
))}
|
||||
</Grid>
|
||||
</ScrollArea.Autosize>
|
||||
)}
|
||||
</div>
|
||||
</Stack>
|
||||
|
||||
@@ -168,10 +366,20 @@ const MusicPlayer = () => {
|
||||
>
|
||||
<Flex align="center" justify="space-between" gap="xl" h="100%">
|
||||
<Group gap="md" style={{ flex: 1 }}>
|
||||
<Avatar src={currentSong.cover} size={56} radius="md" />
|
||||
<Avatar
|
||||
src={currentSong?.coverImage?.link || 'https://images.unsplash.com/photo-1470225620780-dba8ba36b745?w=400&h=400&fit=crop'}
|
||||
size={56}
|
||||
radius="md"
|
||||
/>
|
||||
<div style={{ flex: 1, minWidth: 0 }}>
|
||||
<Text size="sm" fw={600} c="#0B4F78" truncate>{currentSong.title}</Text>
|
||||
<Text size="xs" c="#5A6C7D">{currentSong.artist}</Text>
|
||||
{currentSong ? (
|
||||
<>
|
||||
<Text size="sm" fw={600} c="#0B4F78" truncate>{currentSong.judul}</Text>
|
||||
<Text size="xs" c="#5A6C7D">{currentSong.artis}</Text>
|
||||
</>
|
||||
) : (
|
||||
<Text size="sm" c="dimmed">Tidak ada lagu</Text>
|
||||
)}
|
||||
</div>
|
||||
</Group>
|
||||
|
||||
@@ -180,12 +388,12 @@ const MusicPlayer = () => {
|
||||
<ActionIcon
|
||||
variant={isShuffle ? 'filled' : 'subtle'}
|
||||
color="#0B4F78"
|
||||
onClick={() => setIsShuffle(!isShuffle)}
|
||||
onClick={toggleShuffleHandler}
|
||||
radius="xl"
|
||||
>
|
||||
{isShuffle ? <IconArrowsShuffle size={18} /> : <IconX size={18} />}
|
||||
</ActionIcon>
|
||||
<ActionIcon variant="light" color="#0B4F78" size={40} radius="xl">
|
||||
<ActionIcon variant="light" color="#0B4F78" size={40} radius="xl" onClick={skipBack}>
|
||||
<IconPlayerSkipBackFilled size={20} />
|
||||
</ActionIcon>
|
||||
<ActionIcon
|
||||
@@ -193,11 +401,11 @@ const MusicPlayer = () => {
|
||||
color="#0B4F78"
|
||||
size={56}
|
||||
radius="xl"
|
||||
onClick={() => setIsPlaying(!isPlaying)}
|
||||
onClick={togglePlayPauseHandler}
|
||||
>
|
||||
{isPlaying ? <IconPlayerPauseFilled size={26} /> : <IconPlayerPlayFilled size={26} />}
|
||||
</ActionIcon>
|
||||
<ActionIcon variant="light" color="#0B4F78" size={40} radius="xl">
|
||||
<ActionIcon variant="light" color="#0B4F78" size={40} radius="xl" onClick={skipForward}>
|
||||
<IconPlayerSkipForwardFilled size={20} />
|
||||
</ActionIcon>
|
||||
<ActionIcon
|
||||
@@ -214,7 +422,17 @@ const MusicPlayer = () => {
|
||||
<Slider
|
||||
value={currentTime}
|
||||
max={duration}
|
||||
onChange={setCurrentTime}
|
||||
onChange={(v) => {
|
||||
setIsSeeking(true);
|
||||
setCurrentTime(v); // preview - update UI saja
|
||||
}}
|
||||
onChangeEnd={(v) => {
|
||||
// Validasi: jangan seek melebihi durasi
|
||||
const seekTime = Math.min(Math.max(0, v), duration);
|
||||
// Set seeking false DULUAN sebelum seekTo
|
||||
setIsSeeking(false);
|
||||
seekTo(audioRef, seekTime, setCurrentTime);
|
||||
}}
|
||||
color="#0B4F78"
|
||||
size="xs"
|
||||
style={{ flex: 1 }}
|
||||
@@ -229,10 +447,7 @@ const MusicPlayer = () => {
|
||||
</ActionIcon>
|
||||
<Slider
|
||||
value={isMuted ? 0 : volume}
|
||||
onChange={(val) => {
|
||||
setVolume(val);
|
||||
if (val > 0) setIsMuted(false);
|
||||
}}
|
||||
onChange={handleVolumeChange}
|
||||
color="#0B4F78"
|
||||
size="xs"
|
||||
w={100}
|
||||
|
||||
@@ -12,6 +12,9 @@ import { Metadata, Viewport } from "next";
|
||||
import { ViewTransitions } from "next-view-transitions";
|
||||
import { ToastContainer } from "react-toastify";
|
||||
|
||||
// Force dynamic rendering untuk menghindari error prerendering
|
||||
export const dynamic = 'force-dynamic';
|
||||
|
||||
// ✅ Pisahkan viewport ke export tersendiri
|
||||
export const viewport: Viewport = {
|
||||
width: "device-width",
|
||||
|
||||
@@ -2,7 +2,7 @@
|
||||
|
||||
import { useDarkMode } from '@/state/darkModeStore';
|
||||
import { themeTokens } from '@/utils/themeTokens';
|
||||
import { Paper, Box, BoxProps, Divider, DividerProps } from '@mantine/core';
|
||||
import { Box, BoxProps, Divider, DividerProps, Paper } from '@mantine/core';
|
||||
import React from 'react';
|
||||
|
||||
/**
|
||||
@@ -22,7 +22,6 @@ import React from 'react';
|
||||
|
||||
// ============================================================================
|
||||
// Unified Card Component
|
||||
* ============================================================================
|
||||
|
||||
interface UnifiedCardProps extends BoxProps {
|
||||
withBorder?: boolean;
|
||||
@@ -63,12 +62,18 @@ export function UnifiedCard({
|
||||
}
|
||||
};
|
||||
|
||||
const getShadow = () => {
|
||||
if (shadow === 'none') return 'none';
|
||||
return tokens.shadows[shadow];
|
||||
};
|
||||
|
||||
return (
|
||||
<Paper
|
||||
withBorder={withBorder}
|
||||
bg={tokens.colors.bg.card}
|
||||
p={getPadding()}
|
||||
radius={tokens.radius.lg} // 12-16px sesuai spec
|
||||
shadow={getShadow()}
|
||||
style={{
|
||||
borderColor: tokens.colors.border.default,
|
||||
transition: hoverable
|
||||
|
||||
@@ -5,6 +5,8 @@ import { themeTokens, getResponsiveFz } from '@/utils/themeTokens';
|
||||
import { Text, Title, Box, BoxProps } from '@mantine/core';
|
||||
import React from 'react';
|
||||
|
||||
type TextTruncate = 'end' | 'start' | boolean;
|
||||
|
||||
/**
|
||||
* Unified Typography Components
|
||||
*
|
||||
@@ -73,7 +75,7 @@ export function UnifiedTitle({
|
||||
const getColor = () => {
|
||||
if (color === 'primary') return tokens.colors.text.primary;
|
||||
if (color === 'secondary') return tokens.colors.text.secondary;
|
||||
if (color === 'brand') return tokens.colors.brand;
|
||||
if (color === 'brand') return tokens.colors.text.brand;
|
||||
return color;
|
||||
};
|
||||
|
||||
@@ -109,8 +111,14 @@ interface UnifiedTextProps {
|
||||
align?: 'left' | 'center' | 'right';
|
||||
color?: 'primary' | 'secondary' | 'tertiary' | 'muted' | 'brand' | 'link' | string;
|
||||
lineClamp?: number;
|
||||
truncate?: 'start' | 'end' | 'middle' | boolean;
|
||||
truncate?: TextTruncate;
|
||||
span?: boolean;
|
||||
mt?: string;
|
||||
mb?: string;
|
||||
ml?: string;
|
||||
mr?: string;
|
||||
mx?: string;
|
||||
my?: string;
|
||||
style?: React.CSSProperties;
|
||||
}
|
||||
|
||||
@@ -123,6 +131,12 @@ export function UnifiedText({
|
||||
lineClamp,
|
||||
truncate,
|
||||
span = false,
|
||||
mt,
|
||||
mb,
|
||||
ml,
|
||||
mr,
|
||||
mx,
|
||||
my,
|
||||
style,
|
||||
}: UnifiedTextProps) {
|
||||
const { isDark } = useDarkMode();
|
||||
@@ -163,7 +177,7 @@ export function UnifiedText({
|
||||
case 'muted':
|
||||
return tokens.colors.text.muted;
|
||||
case 'brand':
|
||||
return tokens.colors.brand;
|
||||
return tokens.colors.text.brand;
|
||||
case 'link':
|
||||
return tokens.colors.text.link;
|
||||
default:
|
||||
@@ -177,7 +191,7 @@ export function UnifiedText({
|
||||
|
||||
if (span) {
|
||||
return (
|
||||
<Text.Span
|
||||
<Text
|
||||
ta={align}
|
||||
fz={typo.fz}
|
||||
fw={fw}
|
||||
@@ -185,10 +199,16 @@ export function UnifiedText({
|
||||
c={textColor}
|
||||
lineClamp={lineClamp}
|
||||
truncate={truncate}
|
||||
mt={mt}
|
||||
mb={mb}
|
||||
ml={ml}
|
||||
mr={mr}
|
||||
mx={mx}
|
||||
my={my}
|
||||
style={style}
|
||||
>
|
||||
{children}
|
||||
</Text.Span>
|
||||
</Text>
|
||||
);
|
||||
}
|
||||
|
||||
@@ -201,6 +221,12 @@ export function UnifiedText({
|
||||
c={textColor}
|
||||
lineClamp={lineClamp}
|
||||
truncate={truncate}
|
||||
mt={mt}
|
||||
mb={mb}
|
||||
ml={ml}
|
||||
mr={mr}
|
||||
mx={mx}
|
||||
my={my}
|
||||
style={style}
|
||||
>
|
||||
{children}
|
||||
|
||||
@@ -1,11 +1,11 @@
|
||||
/**
|
||||
* Authentication helper untuk API endpoints
|
||||
*
|
||||
*
|
||||
* Usage:
|
||||
* import { requireAuth } from "@/lib/api-auth";
|
||||
*
|
||||
* export default async function myEndpoint(context: Context) {
|
||||
* const authResult = await requireAuth(context);
|
||||
*
|
||||
* export default async function myEndpoint() {
|
||||
* const authResult = await requireAuth();
|
||||
* if (!authResult.authenticated) {
|
||||
* return authResult.response;
|
||||
* }
|
||||
@@ -13,24 +13,24 @@
|
||||
* }
|
||||
*/
|
||||
|
||||
import { getSession } from "@/lib/session";
|
||||
import { getSession, SessionData } from "@/lib/session";
|
||||
|
||||
export type AuthResult =
|
||||
| { authenticated: true; user: any }
|
||||
export type AuthResult =
|
||||
| { authenticated: true; user: NonNullable<SessionData["user"]> }
|
||||
| { authenticated: false; response: Response };
|
||||
|
||||
export async function requireAuth(context: any): Promise<AuthResult> {
|
||||
export async function requireAuth(): Promise<AuthResult> {
|
||||
try {
|
||||
// Cek session dari cookies
|
||||
const session = await getSession();
|
||||
|
||||
|
||||
if (!session || !session.user) {
|
||||
return {
|
||||
authenticated: false,
|
||||
response: new Response(JSON.stringify({
|
||||
success: false,
|
||||
message: "Unauthorized - Silakan login terlebih dahulu"
|
||||
}), {
|
||||
}), {
|
||||
status: 401,
|
||||
headers: { 'Content-Type': 'application/json' }
|
||||
})
|
||||
@@ -44,7 +44,7 @@ export async function requireAuth(context: any): Promise<AuthResult> {
|
||||
response: new Response(JSON.stringify({
|
||||
success: false,
|
||||
message: "Akun Anda tidak aktif. Hubungi administrator."
|
||||
}), {
|
||||
}), {
|
||||
status: 403,
|
||||
headers: { 'Content-Type': 'application/json' }
|
||||
})
|
||||
@@ -55,14 +55,13 @@ export async function requireAuth(context: any): Promise<AuthResult> {
|
||||
authenticated: true,
|
||||
user: session.user
|
||||
};
|
||||
} catch (error) {
|
||||
console.error("Auth error:", error);
|
||||
} catch {
|
||||
return {
|
||||
authenticated: false,
|
||||
response: new Response(JSON.stringify({
|
||||
success: false,
|
||||
message: "Authentication error"
|
||||
}), {
|
||||
}), {
|
||||
status: 500,
|
||||
headers: { 'Content-Type': 'application/json' }
|
||||
})
|
||||
@@ -74,11 +73,11 @@ export async function requireAuth(context: any): Promise<AuthResult> {
|
||||
* Optional auth - tidak error jika tidak authenticated
|
||||
* Berguna untuk endpoint yang bisa diakses public atau private
|
||||
*/
|
||||
export async function optionalAuth(context: any): Promise<any> {
|
||||
export async function optionalAuth(): Promise<NonNullable<SessionData["user"]> | null> {
|
||||
try {
|
||||
const session = await getSession();
|
||||
return session?.user || null;
|
||||
} catch (error) {
|
||||
} catch {
|
||||
return null;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -223,6 +223,10 @@ export const themeTokens = (isDark: boolean = false): ThemeTokens => {
|
||||
hoverSoft: 'rgba(25, 113, 194, 0.03)',
|
||||
hoverMedium: 'rgba(25, 113, 194, 0.05)',
|
||||
activeAccent: 'rgba(25, 113, 194, 0.1)',
|
||||
success: '#22c55e',
|
||||
warning: '#facc15',
|
||||
error: '#ef4444',
|
||||
info: '#38bdf8',
|
||||
};
|
||||
|
||||
const current = isDark ? darkColors : lightColors;
|
||||
@@ -381,3 +385,7 @@ export const getActiveStateStyles = (isActive: boolean, isDark: boolean = false)
|
||||
},
|
||||
};
|
||||
};
|
||||
|
||||
|
||||
|
||||
|
||||
|
||||
Reference in New Issue
Block a user