This commit is contained in:
2025-01-17 10:12:28 +08:00
63 changed files with 1771 additions and 1600 deletions

View File

@@ -2,6 +2,8 @@
All notable changes to this project will be documented in this file. See [commit-and-tag-version](https://github.com/absolute-version/commit-and-tag-version) for commit guidelines. All notable changes to this project will be documented in this file. See [commit-and-tag-version](https://github.com/absolute-version/commit-and-tag-version) for commit guidelines.
## [1.2.40](https://github.com/bipproduction/hipmi/compare/v1.2.39...v1.2.40) (2025-01-16)
## [1.2.39](https://github.com/bipproduction/hipmi/compare/v1.2.38...v1.2.39) (2025-01-12) ## [1.2.39](https://github.com/bipproduction/hipmi/compare/v1.2.38...v1.2.39) (2025-01-12)
## [1.2.38](https://github.com/bipproduction/hipmi/compare/v1.2.37...v1.2.38) (2025-01-03) ## [1.2.38](https://github.com/bipproduction/hipmi/compare/v1.2.37...v1.2.38) (2025-01-03)

View File

@@ -1,16 +1,16 @@
{ {
"name": "hipmi", "name": "hipmi",
"version": "1.2.39", "version": "1.2.40",
"private": true, "private": true,
"prisma": { "prisma": {
"seed": "npx tsx prisma/seed.ts --yes" "seed": "bun prisma/seed.ts"
}, },
"scripts": { "scripts": {
"dev": "bun --bun run next dev --experimental-https", "dev": "next dev --experimental-https",
"build": "NODE_OPTIONS='--max-old-space-size=2048' bun --bun run next build", "build": "next build",
"build:dev": "bun --bun run next build", "build:dev": "next build",
"start": "bun --bun run next start", "start": "next start",
"lint": "bun --bun run next lint", "lint": "next lint",
"ver": "bunx commit-and-tag-version -- --prerelease" "ver": "bunx commit-and-tag-version -- --prerelease"
}, },
"dependencies": { "dependencies": {

View File

@@ -2,38 +2,48 @@ import { prisma } from "@/app/lib";
import { NextResponse } from "next/server"; import { NextResponse } from "next/server";
export const dynamic = "force-dynamic"; export const dynamic = "force-dynamic";
// GET ONE DATA INVESTASI BY ID // GET ONE DATA INVESTASI BY ID
export async function GET(request: Request, context: { params: { id: string } }) { export async function GET(
request: Request,
context: { params: { id: string } }
) {
try { try {
const { id } = context.params const { id } = context.params;
const data = await prisma.investasi.findUnique({ const data = await prisma.investasi.findUnique({
where: { where: {
id: id, id: id,
}, },
select: { include: {
id: true, author: {
title: true, include: {
targetDana: true, Profile: true,
hargaLembar: true, },
totalLembar: true, },
roi: true, Investasi_Invoice: true,
countDown: true, MasterStatusInvestasi: true,
catatan: true, BeritaInvestasi: true,
sisaLembar: true, DokumenInvestasi: true,
imageId: true, ProspektusInvestasi: true,
masterPencarianInvestorId: true, MasterPembagianDeviden: true,
masterPeriodeDevidenId: true, MasterPencarianInvestor: true,
masterPembagianDevidenId: true, MasterPeriodeDeviden: true,
} MasterProgresInvestasi: true,
},
}); });
return NextResponse.json({ success: true, message: "Berhasil mendapatkan data", data }, { status: 200 }); return NextResponse.json(
{ success: true, message: "Berhasil mendapatkan data", data },
} { status: 200 }
catch (error) { );
} catch (error) {
console.error(error); console.error(error);
return NextResponse.json({ success: false, message: "Gagal mendapatkan data, coba lagi nanti ", reason: (error as Error).message, }, { status: 500 }); return NextResponse.json(
{
success: false,
message: "Gagal mendapatkan data, coba lagi nanti ",
reason: (error as Error).message,
},
{ status: 500 }
);
} }
} }

View File

@@ -0,0 +1,85 @@
import { prisma } from "@/app/lib";
import backendLogger from "@/util/backendLogger";
import { NextResponse } from "next/server";
export async function GET(
request: Request,
context: { params: { id: string } }
) {
// if (request.method === "GET") {
// return NextResponse.json(
// { success: false, message: "Method not allowed" },
// { status: 405 }
// );
// }
try {
let fixData;
const { id } = context.params;
const { searchParams } = new URL(request.url);
const kategori: string | null = searchParams.get("kategori");
const page = searchParams.get("page");
const takeData = 10;
const skipData = Number(page) * takeData - takeData;
if (!kategori) {
fixData = await prisma.beritaInvestasi.findFirst({
where: {
id: id,
},
include: {
investasi: {
select: {
authorId: true,
},
},
},
});
} else if (kategori == "get-all") {
fixData = await prisma.beritaInvestasi.findMany({
take: takeData,
skip: skipData,
orderBy: {
updatedAt: "desc",
},
where: {
investasiId: id,
active: true,
},
});
}
await prisma.$disconnect();
return NextResponse.json(
{ success: true, message: "Success get data news", data: fixData },
{ status: 200 }
);
} catch (error) {
await prisma.$disconnect();
backendLogger.error("Error get data news", error);
return NextResponse.json(
{
success: false,
message: "Failed to get data, try again later",
reason: (error as Error).message,
},
{ status: 500 }
);
}
}
async function main({ id }: { id: string }) {
const fixData = await prisma.beritaInvestasi.findMany({
take: 10,
skip: 0,
orderBy: {
updatedAt: "desc",
},
where: {
investasiId: id.trim(),
active: true,
},
});
console.log("data sebelum disconnect>>", fixData);
}

View File

@@ -0,0 +1,61 @@
import { prisma } from "@/app/lib";
import backendLogger from "@/util/backendLogger";
import { NextResponse } from "next/server";
export async function GET(
request: Request,
context: { params: { id: string } }
) {
if (request.method === "GET") {
try {
let fixData;
const { id } = context.params;
const { searchParams } = new URL(request.url);
const kategori = searchParams.get("kategori");
const page = searchParams.get("page");
const takeData = 10;
const skipData = Number(page) * takeData - takeData;
if (kategori == null) {
fixData = await prisma.dokumenInvestasi.findFirst({
where: {
id: id,
},
});
} else if (kategori == "get-all") {
fixData = await prisma.dokumenInvestasi.findMany({
take: takeData,
skip: skipData,
orderBy: {
updatedAt: "desc",
},
where: {
investasiId: id,
active: true,
},
});
}
await prisma.$disconnect();
return NextResponse.json(
{ success: true, message: "Success get data document", data: fixData },
{ status: 200 }
);
} catch (error) {
backendLogger.error("Error get data document", error);
return NextResponse.json(
{
success: false,
message: "Failed to get data, try again later",
reason: (error as Error).message,
},
{ status: 500 }
);
}
}
return NextResponse.json(
{ success: false, message: "Method not allowed" },
{ status: 405 }
);
}

View File

@@ -1,12 +1,12 @@
import { investasi_funGetOneBeritaById } from "@/app_modules/investasi/_fun"; import { funGetUserIdByToken } from "@/app_modules/_global/fun/get";
import { Investasi_UiDetailBerita } from "@/app_modules/investasi/_ui"; import { Investasi_UiDetailBerita } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const beritaId = params.id; const userLoginId = await funGetUserIdByToken();
const dataBerita = await investasi_funGetOneBeritaById({ beritaId });
return ( return (
<> <>
<Investasi_UiDetailBerita dataBerita={dataBerita} /> <Investasi_UiDetailBerita userLoginId={userLoginId} />
</> </>
); );
} }

View File

@@ -1,14 +1,9 @@
import { investasi_funGetBeritaById } from "@/app_modules/investasi/_fun";
import { Investasi_UiDaftarBerita } from "@/app_modules/investasi/_ui"; import { Investasi_UiDaftarBerita } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
const dataBerita = await investasi_funGetBeritaById({ investasiId });
return ( return (
<> <>
<Investasi_UiDaftarBerita dataBerita={dataBerita} /> <Investasi_UiDaftarBerita />
</> </>
); );
} }

View File

@@ -1,17 +1,9 @@
import { investasi_funGetBeritaById } from "@/app_modules/investasi/_fun";
import { Investasi_UiRekapBerita } from "@/app_modules/investasi/_ui"; import { Investasi_UiRekapBerita } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
const dataBerita = await investasi_funGetBeritaById({ investasiId });
return ( return (
<> <>
<Investasi_UiRekapBerita <Investasi_UiRekapBerita />
investasiId={investasiId}
dataBerita={dataBerita}
/>
</> </>
); );
} }

View File

@@ -1,10 +1,9 @@
import { Investasi_UiCreateBerita } from "@/app_modules/investasi/_ui"; import { Investasi_UiCreateBerita } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
return ( return (
<> <>
<Investasi_UiCreateBerita investasiId={investasiId} /> <Investasi_UiCreateBerita />
</> </>
); );
} }

View File

@@ -1,11 +1,9 @@
import { Investasi_UiCreateDocument } from "@/app_modules/investasi/_ui"; import { Investasi_UiCreateDocument } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
return ( return (
<> <>
<Investasi_UiCreateDocument investasiId={investasiId} /> <Investasi_UiCreateDocument />
</> </>
); );
} }

View File

@@ -1,21 +1,9 @@
import { funGetUserIdByToken } from "@/app_modules/_global/fun/get";
import { investasi_funGetOneInvestasiById } from "@/app_modules/investasi/_fun";
import { Investasi_UiDetailPortofolio } from "@/app_modules/investasi/_ui"; import { Investasi_UiDetailPortofolio } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
const userLoginId = await funGetUserIdByToken();
const dataPortofolio = await investasi_funGetOneInvestasiById({
investasiId,
});
return ( return (
<> <>
<Investasi_UiDetailPortofolio <Investasi_UiDetailPortofolio />
dataInvestasi={dataPortofolio as any}
userLoginId={userLoginId as string}
/>
</> </>
); );
} }

View File

@@ -1,21 +1,9 @@
import {
investasi_funGetAllDocumentById
} from "@/app_modules/investasi/_fun";
import { Investasi_UiDaftarDokmen } from "@/app_modules/investasi/_ui"; import { Investasi_UiDaftarDokmen } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
const dataDokumen = await investasi_funGetAllDocumentById({
investasiId: investasiId,
page: 1,
});
return ( return (
<> <>
<Investasi_UiDaftarDokmen <Investasi_UiDaftarDokmen />
dataDokumen={dataDokumen}
investasiId={investasiId}
/>
</> </>
); );
} }

View File

@@ -1,19 +1,9 @@
import { investasi_funGetAllDocumentById } from "@/app_modules/investasi/_fun";
import { Investasi_UiRekapDokumen } from "@/app_modules/investasi/_ui"; import { Investasi_UiRekapDokumen } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
const dataDokumen = await investasi_funGetAllDocumentById({
investasiId,
page: 1,
});
return ( return (
<> <>
<Investasi_UiRekapDokumen <Investasi_UiRekapDokumen />
investasiId={investasiId}
dataDokumen={dataDokumen}
/>
</> </>
); );
} }

View File

@@ -1,38 +1,8 @@
import { investasi_funGetOneInvestasiById } from "@/app_modules/investasi/_fun"; import { Investasi_UiEditInvestasiNew } from "@/app_modules/investasi/_ui";
import { Investasi_UiEditInvestasi, Investasi_UiEditInvestasiNew } from "@/app_modules/investasi/_ui";
import getPembagianDeviden from "@/app_modules/investasi/fun/master/get_pembagian_deviden";
import getPencarianInvestor from "@/app_modules/investasi/fun/master/get_pencarian_investor";
import getPeriodeDeviden from "@/app_modules/investasi/fun/master/get_periode_deviden";
import _ from "lodash";
export default async function Page({ params }: { params: { id: string } }) {
// const investasiId = params.id;
// const allData = await investasi_funGetOneInvestasiById({ investasiId });
// const dataInvestasi = _.omit(allData, [
// "BeritaInvestasi",
// "DokumenInvestasi",
// "MasterPembagianDeviden",
// "MasterPencarianInvestor",
// "MasterProgresInvestasi",
// "MasterStatusInvestasi",
// "ProspektusInvestasi",
// "MasterPeriodeDeviden",
// "author",
// ]);
// const listPencarian = await getPencarianInvestor();
// const listPeriode = await getPeriodeDeviden();
// const listPembagian = await getPembagianDeviden();
export default async function Page() {
return ( return (
<> <>
{/* <Investasi_UiEditInvestasi
dataInvestasi={dataInvestasi}
pembagianDeviden={listPembagian}
pencarianInvestor={listPencarian}
periodeDeviden={listPeriode}
/> */}
<Investasi_UiEditInvestasiNew /> <Investasi_UiEditInvestasiNew />
</> </>
); );

View File

@@ -1,14 +1,9 @@
import { investasi_funGetOneDocumentById } from "@/app_modules/investasi/_fun";
import { Investasi_UiEditDokumen } from "@/app_modules/investasi/_ui"; import { Investasi_UiEditDokumen } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const documentId = params.id;
const dataDokumen = await investasi_funGetOneDocumentById({ documentId });
return ( return (
<> <>
<Investasi_UiEditDokumen dataDokumen={dataDokumen} /> <Investasi_UiEditDokumen/>
</> </>
); );
} }

View File

@@ -1,11 +1,10 @@
import { Investasi_UiEditProspektus } from "@/app_modules/investasi/_ui"; import { Investasi_UiEditProspektus } from "@/app_modules/investasi/_ui";
export default async function Page({ params }: { params: { id: string } }) { export default async function Page() {
const investasiId = params.id;
return ( return (
<> <>
<Investasi_UiEditProspektus investasiId={investasiId} /> <Investasi_UiEditProspektus />
</> </>
); );
} }

View File

@@ -1,8 +0,0 @@
import { LayoutEditDokumenInvestasi } from "@/app_modules/investasi";
import React from "react";
export default async function Layout({children, params}: {children: React.ReactNode, params: {id: string}}) {
return<>
<LayoutEditDokumenInvestasi idInves={params.id}>{children}</LayoutEditDokumenInvestasi>
</>
}

View File

@@ -1,10 +0,0 @@
import { EditDokumenInvestasi } from "@/app_modules/investasi";
import getOneInvestasiById from "@/app_modules/investasi/fun/get_one_investasi_by_id";
export default async function Page({params}: {params: {id: string}}) {
const dataInvestasi = await getOneInvestasiById(params.id)
// console.log(dataInvestasi)
return<>
<EditDokumenInvestasi dataInvestasi={dataInvestasi as any} />
</>
}

View File

@@ -1,21 +0,0 @@
import { LayoutEditProspektusInvestasi } from "@/app_modules/investasi";
import getOneInvestasiById from "@/app_modules/investasi/fun/get_one_investasi_by_id";
import React from "react";
export default async function Layout({
children,
params,
}: {
children: React.ReactNode;
params: { id: string };
}) {
const dataInvestasi = await getOneInvestasiById(params.id);
return (
<>
<LayoutEditProspektusInvestasi dataInvestasi={dataInvestasi as any}>
{children}
</LayoutEditProspektusInvestasi>
</>
);
}

View File

@@ -1,12 +0,0 @@
import { EditProspektusInvestasi } from "@/app_modules/investasi";
import getOneInvestasiById from "@/app_modules/investasi/fun/get_one_investasi_by_id";
export default async function Page({ params }: { params: { id: string } }) {
const dataInvestasi = await getOneInvestasiById(params.id);
// console.log(dataInvestasi);
return (
<>
<EditProspektusInvestasi dataInvestasi={dataInvestasi as any} />
</>
);
}

View File

@@ -1,3 +1,4 @@
import { useDisclosure } from "@mantine/hooks";
import { PrismaClient } from "@prisma/client"; import { PrismaClient } from "@prisma/client";
// Singleton PrismaClient untuk pengembangan // Singleton PrismaClient untuk pengembangan
@@ -20,8 +21,9 @@ if (process.env.NODE_ENV !== "production") {
} }
process.on("SIGINT", async () => { process.on("SIGINT", async () => {
// console.log("Disconnecting PrismaClient..."); // console.log("Start in Disconnecting PrismaClient...");
await prisma.$disconnect(); const disconnect = await prisma.$disconnect();
// console.log("End of Disconnecting PrismaClient...", disconnect);
process.exit(0); process.exit(0);
}); });

View File

@@ -10,9 +10,15 @@ import { ComponentGlobal_NotifikasiPeringatan } from "../notif_global";
export function ComponentGlobal_ButtonUploadFileImage({ export function ComponentGlobal_ButtonUploadFileImage({
onSetFile, onSetFile,
onSetImage, onSetImage,
text,
icon,
accept,
}: { }: {
onSetFile: File | null | any; onSetFile: File | null | any;
onSetImage: any | null; onSetImage?: any | null;
text?: string;
icon?: string | any
accept?: string;
}) { }) {
const [isLoading, setIsLoading] = useState(false); const [isLoading, setIsLoading] = useState(false);
@@ -28,6 +34,7 @@ export function ComponentGlobal_ButtonUploadFileImage({
if (files.size > 100 * 1024 * 1024) { if (files.size > 100 * 1024 * 1024) {
setIsLoading(false); setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan("File terlalu besar"); ComponentGlobal_NotifikasiPeringatan("File terlalu besar");
return
} }
onSetFile(files); onSetFile(files);
@@ -38,7 +45,7 @@ export function ComponentGlobal_ButtonUploadFileImage({
setIsLoading(false); setIsLoading(false);
} }
}} }}
accept="image/png,image/png,image/jpeg,image/gif" accept={accept ? accept : "image/png,image/png,image/jpeg,image/gif"}
> >
{(props) => ( {(props) => (
<Button <Button
@@ -50,10 +57,10 @@ export function ComponentGlobal_ButtonUploadFileImage({
backgroundColor: MainColor.yellow, backgroundColor: MainColor.yellow,
border: `1px solid ${AccentColor.yellow}`, border: `1px solid ${AccentColor.yellow}`,
}} }}
leftIcon={<IconUpload color="black" size={20} />} leftIcon={icon ? icon : <IconUpload color="black" size={20} />}
c={MainColor.darkblue} c={MainColor.darkblue}
> >
Upload {text ? text : "Upload"}
</Button> </Button>
)} )}
</FileButton> </FileButton>

View File

@@ -42,7 +42,13 @@ export default function ComponentGlobal_BoxInformation({
<IconInfoCircle color={MainColor.white} /> <IconInfoCircle color={MainColor.white} />
</Grid.Col> </Grid.Col>
<Grid.Col span={10}> <Grid.Col span={10}>
<Text span inherit c={MainColor.white} fw={"normal"}> <Text
fz={fonsize ? fonsize : 12}
span
inherit
c={MainColor.white}
fw={"normal"}
>
{informasi} {informasi}
</Text> </Text>
</Grid.Col> </Grid.Col>

View File

@@ -10,7 +10,7 @@ export async function funDeteleteFileById({
try { try {
const tokenResponse = await fetch("/api/get-cookie"); const tokenResponse = await fetch("/api/get-cookie");
if (!tokenResponse.ok) { if (!tokenResponse.ok) {
throw new Error("Failed to get token"); return { success: false, message: "Token not found" };
} }
const { token } = await tokenResponse.json(); const { token } = await tokenResponse.json();

View File

@@ -65,6 +65,7 @@ export function Investasi_ComponentButtonCreateNewInvestasi({
dirId: DIRECTORY_ID.investasi_prospektus, dirId: DIRECTORY_ID.investasi_prospektus,
}); });
if (!uploadFilePdf.success) { if (!uploadFilePdf.success) {
setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf"); ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf");
return; return;
} }
@@ -104,16 +105,15 @@ export function Investasi_ComponentButtonCreateNewInvestasi({
router.push(NEW_RouterInvestasi.portofolio({ id: "2" })); router.push(NEW_RouterInvestasi.portofolio({ id: "2" }));
setActiveTab("Review"); setActiveTab("Review");
setHotMenu(1); setHotMenu(1);
setIsLoading(true);
ComponentGlobal_NotifikasiBerhasil(res.message); ComponentGlobal_NotifikasiBerhasil(res.message);
} }
} else { } else {
setIsLoading(false);
ComponentGlobal_NotifikasiGagal(res.message); ComponentGlobal_NotifikasiGagal(res.message);
} }
} catch (error) { } catch (error) {
clientLogger.error("Error create new investasi", error);
} finally {
setIsLoading(false); setIsLoading(false);
clientLogger.error("Error create new investasi", error);
} }
} }

View File

@@ -6,11 +6,15 @@ import {
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { DIRECTORY_ID } from "@/app/lib"; import { DIRECTORY_ID } from "@/app/lib";
import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun"; import {
funGlobal_DeleteFileById,
funGlobal_UploadToStorage,
} from "@/app_modules/_global/fun";
import _ from "lodash"; import _ from "lodash";
import { investasi_funUpdateInvestasi } from "../../_fun"; import { investasi_funUpdateInvestasi } from "../../_fun";
import { useRouter } from "next/navigation"; import { useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { clientLogger } from "@/util/clientLogger";
export function Investasi_ComponentButtonUpdateDataInvestasi({ export function Investasi_ComponentButtonUpdateDataInvestasi({
data, data,
@@ -37,11 +41,21 @@ export function Investasi_ComponentButtonUpdateDataInvestasi({
file: file as any, file: file as any,
dirId: DIRECTORY_ID.investasi_image, dirId: DIRECTORY_ID.investasi_image,
}); });
if (!uploadImage.success) { if (!uploadImage.success) {
setIsLoading(false); setIsLoading(false);
return ComponentGlobal_NotifikasiPeringatan("Gagal upload file gambar"); return ComponentGlobal_NotifikasiPeringatan("Gagal upload file gambar");
} }
const deleteFile = await funGlobal_DeleteFileById({
fileId: data.imageId,
});
if (!deleteFile.success) {
setIsLoading(false);
clientLogger.error("Error delete file:", deleteFile.message);
}
const updtWithImage = await investasi_funUpdateInvestasi({ const updtWithImage = await investasi_funUpdateInvestasi({
data: data, data: data,
imageId: uploadImage.data.id, imageId: uploadImage.data.id,

View File

@@ -17,7 +17,7 @@ import {
Text, Text,
} from "@mantine/core"; } from "@mantine/core";
import { IconDots, IconEdit, IconTrash } from "@tabler/icons-react"; import { IconDots, IconEdit, IconTrash } from "@tabler/icons-react";
import { useRouter } from "next/navigation"; import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface"; import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface";
import ComponentGlobal_Loader from "@/app_modules/_global/component/loader"; import ComponentGlobal_Loader from "@/app_modules/_global/component/loader";
@@ -30,6 +30,8 @@ import {
ComponentGlobal_NotifikasiBerhasil, ComponentGlobal_NotifikasiBerhasil,
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { apiGetDokumenInvestasiById } from "../../_lib/api_interface";
import { clientLogger } from "@/util/clientLogger";
export function Investasi_ComponentCardRekapDocument({ export function Investasi_ComponentCardRekapDocument({
data, data,
@@ -38,6 +40,9 @@ export function Investasi_ComponentCardRekapDocument({
data: MODEL_INVESTASI_DOKUMEN; data: MODEL_INVESTASI_DOKUMEN;
onSetData: (val: any) => any[]; onSetData: (val: any) => any[];
}) { }) {
const params = useParams<{ id: string }>();
const investasiId = params.id;
const router = useRouter(); const router = useRouter();
const [openDrawer, setOpenDrawer] = useState(false); const [openDrawer, setOpenDrawer] = useState(false);
const [isLoadingEdit, setIsLoadingEdit] = useState(false); const [isLoadingEdit, setIsLoadingEdit] = useState(false);
@@ -63,18 +68,22 @@ export function Investasi_ComponentCardRekapDocument({
if (deleteFromDB.status !== 200) { if (deleteFromDB.status !== 200) {
ComponentGlobal_NotifikasiPeringatan(deleteFromDB.message); ComponentGlobal_NotifikasiPeringatan(deleteFromDB.message);
return;
} }
ComponentGlobal_NotifikasiBerhasil(deleteFromDB.message); ComponentGlobal_NotifikasiBerhasil(deleteFromDB.message);
setOpenModal(false); setOpenModal(false);
const loadData = await investasi_funGetAllDocumentById({ const respone = await apiGetDokumenInvestasiById({
investasiId: data.investasiId, id: investasiId,
page: 1, kategori: "get-all",
page: "1",
}); });
onSetData(loadData); if (respone.success) {
onSetData(respone.data);
}
} catch (error) { } catch (error) {
console.log(error); clientLogger.error("Error hapus dokumen", error);
} finally { } finally {
setIsLoadingDelete(false); setIsLoadingDelete(false);
} }

View File

@@ -0,0 +1,46 @@
import CustomSkeleton from "@/app_modules/components/CustomSkeleton";
import { Box, Center, Stack } from "@mantine/core";
export { Investasi_SkeletonEditProspektus, Investasi_SkeletonListDokumen };
function Investasi_SkeletonEditProspektus() {
return (
<>
<Stack>
<CustomSkeleton h={70} radius={"md"} />
<CustomSkeleton h={70} radius={"md"} />
<Center>
<CustomSkeleton h={40} w={100} radius={"xl"} />
</Center>
<Box
style={{
display: "flex",
justifyContent: "center",
}}
>
<Box
style={{
transition: "all 0.3s ease",
position: "absolute",
bottom: 20,
width: "90%",
}}
>
<CustomSkeleton h={40} width={"100%"} radius={"xl"} />
</Box>
</Box>
</Stack>
</>
);
}
function Investasi_SkeletonListDokumen() {
return (
<>
<Stack>
<CustomSkeleton h={70} radius={"md"} />
<CustomSkeleton h={70} radius={"md"} />
</Stack>
</>
);
}

View File

@@ -1,13 +1,17 @@
"use server" "use server";
import { prisma } from "@/app/lib" import { prisma } from "@/app/lib";
export async function investasi_funGetOneDocumentById({ documentId }: { documentId: string }) { export async function investasi_funGetOneDocumentById({
documentId,
}: {
documentId: string;
}) {
const data = await prisma.dokumenInvestasi.findFirst({ const data = await prisma.dokumenInvestasi.findFirst({
where: { where: {
id: documentId id: documentId,
} },
}) });
return data return data;
} }

View File

@@ -1,3 +1,19 @@
import { data } from "autoprefixer";
export const apiGetOneInvestasiById = async ({ id }: { id: string }) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null);
const response = await fetch(`/api/new/investasi/${id}`, {
headers: {
"Content-Type": "application/json",
Accept: "application/json",
"Access-Control-Allow-Origin": "*",
Authorization: `Bearer ${token}`,
},
});
return await response.json().catch(() => null);
};
export const apiGetMasterInvestasi = async (path?: string) => { export const apiGetMasterInvestasi = async (path?: string) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json()); const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null); if (!token) return await token.json().catch(() => null);
@@ -14,21 +30,6 @@ export const apiGetMasterInvestasi = async (path?: string) => {
return await response.json().catch(() => null); return await response.json().catch(() => null);
}; };
export const apiGetOneInvestasiById = async (path: string) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null);
const response = await fetch(`/api/new/investasi/${path}`, {
headers: {
"Content-Type": "application/json",
Accept: "application/json",
"Access-Control-Allow-Origin": "*",
Authorization: `Bearer ${token}`,
},
});
return await response.json().catch(() => null);
};
export const apiGetAllInvestasi = async (path?: string) => { export const apiGetAllInvestasi = async (path?: string) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json()); const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null); if (!token) return await token.json().catch(() => null);
@@ -62,3 +63,55 @@ export const apiGetAllSahamSaya = async (path?: string) => {
); );
return await response.json().catch(() => null); return await response.json().catch(() => null);
}; };
export const apiGetDokumenInvestasiById = async ({
id,
kategori,
page,
}: {
id: string;
kategori?: undefined | "get-all";
page?: string;
}) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null);
const response = await fetch(
`/api/new/investasi/dokumen/${id}${kategori ? `?kategori=${kategori}&page=${page}` : ""}`,
{
headers: {
"Content-Type": "application/json",
Accept: "application/json",
"Access-Control-Allow-Origin": "*",
Authorization: `Bearer ${token}`,
},
}
);
return await response.json().catch(() => null);
};
export const apiGetBeritaInvestasiById = async ({
id,
kategori,
page,
}: {
id: string;
kategori?: undefined | "get-all";
page?: string;
}) => {
const { token } = await fetch("/api/get-cookie").then((res) => res.json());
if (!token) return await token.json().catch(() => null);
const onCategory = kategori ? `?kategori=${kategori}&page=${page}` : "";
const response = await fetch(`/api/new/investasi/berita/${id}${onCategory}`, {
headers: {
"Content-Type": "application/json",
Accept: "application/json",
"Access-Control-Allow-Origin": "*",
Authorization: `Bearer ${token}`,
},
});
return await response.json().catch(() => null);
};

View File

@@ -6,17 +6,13 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { Investasi_ViewCreateBerita } from "../../_view"; import { Investasi_ViewCreateBerita } from "../../_view";
export function Investasi_UiCreateBerita({ export function Investasi_UiCreateBerita() {
investasiId,
}: {
investasiId: string;
}) {
return ( return (
<> <>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Tambah Berita" />} header={<UIGlobal_LayoutHeaderTamplate title="Tambah Berita" />}
> >
<Investasi_ViewCreateBerita investasiId={investasiId} /> <Investasi_ViewCreateBerita />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
</> </>
); );

View File

@@ -3,13 +3,13 @@
import { UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutTamplate } from "@/app_modules/_global/ui" import { UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutTamplate } from "@/app_modules/_global/ui"
import { Investasi_ViewCreateDocument } from "../../_view"; import { Investasi_ViewCreateDocument } from "../../_view";
export function Investasi_UiCreateDocument({ investasiId }: { investasiId : string}) { export function Investasi_UiCreateDocument() {
return ( return (
<> <>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Tambah Dokumen" />} header={<UIGlobal_LayoutHeaderTamplate title="Tambah Dokumen" />}
> >
<Investasi_ViewCreateDocument investasiId={investasiId}/> <Investasi_ViewCreateDocument />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
</> </>
); );

View File

@@ -10,41 +10,83 @@ import {
UIGlobal_DrawerCustom, UIGlobal_DrawerCustom,
UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutHeaderTamplate,
UIGlobal_LayoutTamplate, UIGlobal_LayoutTamplate,
UIGlobal_Modal UIGlobal_Modal,
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { ActionIcon, Button, Center, Stack, Text } from "@mantine/core"; import { ActionIcon, Button, Center, Stack, Text } from "@mantine/core";
import { IconDotsVertical, IconTrash } from "@tabler/icons-react"; import { IconDotsVertical, IconTrash } from "@tabler/icons-react";
import { useRouter } from "next/navigation"; import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { investasi_funDeleteBerita } from "../../_fun"; import { investasi_funDeleteBerita } from "../../_fun";
import { Investasi_ViewDetailBerita } from "../../_view"; import { Investasi_ViewDetailBerita } from "../../_view";
import { DIRECTORY_ID } from "@/app/lib";
import { clientLogger } from "@/util/clientLogger";
import { useShallowEffect } from "@mantine/hooks";
import { apiGetBeritaInvestasiById } from "../../_lib/api_interface";
import CustomSkeleton from "@/app_modules/components/CustomSkeleton";
export function Investasi_UiDetailBerita({
userLoginId,
}: {
userLoginId: string;
}) {
const params = useParams<{ id: string }>();
const id = params.id;
export function Investasi_UiDetailBerita({ dataBerita }: { dataBerita: any }) {
const router = useRouter(); const router = useRouter();
const [openDrawer, setOpenDrawer] = useState(false); const [openDrawer, setOpenDrawer] = useState(false);
const [openModal, setOpenModal] = useState(false); const [openModal, setOpenModal] = useState(false);
const [data, setData] = useState(dataBerita); const [data, setData] = useState<any | null>(null);
const [isLoading, setLoading] = useState(false);
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetBeritaInvestasiById({
id: id,
});
if (respone) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get detail berita", error);
}
}
async function onDelete() { async function onDelete() {
try {
setLoading(true);
const del = await investasi_funDeleteBerita({ const del = await investasi_funDeleteBerita({
beritaId: dataBerita.id, beritaId: id,
}); });
if (del.status === 200) { if (del.status === 200) {
if (data.imageId != null) {
const deleteImage = await funGlobal_DeleteFileById({ const deleteImage = await funGlobal_DeleteFileById({
fileId: data.imageId, fileId: data.imageId,
dirId: DIRECTORY_ID.investasi_berita,
}); });
if (!deleteImage.success) { if (!deleteImage.success) {
setLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal hapus gambar "); ComponentGlobal_NotifikasiPeringatan("Gagal hapus gambar ");
} }
}
router.back();
ComponentGlobal_NotifikasiBerhasil(del.message); ComponentGlobal_NotifikasiBerhasil(del.message);
setOpenModal(false); setOpenModal(false);
router.back();
} else { } else {
setLoading(false);
ComponentGlobal_NotifikasiGagal(del.message); ComponentGlobal_NotifikasiGagal(del.message);
} }
} catch (error) {
setLoading(false);
clientLogger.error("Error delete berita", error);
}
} }
return ( return (
@@ -54,17 +96,21 @@ export function Investasi_UiDetailBerita({ dataBerita }: { dataBerita: any }) {
<UIGlobal_LayoutHeaderTamplate <UIGlobal_LayoutHeaderTamplate
title="Detail Berita" title="Detail Berita"
customButtonRight={ customButtonRight={
data && userLoginId === data.investasi.authorId ? (
<ActionIcon <ActionIcon
variant="transparent" variant="transparent"
onClick={() => setOpenDrawer(true)} onClick={() => setOpenDrawer(true)}
> >
<IconDotsVertical color="white" /> <IconDotsVertical color="white" />
</ActionIcon> </ActionIcon>
) : (
""
)
} }
/> />
} }
> >
<Investasi_ViewDetailBerita dataBerita={data} /> <Investasi_ViewDetailBerita />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
<UIGlobal_DrawerCustom <UIGlobal_DrawerCustom
@@ -100,6 +146,8 @@ export function Investasi_UiDetailBerita({ dataBerita }: { dataBerita: any }) {
} }
buttonKanan={ buttonKanan={
<Button <Button
loaderPosition="center"
loading={isLoading}
radius="xl" radius="xl"
color="red" color="red"
onClick={() => { onClick={() => {

View File

@@ -6,16 +6,12 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { Investasi_ViewDaftarBerita } from "../../_view"; import { Investasi_ViewDaftarBerita } from "../../_view";
export function Investasi_UiDaftarBerita({ export function Investasi_UiDaftarBerita() {
dataBerita,
}: {
dataBerita: any[];
}) {
return ( return (
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Daftar Berita" />} header={<UIGlobal_LayoutHeaderTamplate title="Daftar Berita" />}
> >
<Investasi_ViewDaftarBerita dataBerita={dataBerita} /> <Investasi_ViewDaftarBerita />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
); );
} }

View File

@@ -6,22 +6,13 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { Investasi_ViewDaftarDokumen } from "../../_view"; import { Investasi_ViewDaftarDokumen } from "../../_view";
export function Investasi_UiDaftarDokmen({ export function Investasi_UiDaftarDokmen() {
dataDokumen,
investasiId,
}: {
dataDokumen: any[];
investasiId: string
}) {
return ( return (
<> <>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Daftar Dokumen" />} header={<UIGlobal_LayoutHeaderTamplate title="Daftar Dokumen" />}
> >
<Investasi_ViewDaftarDokumen <Investasi_ViewDaftarDokumen />
dataDokumen={dataDokumen}
investasiId={investasiId}
/>
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
</> </>
); );

View File

@@ -1,63 +1,93 @@
"use client"; "use client";
import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi"; import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi";
import { MainColor } from "@/app_modules/_global/color";
import ComponentGlobal_Loader from "@/app_modules/_global/component/loader";
import { import {
UIGlobal_Drawer,
UIGlobal_DrawerCustom, UIGlobal_DrawerCustom,
UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutHeaderTamplate,
UIGlobal_LayoutTamplate, UIGlobal_LayoutTamplate,
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { ActionIcon, Box, SimpleGrid, Stack, Text } from "@mantine/core"; import CustomSkeleton from "@/app_modules/components/CustomSkeleton";
import { clientLogger } from "@/util/clientLogger";
import { ActionIcon, SimpleGrid, Stack, Text } from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import { import {
IconCategoryPlus, IconCategoryPlus,
IconDotsVertical, IconDotsVertical,
IconEdit, IconEdit,
IconFilePencil, IconFilePencil,
} from "@tabler/icons-react"; } from "@tabler/icons-react";
import { useRouter } from "next/navigation"; import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { apiGetOneInvestasiById } from "../../_lib/api_interface";
import { MODEL_INVESTASI } from "../../_lib/interface"; import { MODEL_INVESTASI } from "../../_lib/interface";
import { import {
Investasi_ViewDetailDraft, Investasi_ViewDetailDraft,
Investasi_ViewDetailReject, Investasi_ViewDetailReject,
Investasi_ViewDetailReview, Investasi_ViewDetailReview,
} from "../../_view"; } from "../../_view";
import ComponentGlobal_Loader from "@/app_modules/_global/component/loader";
import { MainColor } from "@/app_modules/_global/color";
export function Investasi_UiDetailPortofolio({ export function Investasi_UiDetailPortofolio() {
dataInvestasi, const params = useParams<{ id: string }>();
userLoginId, const investasiId = params.id;
}: {
dataInvestasi: MODEL_INVESTASI;
userLoginId: string;
}) {
const router = useRouter(); const router = useRouter();
const [isLoading, setLoading] = useState(false); const [isLoading, setLoading] = useState(false);
const [pageId, setPageId] = useState(""); const [pageId, setPageId] = useState("");
const [openDrawer, setOpenDrawer] = useState(false); const [openDrawer, setOpenDrawer] = useState(false);
const [data, setData] = useState<any>(dataInvestasi); const [data, setData] = useState<MODEL_INVESTASI | null>(null);
const listPage = [ const listPage = [
{ {
id: "1", id: "1",
name: "Edit Investasi", name: "Edit Investasi",
icon: <IconEdit />, icon: <IconEdit />,
path: NEW_RouterInvestasi.edit_investasi({ id: data.id }), path: NEW_RouterInvestasi.edit_investasi({ id: investasiId }),
}, },
{ {
id: "2", id: "2",
name: "Edit Prospektus", name: "Edit Prospektus",
icon: <IconFilePencil />, icon: <IconFilePencil />,
path: NEW_RouterInvestasi.edit_prospektus({ id: data.id }), path: NEW_RouterInvestasi.edit_prospektus({ id: investasiId }),
}, },
{ {
id: "3", id: "3",
name: "Tambah & Edit Dokumen", name: "Tambah & Edit Dokumen",
icon: <IconCategoryPlus />, icon: <IconCategoryPlus />,
path: NEW_RouterInvestasi.rekap_dokumen({ id: data.id }), path: NEW_RouterInvestasi.rekap_dokumen({ id: investasiId }),
}, },
]; ];
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetOneInvestasiById({
id: investasiId,
});
if (respone.success) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get detail investasi:", error);
}
}
if (data === null) {
return (
<>
<UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title={`Detail`} />}
>
<CustomSkeleton height={"80vh"} />
</UIGlobal_LayoutTamplate>
</>
);
}
if (data.masterStatusInvestasiId == "3") if (data.masterStatusInvestasiId == "3")
return ( return (
<> <>
@@ -76,15 +106,9 @@ export function Investasi_UiDetailPortofolio({
/> />
} }
> >
<Investasi_ViewDetailDraft dataInvestasi={dataInvestasi} /> <Investasi_ViewDetailDraft dataInvestasi={data} />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
{/* <UIGlobal_Drawer
opened={openDrawer}
close={() => setOpenDrawer(false)}
component={listPage}
/> */}
<UIGlobal_DrawerCustom <UIGlobal_DrawerCustom
opened={openDrawer} opened={openDrawer}
close={() => setOpenDrawer(false)} close={() => setOpenDrawer(false)}
@@ -98,9 +122,7 @@ export function Investasi_UiDetailPortofolio({
onClick={() => { onClick={() => {
setPageId(e?.id); setPageId(e?.id);
setLoading(true); setLoading(true);
if (e.id === "1") {
setData({});
}
router.push(e?.path, { scroll: false }); router.push(e?.path, { scroll: false });
}} }}
> >
@@ -125,16 +147,16 @@ export function Investasi_UiDetailPortofolio({
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={ header={
<UIGlobal_LayoutHeaderTamplate <UIGlobal_LayoutHeaderTamplate
title={`Detail ${dataInvestasi.MasterStatusInvestasi.name}`} title={`Detail ${data.MasterStatusInvestasi.name}`}
/> />
} }
> >
{dataInvestasi.masterStatusInvestasiId === "2" && ( {data.masterStatusInvestasiId === "2" && (
<Investasi_ViewDetailReview dataInvestasi={dataInvestasi} /> <Investasi_ViewDetailReview dataInvestasi={data} />
)} )}
{dataInvestasi.masterStatusInvestasiId === "4" && ( {data.masterStatusInvestasiId === "4" && (
<Investasi_ViewDetailReject dataInvestasi={dataInvestasi} /> <Investasi_ViewDetailReject dataInvestasi={data} />
)} )}
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
); );

View File

@@ -1,5 +1,6 @@
"use client"; "use client";
import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi";
import { import {
UIGlobal_Drawer, UIGlobal_Drawer,
UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutHeaderTamplate,
@@ -7,19 +8,13 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { ActionIcon } from "@mantine/core"; import { ActionIcon } from "@mantine/core";
import { IconCirclePlus, IconDotsVertical } from "@tabler/icons-react"; import { IconCirclePlus, IconDotsVertical } from "@tabler/icons-react";
import { useRouter } from "next/navigation"; import { useParams } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { Investasi_ViewRekapBerita } from "../../_view"; import { Investasi_ViewRekapBerita } from "../../_view";
import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi";
export function Investasi_UiRekapBerita({ export function Investasi_UiRekapBerita() {
investasiId, const params = useParams<{ id: string }>();
dataBerita, const investasiId = params.id;
}: {
investasiId: string;
dataBerita: any[]
}) {
const router = useRouter();
const [openDrawer, setOpenDrawer] = useState(false); const [openDrawer, setOpenDrawer] = useState(false);
const listPage = [ const listPage = [
@@ -32,6 +27,7 @@ export function Investasi_UiRekapBerita({
]; ];
return ( return (
<>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={ header={
<UIGlobal_LayoutHeaderTamplate <UIGlobal_LayoutHeaderTamplate
@@ -49,15 +45,14 @@ export function Investasi_UiRekapBerita({
/> />
} }
> >
<Investasi_ViewRekapBerita />
</UIGlobal_LayoutTamplate>
<Investasi_ViewRekapBerita dataBerita={dataBerita} />
<UIGlobal_Drawer <UIGlobal_Drawer
opened={openDrawer} opened={openDrawer}
close={() => setOpenDrawer(false)} close={() => setOpenDrawer(false)}
component={listPage} component={listPage}
/> />
</UIGlobal_LayoutTamplate> </>
); );
} }

View File

@@ -10,16 +10,13 @@ import { ActionIcon } from "@mantine/core";
import { IconCirclePlus, IconDotsVertical } from "@tabler/icons-react"; import { IconCirclePlus, IconDotsVertical } from "@tabler/icons-react";
import { useState } from "react"; import { useState } from "react";
import { Investasi_ViewRekapDokumen } from "../../_view"; import { Investasi_ViewRekapDokumen } from "../../_view";
import { useParams } from "next/navigation";
export function Investasi_UiRekapDokumen() {
const params = useParams<{ id: string }>();
const investasiId = params.id;
export function Investasi_UiRekapDokumen({
investasiId,
dataDokumen,
}: {
investasiId: string;
dataDokumen: any[]
}) {
const [openDrawer, setOpenDrawer] = useState(false); const [openDrawer, setOpenDrawer] = useState(false);
const listPage = [ const listPage = [
{ {
id: "1", id: "1",
@@ -47,8 +44,6 @@ export function Investasi_UiRekapDokumen({
} }
> >
<Investasi_ViewRekapDokumen <Investasi_ViewRekapDokumen
dataDokumen={dataDokumen}
investasiId={investasiId}
/> />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>

View File

@@ -6,13 +6,13 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { Investasi_ViewEditDokumen } from "../../_view"; import { Investasi_ViewEditDokumen } from "../../_view";
export function Investasi_UiEditDokumen({ dataDokumen }: { dataDokumen: any }) { export function Investasi_UiEditDokumen() {
return ( return (
<> <>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Edit Dokumen" />} header={<UIGlobal_LayoutHeaderTamplate title="Edit Dokumen" />}
> >
<Investasi_ViewEditDokumen dataDokumen={dataDokumen} /> <Investasi_ViewEditDokumen />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
</> </>
); );

View File

@@ -1,6 +1,7 @@
"use client"; "use client";
import { UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutTamplate, } from "@/app_modules/_global/ui"; import { UIGlobal_LayoutHeaderTamplate, UIGlobal_LayoutTamplate, } from "@/app_modules/_global/ui";
import { Investasi_ViewEditInvestasiNew } from "../../_view/edit/vew_edit_investasi_new"; import { Investasi_ViewEditInvestasiNew } from "../../_view/edit/view_edit_investasi_new";
export function Investasi_UiEditInvestasiNew() { export function Investasi_UiEditInvestasiNew() {
return ( return (

View File

@@ -6,17 +6,13 @@ import {
} from "@/app_modules/_global/ui"; } from "@/app_modules/_global/ui";
import { Investasi_ViewEditProspektus } from "../../_view"; import { Investasi_ViewEditProspektus } from "../../_view";
export function Investasi_UiEditProspektus({ export function Investasi_UiEditProspektus() {
investasiId,
}: {
investasiId: string;
}) {
return ( return (
<> <>
<UIGlobal_LayoutTamplate <UIGlobal_LayoutTamplate
header={<UIGlobal_LayoutHeaderTamplate title="Edit Prospektus" />} header={<UIGlobal_LayoutHeaderTamplate title="Edit Prospektus" />}
> >
<Investasi_ViewEditProspektus investasiId={investasiId} /> <Investasi_ViewEditProspektus />
</UIGlobal_LayoutTamplate> </UIGlobal_LayoutTamplate>
</> </>
); );

View File

@@ -1,39 +1,37 @@
import { AccentColor, MainColor } from "@/app_modules/_global/color"; import { DIRECTORY_ID } from "@/app/lib";
import { MainColor } from "@/app_modules/_global/color";
import { import {
ComponentGlobal_BoxInformation, ComponentGlobal_BoxInformation,
ComponentGlobal_BoxUploadImage, ComponentGlobal_BoxUploadImage,
ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_InputCountDown, ComponentGlobal_InputCountDown,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun";
import { import {
ComponentGlobal_NotifikasiBerhasil, ComponentGlobal_NotifikasiBerhasil,
ComponentGlobal_NotifikasiGagal, ComponentGlobal_NotifikasiGagal,
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { clientLogger } from "@/util/clientLogger";
import { import {
AspectRatio, AspectRatio,
Button, Button,
Center, Center,
FileButton,
Image, Image,
Stack, Stack,
Text,
TextInput, TextInput,
Textarea, Textarea,
} from "@mantine/core"; } from "@mantine/core";
import { IconCamera, IconUpload } from "@tabler/icons-react";
import { DIRECTORY_ID } from "@/app/lib";
import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun";
import { Prisma } from "@prisma/client"; import { Prisma } from "@prisma/client";
import { useRouter } from "next/navigation"; import { IconPhoto } from "@tabler/icons-react";
import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { investasi_funCreateBerita } from "../../_fun"; import { investasi_funCreateBerita } from "../../_fun";
export function Investasi_ViewCreateBerita({ export function Investasi_ViewCreateBerita() {
investasiId, const params = useParams<{ id: string }>();
}: { const investasiId = params.id;
investasiId: string;
}) {
const router = useRouter(); const router = useRouter();
const [file, setFile] = useState<File | null>(null); const [file, setFile] = useState<File | null>(null);
const [img, setImg] = useState<any | null>(); const [img, setImg] = useState<any | null>();
@@ -48,9 +46,6 @@ export function Investasi_ViewCreateBerita({
}); });
async function onCreate() { async function onCreate() {
if (data.data.title == "" || data.data.deskripsi == "")
return ComponentGlobal_NotifikasiPeringatan("Lengkapi data");
try { try {
setIsLoading(true); setIsLoading(true);
if (file != null) { if (file != null) {
@@ -59,32 +54,39 @@ export function Investasi_ViewCreateBerita({
dirId: DIRECTORY_ID.investasi_berita, dirId: DIRECTORY_ID.investasi_berita,
}); });
if (!uploadFile.success) if (!uploadFile.success) {
return ComponentGlobal_NotifikasiPeringatan("Gagal upload gambar"); ComponentGlobal_NotifikasiPeringatan("Gagal upload gambar");
return;
}
const createWithFile = await investasi_funCreateBerita({ const createWithFile = await investasi_funCreateBerita({
data: data.data as any, data: data.data as any,
fileId: uploadFile.data.id, fileId: uploadFile.data.id,
}); });
createWithFile.status === 201 if (createWithFile.status === 201) {
? (ComponentGlobal_NotifikasiBerhasil(createWithFile.message), ComponentGlobal_NotifikasiBerhasil(createWithFile.message);
router.back()) router.back();
: ComponentGlobal_NotifikasiGagal(createWithFile.message); } else {
setIsLoading(false);
ComponentGlobal_NotifikasiGagal(createWithFile.message);
}
} else { } else {
const createNoFile = await investasi_funCreateBerita({ const createNoFile = await investasi_funCreateBerita({
data: data.data as any, data: data.data as any,
}); });
createNoFile.status === 201 if (createNoFile.status === 201) {
? (ComponentGlobal_NotifikasiBerhasil(createNoFile.message), ComponentGlobal_NotifikasiBerhasil(createNoFile.message);
router.back()) router.back();
: ComponentGlobal_NotifikasiGagal(createNoFile.message); } else {
setIsLoading(false);
ComponentGlobal_NotifikasiGagal(createNoFile.message);
}
} }
} catch (error) { } catch (error) {
console.log(error);
} finally {
setIsLoading(false); setIsLoading(false);
clientLogger.error("Error create news", error);
} }
} }
@@ -106,43 +108,16 @@ export function Investasi_ViewCreateBerita({
</AspectRatio> </AspectRatio>
) : ( ) : (
<Stack justify="center" align="center" h={"100%"}> <Stack justify="center" align="center" h={"100%"}>
<IconUpload color="white" /> <IconPhoto size={100} />
<Text fz={10} fs={"italic"} c={"white"} fw={"bold"}>
Upload Gambar
</Text>
</Stack> </Stack>
)} )}
</ComponentGlobal_BoxUploadImage> </ComponentGlobal_BoxUploadImage>
<Center> <Center>
<FileButton <ComponentGlobal_ButtonUploadFileImage
onChange={async (files: any | null) => { onSetFile={setFile}
try { onSetImage={setImg}
const buffer = URL.createObjectURL( />
new Blob([new Uint8Array(await files.arrayBuffer())])
);
setImg(buffer);
setFile(files);
} catch (error) {
console.log(error);
}
}}
accept="image/png,image/jpeg"
>
{(props) => (
<Button
{...props}
radius={"xl"}
w={100}
style={{
backgroundColor: MainColor.yellow,
border: `1px solid ${AccentColor.yellow}`,
}}
>
<IconCamera color="black" />
</Button>
)}
</FileButton>
</Center> </Center>
</Stack> </Stack>
@@ -187,6 +162,10 @@ export function Investasi_ViewCreateBerita({
</Stack> </Stack>
<Button <Button
disabled={data.data.title === "" || data.data.deskripsi === ""}
style={{
transition: "all 0.5s",
}}
loaderPosition="center" loaderPosition="center"
loading={isLoading} loading={isLoading}
my={"md"} my={"md"}

View File

@@ -1,51 +1,53 @@
import { DIRECTORY_ID } from "@/app/lib";
import { MainColor } from "@/app_modules/_global/color"; import { MainColor } from "@/app_modules/_global/color";
import { import {
ComponentGlobal_BoxInformation, ComponentGlobal_BoxInformation,
ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_CardStyles, ComponentGlobal_CardStyles,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import {
Stack,
Grid,
Center,
Group,
FileButton,
Button,
Text,
TextInput,
} from "@mantine/core";
import { IconCircleCheck, IconCamera } from "@tabler/icons-react";
import { useRouter } from "next/navigation";
import { useState } from "react";
import { investasi_funCreateDocument } from "../../_fun";
import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun"; import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun";
import { DIRECTORY_ID } from "@/app/lib";
import { import {
ComponentGlobal_NotifikasiBerhasil, ComponentGlobal_NotifikasiBerhasil,
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { clientLogger } from "@/util/clientLogger";
import {
Box,
Button,
Center,
Grid,
Stack,
Text,
TextInput,
} from "@mantine/core";
import { IconCircleCheck, IconFileTypePdf } from "@tabler/icons-react";
import { useParams, useRouter } from "next/navigation";
import { useState } from "react";
import { investasi_funCreateDocument } from "../../_fun";
export function Investasi_ViewCreateDocument() {
const params = useParams<{ id: string }>();
const investasiId = params.id;
export function Investasi_ViewCreateDocument({
investasiId,
}: {
investasiId: string;
}) {
const router = useRouter(); const router = useRouter();
const [filePdf, setFilePdf] = useState<File | null>(null); const [filePdf, setFilePdf] = useState<File | null>(null);
const [isLoading, setIsLoading] = useState(false); const [isLoading, setIsLoading] = useState(false);
const [title, setTitle] = useState(""); const [title, setTitle] = useState("");
async function onCreate() { async function onCreate() {
try {
setIsLoading(true); setIsLoading(true);
const uploadFileDokumen = await funGlobal_UploadToStorage({ const uploadFileDokumen = await funGlobal_UploadToStorage({
file: filePdf as any, file: filePdf as any,
dirId: DIRECTORY_ID.investasi_dokumen, dirId: DIRECTORY_ID.investasi_dokumen,
}); });
if (!uploadFileDokumen.success) { if (!uploadFileDokumen.success) {
setIsLoading(false); setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf"); ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf");
return;
} }
try {
const create = await investasi_funCreateDocument({ const create = await investasi_funCreateDocument({
data: { data: {
investasiId: investasiId, investasiId: investasiId,
@@ -54,15 +56,17 @@ export function Investasi_ViewCreateDocument({
}, },
}); });
if (create.status !== 201) if (create.status !== 201) {
ComponentGlobal_NotifikasiPeringatan(create.message);
router.back();
ComponentGlobal_NotifikasiBerhasil(create.message);
} catch (error) {
console.log(error);
} finally {
setIsLoading(false); setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan(create.message);
return;
}
ComponentGlobal_NotifikasiBerhasil(create.message);
router.back();
} catch (error) {
setIsLoading(false);
clientLogger.error("Error create document", error);
} }
} }
@@ -73,6 +77,7 @@ export function Investasi_ViewCreateDocument({
<Stack> <Stack>
<TextInput <TextInput
withAsterisk
label="Judul Dokumen" label="Judul Dokumen"
placeholder="Masukan judul dokumen" placeholder="Masukan judul dokumen"
styles={{ styles={{
@@ -84,9 +89,9 @@ export function Investasi_ViewCreateDocument({
/> />
<ComponentGlobal_CardStyles marginBottom={"0px"}> <ComponentGlobal_CardStyles marginBottom={"0px"}>
{!filePdf ? ( {!filePdf ? (
<Text lineClamp={1} align="center" c={"gray"}> <Stack justify="center" align="center" h={"100%"}>
Upload Dokumen <IconFileTypePdf size={40} color="gray" />
</Text> </Stack>
) : ( ) : (
<Grid align="center"> <Grid align="center">
<Grid.Col span={2}></Grid.Col> <Grid.Col span={2}></Grid.Col>
@@ -104,37 +109,21 @@ export function Investasi_ViewCreateDocument({
)} )}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
<Group position="center"> <Center>
<FileButton <ComponentGlobal_ButtonUploadFileImage
accept={"application/pdf"} onSetFile={setFilePdf}
onChange={async (files: any) => { accept="application/pdf"
try { text="Upload Dokumen"
const buffer = URL.createObjectURL( />
new Blob([new Uint8Array(await files.arrayBuffer())]) </Center>
);
setFilePdf(files);
} catch (error) {
console.log(error);
}
}}
>
{(props) => (
<Button
leftIcon={<IconCamera />}
{...props}
radius={"xl"}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload Dokumen
</Button>
)}
</FileButton>
</Group>
</Stack> </Stack>
<Box
style={{
display: "flex",
justifyContent: "center",
}}
>
<Button <Button
loaderPosition="center" loaderPosition="center"
loading={isLoading} loading={isLoading}
@@ -146,6 +135,9 @@ export function Investasi_ViewCreateDocument({
c={"black"} c={"black"}
style={{ style={{
transition: "0.5s", transition: "0.5s",
position: "absolute",
bottom: 20,
width: "90%",
}} }}
onClick={() => { onClick={() => {
onCreate(); onCreate();
@@ -153,6 +145,7 @@ export function Investasi_ViewCreateDocument({
> >
Simpan Simpan
</Button> </Button>
</Box>
</Stack> </Stack>
</> </>
); );

View File

@@ -3,29 +3,55 @@ import {
ComponentGlobal_LoadImageLandscape, ComponentGlobal_LoadImageLandscape,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { Stack, Text, Title } from "@mantine/core"; import { Stack, Text, Title } from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import { Prisma } from "@prisma/client"; import { Prisma } from "@prisma/client";
import { useParams } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { apiGetBeritaInvestasiById } from "../../_lib/api_interface";
import { clientLogger } from "@/util/clientLogger";
import CustomSkeleton from "@/app_modules/components/CustomSkeleton";
export function Investasi_ViewDetailBerita({ type MODEL_DATA = Prisma.BeritaInvestasiGetPayload<{}>;
dataBerita,
}: { export function Investasi_ViewDetailBerita() {
dataBerita: any; const params = useParams<{ id: string }>();
}) { const id = params.id;
const [data, setData] =
useState<Prisma.BeritaInvestasiGetPayload<{}>>(dataBerita); const [data, setData] = useState<MODEL_DATA | null>(null);
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetBeritaInvestasiById({
id: id,
});
if (respone) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get detail berita", error);
}
}
if (!data) {
return <CustomSkeleton height={300} width={"100%"} />;
}
return ( return (
<> <>
<ComponentGlobal_CardStyles> <ComponentGlobal_CardStyles>
<Stack> <Stack>
{data.imageId == null ? ( {data.imagesId && (
"" <ComponentGlobal_LoadImageLandscape
) : ( fileId={data.imageId as string}
<ComponentGlobal_LoadImageLandscape fileId={data.imageId} /> />
)} )}
<Title order={4} align="center"> <Title order={4} align="center">
{" "}
{data.title} {data.title}
</Title> </Title>

View File

@@ -3,43 +3,104 @@ import {
ComponentGlobal_CardStyles, ComponentGlobal_CardStyles,
ComponentGlobal_CardLoadingOverlay, ComponentGlobal_CardLoadingOverlay,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { Box, Title } from "@mantine/core"; import { clientLogger } from "@/util/clientLogger";
import { useRouter } from "next/navigation"; import { Box, Center, Title } from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { Investasi_SkeletonListDokumen } from "../../_component/skeleton_view";
import { apiGetBeritaInvestasiById } from "../../_lib/api_interface";
import ComponentGlobal_IsEmptyData from "@/app_modules/_global/component/is_empty_data";
import { ScrollOnly } from "next-scroll-loader";
import ComponentGlobal_Loader from "@/app_modules/_global/component/loader";
import _ from "lodash";
export function Investasi_ViewDaftarBerita() {
const params = useParams<{ id: string }>();
const investasiId = params.id;
export function Investasi_ViewDaftarBerita({
dataBerita,
}: {
dataBerita: any[];
}) {
const router = useRouter(); const router = useRouter();
const [data, setData] = useState(dataBerita); const [data, setData] = useState<any[] | null>(null);
const [activePage, setActivePage] = useState(1);
const [visible, setVisible] = useState(false); const [visible, setVisible] = useState(false);
const [dataId, setDataId] = useState(""); const [dataId, setDataId] = useState("");
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetBeritaInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage}`,
});
if (respone) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get daftar berita", error);
}
}
if (data === null) {
return <Investasi_SkeletonListDokumen />;
}
return ( return (
<> <>
{_.isEmpty(data) ? (
<ComponentGlobal_IsEmptyData />
) : (
<Box> <Box>
{data.map((e, i) => ( <ScrollOnly
height="90vh"
renderLoading={() => (
<Center>
<ComponentGlobal_Loader size={25} />
</Center>
)}
data={data}
setData={setData as any}
moreData={async () => {
try {
const respone = await apiGetBeritaInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage + 1}`,
});
if (respone.success) {
setActivePage((val) => val + 1);
return respone.data;
}
} catch (error) {
clientLogger.error("Error load data dokumen:", error);
}
}}
>
{(item) => (
<ComponentGlobal_CardStyles <ComponentGlobal_CardStyles
key={i}
onClickHandler={() => { onClickHandler={() => {
router.push(NEW_RouterInvestasi.berita({ id: e.id }), { router.push(NEW_RouterInvestasi.berita({ id: item.id }), {
scroll: false, scroll: false,
}); });
setVisible(true); setVisible(true);
setDataId(e.id);
}} }}
> >
<Title order={6} lineClamp={1}> <Title order={6} lineClamp={1}>
{e.title} {item.title}
</Title> </Title>
{visible && dataId === e.id && ( {visible && <ComponentGlobal_CardLoadingOverlay />}
<ComponentGlobal_CardLoadingOverlay />
)}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
))} )}
</ScrollOnly>
</Box> </Box>
)}
</> </>
); );
} }

View File

@@ -7,17 +7,43 @@ import { useState } from "react";
import { Investasi_ComponentCardDaftarDocument } from "../../_component"; import { Investasi_ComponentCardDaftarDocument } from "../../_component";
import { investasi_funGetAllDocumentById } from "../../_fun"; import { investasi_funGetAllDocumentById } from "../../_fun";
import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface"; import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface";
import { useParams } from "next/navigation";
import { Investasi_SkeletonListDokumen } from "../../_component/skeleton_view";
import { clientLogger } from "@/util/clientLogger";
import { apiGetDokumenInvestasiById } from "../../_lib/api_interface";
import { useShallowEffect } from "@mantine/hooks";
export function Investasi_ViewDaftarDokumen({ export function Investasi_ViewDaftarDokumen() {
dataDokumen, const params = useParams<{ id: string }>();
investasiId, const investasiId = params.id;
}: {
dataDokumen: any[]; const [data, setData] = useState<MODEL_INVESTASI_DOKUMEN[] | null>(null);
investasiId: string;
}) {
const [data, setData] = useState<MODEL_INVESTASI_DOKUMEN[]>(dataDokumen);
const [activePage, setActivePage] = useState(1); const [activePage, setActivePage] = useState(1);
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetDokumenInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage}`,
});
if (respone.success) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get data dokumen", error);
}
}
if (data === null) {
return <Investasi_SkeletonListDokumen />;
}
return ( return (
<> <>
<Stack> <Stack>
@@ -34,16 +60,23 @@ export function Investasi_ViewDaftarDokumen({
</Center> </Center>
)} )}
data={data} data={data}
setData={setData} setData={setData as any}
moreData={async () => { moreData={async () => {
const loadData = await investasi_funGetAllDocumentById({ try {
investasiId: investasiId, const respone = await apiGetDokumenInvestasiById({
page: activePage + 1, id: investasiId,
kategori: "get-all",
page: `${activePage + 1}`,
}); });
if (respone.success) {
setActivePage((val) => val + 1); setActivePage((val) => val + 1);
return loadData; return respone.data;
}
} catch (error) {
clientLogger.error("Error load data dokumen:", error);
}
}} }}
> >
{(item) => ( {(item) => (

View File

@@ -1,45 +1,108 @@
"use client";
import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi"; import { NEW_RouterInvestasi } from "@/app/lib/router_hipmi/router_investasi";
import { import {
ComponentGlobal_CardLoadingOverlay, ComponentGlobal_CardLoadingOverlay,
ComponentGlobal_CardStyles, ComponentGlobal_CardStyles,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { Box, Group, Title } from "@mantine/core"; import ComponentGlobal_IsEmptyData from "@/app_modules/_global/component/is_empty_data";
import { useRouter } from "next/navigation"; import ComponentGlobal_Loader from "@/app_modules/_global/component/loader";
import { clientLogger } from "@/util/clientLogger";
import { Box, Center, Title } from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import _ from "lodash";
import { ScrollOnly } from "next-scroll-loader";
import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { Investasi_SkeletonListDokumen } from "../../_component/skeleton_view";
import { apiGetBeritaInvestasiById } from "../../_lib/api_interface";
export function Investasi_ViewRekapBerita() {
const params = useParams<{ id: string }>();
const investasiId = params.id;
export function Investasi_ViewRekapBerita({
dataBerita,
}: {
dataBerita: any[];
}) {
const router = useRouter(); const router = useRouter();
const [data, setData] = useState(dataBerita); const [data, setData] = useState<any[] | null>(null);
const [activePage, setActivePage] = useState(1);
const [visible, setVisible] = useState(false); const [visible, setVisible] = useState(false);
const [dataId, setDataId] = useState("");
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetBeritaInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage}`,
});
if (respone) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get data berita", error);
}
}
if (data === null) {
return <Investasi_SkeletonListDokumen />;
}
return ( return (
<> <>
{_.isEmpty(data) ? (
<ComponentGlobal_IsEmptyData />
) : (
<Box> <Box>
{data.map((e, i) => ( <ScrollOnly
height="90vh"
renderLoading={() => (
<Center>
<ComponentGlobal_Loader size={25} />
</Center>
)}
data={data}
setData={setData as any}
moreData={async () => {
try {
const respone = await apiGetBeritaInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage + 1}`,
});
if (respone.success) {
setActivePage((val) => val + 1);
return respone.data;
}
} catch (error) {
clientLogger.error("Error load data dokumen:", error);
}
}}
>
{(item) => (
<ComponentGlobal_CardStyles <ComponentGlobal_CardStyles
key={i}
onClickHandler={() => { onClickHandler={() => {
router.push(NEW_RouterInvestasi.berita({ id: e.id }), { router.push(NEW_RouterInvestasi.berita({ id: item.id }), {
scroll: false, scroll: false,
}); });
setVisible(true); setVisible(true);
setDataId(e.id);
}} }}
> >
<Title order={6} lineClamp={1}> <Title order={6} lineClamp={1}>
{e.title} {item.title}
</Title> </Title>
{visible && dataId === e.id && ( {visible && (
<ComponentGlobal_CardLoadingOverlay /> <ComponentGlobal_CardLoadingOverlay />
)} )}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
))} )}
</ScrollOnly>
</Box> </Box>
)}
</> </>
); );
} }

View File

@@ -8,17 +8,41 @@ import { Investasi_ComponentCardRekapDocument } from "../../_component";
import { investasi_funGetAllDocumentById } from "../../_fun"; import { investasi_funGetAllDocumentById } from "../../_fun";
import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface"; import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface";
import { useShallowEffect } from "@mantine/hooks"; import { useShallowEffect } from "@mantine/hooks";
import { useParams } from "next/navigation";
import { apiGetDokumenInvestasiById } from "../../_lib/api_interface";
import { Investasi_SkeletonListDokumen } from "../../_component/skeleton_view";
import { clientLogger } from "@/util/clientLogger";
export function Investasi_ViewRekapDokumen({ export function Investasi_ViewRekapDokumen() {
dataDokumen, const params = useParams<{ id: string }>();
investasiId, const investasiId = params.id;
}: {
dataDokumen: any[]; const [data, setData] = useState<MODEL_INVESTASI_DOKUMEN[] | null>(null);
investasiId: string;
}) {
const [data, setData] = useState<MODEL_INVESTASI_DOKUMEN[]>(dataDokumen);
const [activePage, setActivePage] = useState(1); const [activePage, setActivePage] = useState(1);
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetDokumenInvestasiById({
id: investasiId,
kategori: "get-all",
page: `${activePage}`,
});
if (respone.success) {
setData(respone.data);
}
} catch (error) {
clientLogger.error("Error get data dokumen", error);
}
}
if (data === null) {
return <Investasi_SkeletonListDokumen />;
}
return ( return (
<> <>
@@ -34,16 +58,23 @@ export function Investasi_ViewRekapDokumen({
</Center> </Center>
)} )}
data={data} data={data}
setData={setData} setData={setData as any}
moreData={async () => { moreData={async () => {
const loadData = await investasi_funGetAllDocumentById({ try {
investasiId: investasiId, const respone = await apiGetDokumenInvestasiById({
page: activePage + 1, id: investasiId,
kategori: "get-all",
page: `${activePage + 1}`,
}); });
if (respone.success) {
setActivePage((val) => val + 1); setActivePage((val) => val + 1);
return loadData; return respone.data;
}
} catch (error) {
clientLogger.error("Error load data dokumen:", error);
}
}} }}
> >
{(item) => ( {(item) => (

View File

@@ -1,420 +0,0 @@
import { MainColor } from "@/app_modules/_global/color";
import { ComponentGlobal_BoxInformation, ComponentGlobal_BoxUploadImage, ComponentGlobal_LoadImage, } from "@/app_modules/_global/component";
import { AspectRatio, Box, Button, FileButton, Group, Image, Select, Stack, Text, TextInput, } from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import { IconCamera } from "@tabler/icons-react";
import _ from "lodash";
import { useState } from "react";
import { Investasi_ComponentButtonUpdateDataInvestasi } from "../../_component";
import { apiGetMasterInvestasi, apiGetOneInvestasiById } from "../../_lib/api_interface";
import { IDataInvestasi } from "../../_lib/type_investasi";
import { useParams } from "next/navigation";
import SkeletonEditInvestasi from "./skeleton_edit_investasi";
export function Investasi_ViewEditInvestasiNew() {
const param = useParams<{ id: string }>()
const [loading, setLoading] = useState(true)
const [loadingMasterInvestor, setLoadingMasterInvestor] = useState(true)
const [loadingMasterPeriodeDeviden, setLoadingMasterPeriodeDeviden] = useState(true)
const [loadingMasterPembagianDeviden, setLoadingMasterPembagianDeviden] = useState(true)
const [periodeDeviden, setPeriodeDeviden] = useState<any[]>([]);
const [pembagianDeviden, setPembagianDeviden] = useState<any[]>([]);
const [pencarianInvestor, setPencarianInvestor] = useState<any[]>([]);
const [data, setData] = useState<IDataInvestasi>();
const [file, setFile] = useState<File | null>(null);
const [img, setImg] = useState<any | null>();
const [target, setTarget] = useState("");
const [harga, setHarga] = useState("");
const [totalLembar, setTotalLembar] = useState<any>("");
async function onGetOneInvestasiById() {
try {
setLoading(true)
const response = await apiGetOneInvestasiById(param.id)
if (response.success) {
setData(response.data)
setTotalLembar(response.data.totalLembar)
}
} catch (error) {
console.error(error)
} finally {
setLoading(false)
}
}
async function onGetMasterInvestor() {
try {
setLoadingMasterInvestor(true)
const response = await apiGetMasterInvestasi("?cat=pencarian-investor")
if (response.success) {
setPencarianInvestor(response.data)
}
} catch (error) {
console.log(error)
} finally {
setLoadingMasterInvestor(false)
}
}
async function onGetMasterPeriodeDeviden() {
try {
setLoadingMasterPeriodeDeviden(true)
const response = await apiGetMasterInvestasi("?cat=periode-deviden")
if (response.success) {
setPeriodeDeviden(response.data)
}
} catch (error) {
console.log(error)
} finally {
setLoadingMasterPeriodeDeviden(false)
}
}
async function onGetMasterPembagianDeviden() {
try {
setLoadingMasterPembagianDeviden(true)
const response = await apiGetMasterInvestasi("?cat=pembagian-deviden")
if (response.success) {
setPembagianDeviden(response.data)
}
} catch (error) {
console.log(error)
} finally {
setLoadingMasterPembagianDeviden(false)
}
}
useShallowEffect(() => {
onGetOneInvestasiById()
onGetMasterInvestor()
onGetMasterPeriodeDeviden()
onGetMasterPembagianDeviden()
}, [])
async function onTotalLembar({ target, harga, }: { target?: number | any; harga?: number | any; }) {
if (target !== 0 && harga !== 0) {
const hasil: any = target / harga;
const result = _.floor(hasil === Infinity ? 0 : hasil);
setTotalLembar(result.toString());
}
}
return (
<>
<Stack px={"sm"}>
{
loading ?
<SkeletonEditInvestasi />
:
<>
<Stack spacing={0}>
<Box mb={"sm"}>
<ComponentGlobal_BoxInformation informasi="Gambar investasi bisa berupa ilustrasi, poster atau foto terkait investasi" />
</Box>
<ComponentGlobal_BoxUploadImage>
{img ? (
<AspectRatio ratio={1 / 1} mt={5} maw={300} mx={"auto"}>
<Image style={{ maxHeight: 250 }} alt="Avatar" src={img} />
</AspectRatio>
) : (
<ComponentGlobal_LoadImage maw={300} fileId={String(data?.imageId)} />
)}
</ComponentGlobal_BoxUploadImage>
{/* Upload Foto */}
<Group position="center">
<FileButton
onChange={async (files: any) => {
try {
const buffer = URL.createObjectURL(
new Blob([new Uint8Array(await files.arrayBuffer())])
);
setImg(buffer);
setFile(files);
} catch (error) {
console.log(error);
}
}}
accept="image/png,image/jpeg"
>
{(props) => (
<Button
{...props}
leftIcon={<IconCamera color="black" />}
radius={50}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload Gambar
</Button>
)}
</FileButton>
</Group>
</Stack>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
}
}}
withAsterisk
label="Judul Investasi"
placeholder="Judul investasi"
maxLength={100}
value={data?.title}
onChange={(val) => {
setData({
...data as any,
title: val.target.value,
});
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
}
}}
icon={<Text fw={"bold"}>Rp.</Text>}
min={0}
withAsterisk
label="Dana Dibutuhkan"
placeholder="0"
value={target ? target : data?.targetDana}
onChange={(val) => {
const match = val.currentTarget.value
.replace(/\./g, "")
.match(/^[0-9]+$/);
if (val.currentTarget.value === "") return setTarget(0 + "");
if (!match?.[0]) return null;
const nilai = val.currentTarget.value.replace(/\./g, "");
const targetNilai = Intl.NumberFormat("id-ID").format(+nilai);
onTotalLembar({
target: +nilai,
harga: +Number(data?.hargaLembar),
});
setTarget(targetNilai);
setData({
...data as any,
targetDana: nilai as string,
});
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
}
}}
icon={<Text fw={"bold"}>Rp.</Text>}
min={0}
withAsterisk
label="Harga Per Lembar"
placeholder="0"
value={harga ? harga : data?.hargaLembar}
onChange={(val) => {
try {
const match = val.currentTarget.value
.replace(/\./g, "")
.match(/^[0-9]+$/);
if (val.currentTarget.value === "") return setHarga(0 + "");
if (!match?.[0]) return null;
const nilai = val.currentTarget.value.replace(/\./g, "");
const targetNilai = Intl.NumberFormat("id-ID").format(+nilai);
onTotalLembar({
harga: +nilai,
target: +Number(data?.targetDana),
});
setHarga(targetNilai);
setData({
...data as any,
hargaLembar: nilai as string,
});
} catch (error) {
console.log(error);
}
}}
/>
<TextInput
description="*Total lembar dihitung dari, Target Dana / Harga Perlembar"
label="Total Lembar"
value={harga === "0" ? "0" : target === "0" ? "0" : totalLembar}
readOnly
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
}
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
}
}}
rightSection={
<Text fw={"bold"} c={"gray"}>
%
</Text>
}
withAsterisk
type="number"
label={"Rasio Keuntungan / ROI %"}
placeholder="Masukan rasio keuntungan"
value={data?.roi}
onChange={(val) => {
setData({
...data as any,
roi: val.target.value,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
},
dropdown: {
backgroundColor: MainColor.white,
}
}}
withAsterisk
label="Pencarian Investor"
placeholder={loadingMasterInvestor ? "Loading..." : "Pilih batas waktu"}
data={pencarianInvestor.map((e) => ({
value: e.id,
label: e.name + " " + "hari",
}))}
value={data?.masterPencarianInvestorId}
onChange={(val) => {
setData({
...(data as any),
masterPencarianInvestorId: val,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
},
dropdown: {
backgroundColor: MainColor.white,
}
}}
withAsterisk
label="Periode Deviden"
placeholder={loadingMasterPeriodeDeviden ? "Loading..." : "Pilih batas waktu"}
data={periodeDeviden.map((e) => ({ value: e.id, label: e.name }))}
value={data?.masterPeriodeDevidenId}
onChange={(val) => {
setData({
...(data as any),
masterPeriodeDevidenId: val,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white
},
required: {
color: MainColor.red
},
dropdown: {
backgroundColor: MainColor.white,
}
}}
withAsterisk
label="Pembagian Deviden"
placeholder={loadingMasterPembagianDeviden ? "Loading..." : "Pilih batas waktu"}
data={pembagianDeviden.map((e) => ({
value: e.id,
label: e.name + " " + "bulan",
}))}
value={data?.masterPembagianDevidenId}
onChange={(val) => {
setData({
...(data as any),
masterPembagianDevidenId: val,
});
}}
/>
<Investasi_ComponentButtonUpdateDataInvestasi
data={data as any}
file={file as any}
totalLembar={totalLembar}
/>
</>
}
</Stack>
</>
);
}

View File

@@ -1,7 +1,8 @@
import { DIRECTORY_ID } from "@/app/lib"; import { DIRECTORY_ID } from "@/app/lib";
import { MainColor } from "@/app_modules/_global/color"; import { MainColor } from "@/app_modules/_global/color";
import { import {
ComponentGlobal_CardStyles ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_CardStyles,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { import {
funGlobal_DeleteFileById, funGlobal_DeleteFileById,
@@ -11,44 +12,62 @@ import {
ComponentGlobal_NotifikasiBerhasil, ComponentGlobal_NotifikasiBerhasil,
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { clientLogger } from "@/util/clientLogger";
import { import {
Box,
Button, Button,
Center, Center,
FileButton,
Grid, Grid,
Group,
Stack, Stack,
Text, Text,
TextInput, TextInput,
} from "@mantine/core"; } from "@mantine/core";
import { IconCamera, IconCircleCheck } from "@tabler/icons-react"; import { useShallowEffect } from "@mantine/hooks";
import { IconCircleCheck } from "@tabler/icons-react";
import _ from "lodash"; import _ from "lodash";
import { useRouter } from "next/navigation"; import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { Investasi_SkeletonEditProspektus } from "../../_component/skeleton_view";
import { investasi_funUpdateDocument } from "../../_fun"; import { investasi_funUpdateDocument } from "../../_fun";
import { apiGetDokumenInvestasiById } from "../../_lib/api_interface";
import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface"; import { MODEL_INVESTASI_DOKUMEN } from "../../_lib/interface";
export function Investasi_ViewEditDokumen({ export function Investasi_ViewEditDokumen() {
dataDokumen, const params = useParams<{ id: string }>();
}: { const dokumenId = params.id;
dataDokumen: MODEL_INVESTASI_DOKUMEN;
}) {
const router = useRouter(); const router = useRouter();
const [filePdf, setFilePdf] = useState<File | null>(null); const [filePdf, setFilePdf] = useState<File | null>(null);
const [isLoading, setIsLoading] = useState(false); const [isLoading, setIsLoading] = useState(false);
const [data, setData] = useState(dataDokumen); const [data, setData] = useState<MODEL_INVESTASI_DOKUMEN | null>(null);
const [title, setTitle] = useState(data.title); // const [title, setTitle] = useState(data.title);
const [loading, setLoading] = useState(true);
useShallowEffect(() => {
onGetDataDokumenById();
}, []);
async function onGetDataDokumenById() {
try {
setLoading(true);
const response = await apiGetDokumenInvestasiById({
id: dokumenId,
});
if (response.success) {
console.log(response.data);
setData(response.data);
}
} catch (error) {
console.error(error);
} finally {
setLoading(false);
}
}
async function onUpdate() { async function onUpdate() {
try { try {
setIsLoading(true); setIsLoading(true);
if (filePdf) { if (filePdf) {
const delfile = await funGlobal_DeleteFileById({ fileId: data.fileId });
if (!delfile.success) {
ComponentGlobal_NotifikasiPeringatan("Gagal hapus file lama");
}
const uploadFile = await funGlobal_UploadToStorage({ const uploadFile = await funGlobal_UploadToStorage({
file: filePdf, file: filePdf,
dirId: DIRECTORY_ID.investasi_dokumen, dirId: DIRECTORY_ID.investasi_dokumen,
@@ -57,35 +76,52 @@ export function Investasi_ViewEditDokumen({
if (!uploadFile.success) { if (!uploadFile.success) {
setIsLoading(false); setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal upload file dokumen"); ComponentGlobal_NotifikasiPeringatan("Gagal upload file dokumen");
return;
}
const delfile = await funGlobal_DeleteFileById({
fileId: data?.fileId as any,
dirId: DIRECTORY_ID.investasi_dokumen,
});
if (!delfile.success) {
setIsLoading(false);
clientLogger.error("Gagal hapus file lama", delfile.message);
} }
const updateWithFile = await investasi_funUpdateDocument({ const updateWithFile = await investasi_funUpdateDocument({
data: data, data: data as any,
fileId: uploadFile.data.id, fileId: uploadFile.data.id,
}); });
if (updateWithFile.status !== 200) { if (updateWithFile.status !== 200) {
setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan(updateWithFile.message); ComponentGlobal_NotifikasiPeringatan(updateWithFile.message);
} }
ComponentGlobal_NotifikasiBerhasil(updateWithFile.message); ComponentGlobal_NotifikasiBerhasil(updateWithFile.message);
router.back();
} else { } else {
const updateNoFile = await investasi_funUpdateDocument({ const updateNoFile = await investasi_funUpdateDocument({
data: data, data: data as any,
}); });
if (updateNoFile.status !== 200) { if (updateNoFile.status !== 200) {
setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan(updateNoFile.message); ComponentGlobal_NotifikasiPeringatan(updateNoFile.message);
} }
ComponentGlobal_NotifikasiBerhasil(updateNoFile.message); ComponentGlobal_NotifikasiBerhasil(updateNoFile.message);
} }
} catch (error) { } catch (error) {
console.log(error);
} finally {
router.back();
setIsLoading(false); setIsLoading(false);
clientLogger.error(" Error update dokumen", error);
} }
} }
if (loading) {
return <Investasi_SkeletonEditProspektus />;
}
return ( return (
<> <>
<Stack spacing={"xl"} px={"sm"}> <Stack spacing={"xl"} px={"sm"}>
@@ -95,18 +131,23 @@ export function Investasi_ViewEditDokumen({
<TextInput <TextInput
label="Judul Dokumen" label="Judul Dokumen"
placeholder="Masukan judul dokumen" placeholder="Masukan judul dokumen"
value={data.title} value={data?.title}
styles={{ styles={{
label: { label: {
color: "white", color: "white",
}, },
}} }}
onChange={(val) => setData({ ...data, title: val.target.value })} onChange={(val) =>
setData({
...(data as any),
title: val.target.value,
})
}
/> />
<ComponentGlobal_CardStyles marginBottom={"0px"}> <ComponentGlobal_CardStyles marginBottom={"0px"}>
{!filePdf ? ( {!filePdf ? (
<Text lineClamp={1} align="center" c={"gray"}> <Text lineClamp={1} align="center" c={"gray"}>
Dokumen {_.startCase(title)}.pdf {_.startCase(data?.title)}.pdf
</Text> </Text>
) : ( ) : (
<Grid align="center"> <Grid align="center">
@@ -125,7 +166,15 @@ export function Investasi_ViewEditDokumen({
)} )}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
<Group position="center"> <Center>
<ComponentGlobal_ButtonUploadFileImage
onSetFile={setFilePdf}
accept="application/pdf"
text="Upload dokumen"
/>
</Center>
{/* <Group position="center">
<FileButton <FileButton
accept={"application/pdf"} accept={"application/pdf"}
onChange={async (files: any) => { onChange={async (files: any) => {
@@ -153,13 +202,19 @@ export function Investasi_ViewEditDokumen({
</Button> </Button>
)} )}
</FileButton> </FileButton>
</Group> </Group> */}
</Stack> </Stack>
<Box
style={{
display: "flex",
justifyContent: "center",
}}
>
<Button <Button
loaderPosition="center" loaderPosition="center"
loading={isLoading} loading={isLoading}
disabled={data.title === ""} disabled={data?.title === ""}
mt={50} mt={50}
radius={50} radius={50}
bg={MainColor.yellow} bg={MainColor.yellow}
@@ -167,6 +222,9 @@ export function Investasi_ViewEditDokumen({
c={"black"} c={"black"}
style={{ style={{
transition: "0.5s", transition: "0.5s",
position: "absolute",
bottom: 20,
width: "90%",
}} }}
onClick={() => { onClick={() => {
onUpdate(); onUpdate();
@@ -174,6 +232,7 @@ export function Investasi_ViewEditDokumen({
> >
Update Update
</Button> </Button>
</Box>
</Stack> </Stack>
</> </>
); );

View File

@@ -0,0 +1,465 @@
import { MainColor } from "@/app_modules/_global/color";
import {
ComponentGlobal_BoxInformation,
ComponentGlobal_BoxUploadImage,
ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_LoadImage,
} from "@/app_modules/_global/component";
import {
AspectRatio,
Box,
Button,
Center,
FileButton,
Group,
Image,
Select,
Stack,
Text,
TextInput,
} from "@mantine/core";
import { useShallowEffect } from "@mantine/hooks";
import { IconCamera } from "@tabler/icons-react";
import _ from "lodash";
import { useState } from "react";
import { Investasi_ComponentButtonUpdateDataInvestasi } from "../../_component";
import {
apiGetMasterInvestasi,
apiGetOneInvestasiById,
} from "../../_lib/api_interface";
import { IDataInvestasi } from "../../_lib/type_investasi";
import { useParams } from "next/navigation";
import SkeletonEditInvestasi from "./skeleton_edit_investasi";
export function Investasi_ViewEditInvestasiNew() {
const param = useParams<{ id: string }>();
const [loading, setLoading] = useState(true);
const [loadingMasterInvestor, setLoadingMasterInvestor] = useState(true);
const [loadingMasterPeriodeDeviden, setLoadingMasterPeriodeDeviden] =
useState(true);
const [loadingMasterPembagianDeviden, setLoadingMasterPembagianDeviden] =
useState(true);
const [periodeDeviden, setPeriodeDeviden] = useState<any[]>([]);
const [pembagianDeviden, setPembagianDeviden] = useState<any[]>([]);
const [pencarianInvestor, setPencarianInvestor] = useState<any[]>([]);
const [data, setData] = useState<IDataInvestasi>();
const [file, setFile] = useState<File | null>(null);
const [img, setImg] = useState<any | null>();
const [target, setTarget] = useState("");
const [harga, setHarga] = useState("");
const [totalLembar, setTotalLembar] = useState<any>("");
async function onGetOneInvestasiById() {
try {
setLoading(true);
const response = await apiGetOneInvestasiById({
id: param.id,
});
if (response.success) {
setData(response.data);
setTotalLembar(response.data.totalLembar);
}
} catch (error) {
console.error(error);
} finally {
setLoading(false);
}
}
async function onGetMasterInvestor() {
try {
setLoadingMasterInvestor(true);
const response = await apiGetMasterInvestasi("?cat=pencarian-investor");
if (response.success) {
setPencarianInvestor(response.data);
}
} catch (error) {
console.log(error);
} finally {
setLoadingMasterInvestor(false);
}
}
async function onGetMasterPeriodeDeviden() {
try {
setLoadingMasterPeriodeDeviden(true);
const response = await apiGetMasterInvestasi("?cat=periode-deviden");
if (response.success) {
setPeriodeDeviden(response.data);
}
} catch (error) {
console.log(error);
} finally {
setLoadingMasterPeriodeDeviden(false);
}
}
async function onGetMasterPembagianDeviden() {
try {
setLoadingMasterPembagianDeviden(true);
const response = await apiGetMasterInvestasi("?cat=pembagian-deviden");
if (response.success) {
setPembagianDeviden(response.data);
}
} catch (error) {
console.log(error);
} finally {
setLoadingMasterPembagianDeviden(false);
}
}
useShallowEffect(() => {
onGetOneInvestasiById();
onGetMasterInvestor();
onGetMasterPeriodeDeviden();
onGetMasterPembagianDeviden();
}, []);
async function onTotalLembar({
target,
harga,
}: {
target?: number | any;
harga?: number | any;
}) {
if (target !== 0 && harga !== 0) {
const hasil: any = target / harga;
const result = _.floor(hasil === Infinity ? 0 : hasil);
setTotalLembar(result.toString());
}
}
return (
<>
<Stack px={"sm"}>
{loading ? (
<SkeletonEditInvestasi />
) : (
<>
<Stack spacing={0}>
<Box mb={"sm"}>
<ComponentGlobal_BoxInformation informasi="Gambar investasi bisa berupa ilustrasi, poster atau foto terkait investasi" />
</Box>
<ComponentGlobal_BoxUploadImage>
{img ? (
<AspectRatio ratio={1 / 1} mt={5} maw={300} mx={"auto"}>
<Image style={{ maxHeight: 250 }} alt="Avatar" src={img} />
</AspectRatio>
) : (
<ComponentGlobal_LoadImage
maw={300}
fileId={String(data?.imageId)}
/>
)}
</ComponentGlobal_BoxUploadImage>
{/* Upload Foto */}
<Center>
<ComponentGlobal_ButtonUploadFileImage
onSetFile={setFile}
onSetImage={setImg}
/>
</Center>
{/* <Group position="center">
<FileButton
onChange={async (files: any) => {
try {
const buffer = URL.createObjectURL(
new Blob([new Uint8Array(await files.arrayBuffer())])
);
setImg(buffer);
setFile(files);
} catch (error) {
console.log(error);
}
}}
accept="image/png,image/jpeg"
>
{(props) => (
<Button
{...props}
leftIcon={<IconCamera color="black" />}
radius={50}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload Gambar
</Button>
)}
</FileButton>
</Group> */}
</Stack>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
}}
withAsterisk
label="Judul Investasi"
placeholder="Judul investasi"
maxLength={100}
value={data?.title}
onChange={(val) => {
setData({
...(data as any),
title: val.target.value,
});
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
}}
icon={<Text fw={"bold"}>Rp.</Text>}
min={0}
withAsterisk
label="Dana Dibutuhkan"
placeholder="0"
value={target ? target : data?.targetDana}
onChange={(val) => {
const match = val.currentTarget.value
.replace(/\./g, "")
.match(/^[0-9]+$/);
if (val.currentTarget.value === "") return setTarget(0 + "");
if (!match?.[0]) return null;
const nilai = val.currentTarget.value.replace(/\./g, "");
const targetNilai = Intl.NumberFormat("id-ID").format(+nilai);
onTotalLembar({
target: +nilai,
harga: +Number(data?.hargaLembar),
});
setTarget(targetNilai);
setData({
...(data as any),
targetDana: nilai as string,
});
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
}}
icon={<Text fw={"bold"}>Rp.</Text>}
min={0}
withAsterisk
label="Harga Per Lembar"
placeholder="0"
value={harga ? harga : data?.hargaLembar}
onChange={(val) => {
try {
const match = val.currentTarget.value
.replace(/\./g, "")
.match(/^[0-9]+$/);
if (val.currentTarget.value === "") return setHarga(0 + "");
if (!match?.[0]) return null;
const nilai = val.currentTarget.value.replace(/\./g, "");
const targetNilai = Intl.NumberFormat("id-ID").format(+nilai);
onTotalLembar({
harga: +nilai,
target: +Number(data?.targetDana),
});
setHarga(targetNilai);
setData({
...(data as any),
hargaLembar: nilai as string,
});
} catch (error) {
console.log(error);
}
}}
/>
<TextInput
description="*Total lembar dihitung dari, Target Dana / Harga Perlembar"
label="Total Lembar"
value={harga === "0" ? "0" : target === "0" ? "0" : totalLembar}
readOnly
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
}}
/>
<TextInput
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
}}
rightSection={
<Text fw={"bold"} c={"gray"}>
%
</Text>
}
withAsterisk
type="number"
label={"Rasio Keuntungan / ROI %"}
placeholder="Masukan rasio keuntungan"
value={data?.roi}
onChange={(val) => {
setData({
...(data as any),
roi: val.target.value,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
dropdown: {
backgroundColor: MainColor.white,
},
}}
withAsterisk
label="Pencarian Investor"
placeholder={
loadingMasterInvestor ? "Loading..." : "Pilih batas waktu"
}
data={pencarianInvestor.map((e) => ({
value: e.id,
label: e.name + " " + "hari",
}))}
value={data?.masterPencarianInvestorId}
onChange={(val) => {
setData({
...(data as any),
masterPencarianInvestorId: val,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
dropdown: {
backgroundColor: MainColor.white,
},
}}
withAsterisk
label="Periode Deviden"
placeholder={
loadingMasterPeriodeDeviden ? "Loading..." : "Pilih batas waktu"
}
data={periodeDeviden.map((e) => ({ value: e.id, label: e.name }))}
value={data?.masterPeriodeDevidenId}
onChange={(val) => {
setData({
...(data as any),
masterPeriodeDevidenId: val,
});
}}
/>
<Select
styles={{
label: {
color: MainColor.white,
},
input: {
backgroundColor: MainColor.white,
},
required: {
color: MainColor.red,
},
dropdown: {
backgroundColor: MainColor.white,
},
}}
withAsterisk
label="Pembagian Deviden"
placeholder={
loadingMasterPembagianDeviden
? "Loading..."
: "Pilih batas waktu"
}
data={pembagianDeviden.map((e) => ({
value: e.id,
label: e.name + " " + "bulan",
}))}
value={data?.masterPembagianDevidenId}
onChange={(val) => {
setData({
...(data as any),
masterPembagianDevidenId: val,
});
}}
/>
<Investasi_ComponentButtonUpdateDataInvestasi
data={data as any}
file={file as any}
totalLembar={totalLembar}
/>
</>
)}
</Stack>
</>
);
}

View File

@@ -1,42 +1,66 @@
import { MainColor } from "@/app_modules/_global/color"; import { MainColor } from "@/app_modules/_global/color";
import { import {
ComponentGlobal_BoxInformation, ComponentGlobal_BoxInformation,
ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_CardStyles, ComponentGlobal_CardStyles,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { import {
Box,
Button, Button,
Center, Center,
FileButton,
Grid, Grid,
Group,
Stack, Stack,
Text Text
} from "@mantine/core"; } from "@mantine/core";
import { import {
IconCamera, IconCircleCheck,
IconCircleCheck IconFileTypePdf
} from "@tabler/icons-react"; } from "@tabler/icons-react";
import { DIRECTORY_ID } from "@/app/lib"; import { DIRECTORY_ID } from "@/app/lib";
import { funGlobal_UploadToStorage } from "@/app_modules/_global/fun"; import {
funGlobal_DeleteFileById,
funGlobal_UploadToStorage,
} from "@/app_modules/_global/fun";
import { import {
ComponentGlobal_NotifikasiBerhasil, ComponentGlobal_NotifikasiBerhasil,
ComponentGlobal_NotifikasiPeringatan, ComponentGlobal_NotifikasiPeringatan,
} from "@/app_modules/_global/notif_global"; } from "@/app_modules/_global/notif_global";
import { useRouter } from "next/navigation"; import { clientLogger } from "@/util/clientLogger";
import { useShallowEffect } from "@mantine/hooks";
import { useParams, useRouter } from "next/navigation";
import { useState } from "react"; import { useState } from "react";
import { Investasi_SkeletonEditProspektus } from "../../_component/skeleton_view";
import { investasi_funUpdateProspektus } from "../../_fun"; import { investasi_funUpdateProspektus } from "../../_fun";
import { apiGetOneInvestasiById } from "../../_lib/api_interface";
export function Investasi_ViewEditProspektus({ export function Investasi_ViewEditProspektus() {
investasiId, const params = useParams<{ id: string }>();
}: { const investasiId = params.id;
investasiId: string;
}) {
const router = useRouter(); const router = useRouter();
const [filePdf, setFilePdf] = useState<File | null>(null); const [filePdf, setFilePdf] = useState<File | null>(null);
const [isLoading, setIsLoading] = useState(false); const [isLoading, setIsLoading] = useState(false);
const [fileRemoveId, setFileRemoveId] = useState<string | null>(null);
useShallowEffect(() => {
onLoadData();
}, []);
async function onLoadData() {
try {
const respone = await apiGetOneInvestasiById({
id: investasiId,
});
if (respone.success) {
setFileRemoveId(respone.data.prospektusFileId);
}
} catch (error) {
clientLogger.error("Error get data investasi:", error);
}
}
async function onUpload() { async function onUpload() {
try {
setIsLoading(true); setIsLoading(true);
const uploadFilePdf = await funGlobal_UploadToStorage({ const uploadFilePdf = await funGlobal_UploadToStorage({
file: filePdf as any, file: filePdf as any,
@@ -45,38 +69,52 @@ export function Investasi_ViewEditProspektus({
if (!uploadFilePdf.success) { if (!uploadFilePdf.success) {
setIsLoading(false); setIsLoading(false);
return ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf"); ComponentGlobal_NotifikasiPeringatan("Gagal upload file pdf");
return;
}
const deleteFile = await funGlobal_DeleteFileById({
fileId: fileRemoveId as string,
dirId: DIRECTORY_ID.investasi_prospektus,
});
if (!deleteFile.success) {
setIsLoading(false);
clientLogger.error("Error delete file:", deleteFile.message);
} }
try {
const updte = await investasi_funUpdateProspektus({ const updte = await investasi_funUpdateProspektus({
fileId: uploadFilePdf.data.id, fileId: uploadFilePdf.data.id,
investasiId: investasiId, investasiId: investasiId,
}); });
if (updte.status !== 200) { if (updte.status !== 200) {
return ComponentGlobal_NotifikasiPeringatan("Gagal update prospektus");
}
router.back();
return ComponentGlobal_NotifikasiBerhasil(updte.message);
} catch (error) {
console.log(error);
} finally {
setIsLoading(false); setIsLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal update prospektus");
return;
} }
ComponentGlobal_NotifikasiBerhasil(updte.message);
router.back();
} catch (error) {
setIsLoading(false);
clientLogger.error("Error update prospektus:", error);
}
}
if (fileRemoveId == null) {
return <Investasi_SkeletonEditProspektus />;
} }
return ( return (
<> <>
<Stack spacing={"sm"}> <Stack spacing={"sm"}>
<ComponentGlobal_BoxInformation informasi="File prospektus wajib untuk diupload, agar calon investor paham dengan prospek investasi yang akan anda jalankan kedepan !" /> <ComponentGlobal_BoxInformation informasi="File prospektus wajib untuk diupload, agar calon investor paham dengan prospek investasi yang akan anda jalankan kedepan." />
<ComponentGlobal_CardStyles marginBottom={"0px"}> <ComponentGlobal_CardStyles marginBottom={"0px"}>
{!filePdf ? ( {!filePdf ? (
<Text lineClamp={1} align="center" c={"gray"}> <Stack justify="center" align="center" h={"100%"}>
Upload File Prospektus <IconFileTypePdf size={40} color="gray" />
</Text> </Stack>
) : ( ) : (
<Grid align="center"> <Grid align="center">
<Grid.Col span={2}></Grid.Col> <Grid.Col span={2}></Grid.Col>
@@ -94,37 +132,22 @@ export function Investasi_ViewEditProspektus({
)} )}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
<Group position="center"> <Center>
<FileButton <ComponentGlobal_ButtonUploadFileImage
onSetFile={setFilePdf}
accept={"application/pdf"} accept={"application/pdf"}
onChange={async (files: any) => { text="Upload File"
try { />
const buffer = URL.createObjectURL( </Center>
new Blob([new Uint8Array(await files.arrayBuffer())])
);
setFilePdf(files); <Box
} catch (error) { style={{
console.log(error); display: "flex",
} justifyContent: "center",
}} }}
> >
{(props) => (
<Button
leftIcon={<IconCamera />}
{...props}
radius={"xl"}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload File
</Button>
)}
</FileButton>
</Group>
<Button <Button
px={"sm"}
loaderPosition="center" loaderPosition="center"
loading={isLoading} loading={isLoading}
disabled={filePdf === null} disabled={filePdf === null}
@@ -134,7 +157,10 @@ export function Investasi_ViewEditProspektus({
color="yellow" color="yellow"
c={"black"} c={"black"}
style={{ style={{
transition: "0.5s", transition: "all 0.3s ease",
position: "absolute",
bottom: 20,
width: "90%",
}} }}
onClick={() => { onClick={() => {
onUpload(); onUpload();
@@ -142,6 +168,7 @@ export function Investasi_ViewEditProspektus({
> >
Update Update
</Button> </Button>
</Box>
</Stack> </Stack>
</> </>
); );

View File

@@ -32,6 +32,7 @@ import { IRealtimeData } from "@/app/lib/global_state";
import { notifikasiToAdmin_funCreate } from "@/app_modules/notifikasi/fun"; import { notifikasiToAdmin_funCreate } from "@/app_modules/notifikasi/fun";
import { WibuRealtime } from "wibu-pkg"; import { WibuRealtime } from "wibu-pkg";
import { clientLogger } from "@/util/clientLogger"; import { clientLogger } from "@/util/clientLogger";
import { ComponentGlobal_ButtonUploadFileImage } from "@/app_modules/_global/component";
export function Investasi_ViewInvoice({ export function Investasi_ViewInvoice({
dataInvoice, dataInvoice,
@@ -42,6 +43,7 @@ export function Investasi_ViewInvoice({
const [isLoading, setLoading] = useState(false); const [isLoading, setLoading] = useState(false);
const [data, setData] = useState(dataInvoice); const [data, setData] = useState(dataInvoice);
const [file, setFile] = useState<File | null>(null); const [file, setFile] = useState<File | null>(null);
const [img, setImg] = useState<any | null>(null);
async function onUpload() { async function onUpload() {
try { try {
@@ -52,6 +54,7 @@ export function Investasi_ViewInvoice({
}); });
if (!uploadFileToStorage.success) { if (!uploadFileToStorage.success) {
setLoading(false);
ComponentGlobal_NotifikasiPeringatan("Gagal upload bukti transfer"); ComponentGlobal_NotifikasiPeringatan("Gagal upload bukti transfer");
return; return;
} }
@@ -62,6 +65,7 @@ export function Investasi_ViewInvoice({
}); });
if (res.status != 200) { if (res.status != 200) {
setLoading(false);
ComponentGlobal_NotifikasiGagal(res.message); ComponentGlobal_NotifikasiGagal(res.message);
return; return;
} }
@@ -93,9 +97,8 @@ export function Investasi_ViewInvoice({
}); });
} }
} catch (error) { } catch (error) {
clientLogger.error(" Error upload invoice", error);
} finally {
setLoading(false); setLoading(false);
clientLogger.error(" Error upload invoice", error);
} }
} }
@@ -245,29 +248,10 @@ export function Investasi_ViewInvoice({
> >
<Stack spacing={"sm"}> <Stack spacing={"sm"}>
<Center> <Center>
<FileButton <ComponentGlobal_ButtonUploadFileImage
onChange={async (files: any | null) => { onSetFile={setFile}
try { accept="image/png,image/png,image/jpeg,application/pdf"
setFile(files); />
} catch (error) {
console.log(error);
}
}}
accept="image/png,image/jpeg"
>
{(props) => (
<Button
{...props}
radius={"xl"}
leftIcon={<IconCamera />}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload
</Button>
)}
</FileButton>
</Center> </Center>
{file ? ( {file ? (
<Center> <Center>

View File

@@ -3,6 +3,7 @@ import { MainColor } from "@/app_modules/_global/color/color_pallet";
import { import {
ComponentGlobal_BoxInformation, ComponentGlobal_BoxInformation,
ComponentGlobal_BoxUploadImage, ComponentGlobal_BoxUploadImage,
ComponentGlobal_ButtonUploadFileImage,
ComponentGlobal_CardStyles, ComponentGlobal_CardStyles,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { MAX_SIZE } from "@/app_modules/_global/lib"; import { MAX_SIZE } from "@/app_modules/_global/lib";
@@ -131,7 +132,7 @@ export default function InvestasiCreateNew() {
{/* Upload Image */} {/* Upload Image */}
<Stack spacing={0}> <Stack spacing={0}>
<Box mb={"sm"}> <Box mb={"sm"}>
<ComponentGlobal_BoxInformation informasi="Gambar investasi bisa berupa ilustrasi, poster atau foto terkait investasi" /> <ComponentGlobal_BoxInformation informasi="Gambar investasi bisa berupa ilustrasi, poster atau foto terkait investasi." />
</Box> </Box>
<ComponentGlobal_BoxUploadImage> <ComponentGlobal_BoxUploadImage>
{isLoadingImg ? ( {isLoadingImg ? (
@@ -155,7 +156,13 @@ export default function InvestasiCreateNew() {
</ComponentGlobal_BoxUploadImage> </ComponentGlobal_BoxUploadImage>
{/* Upload Foto */} {/* Upload Foto */}
<Group position="center"> <Center>
<ComponentGlobal_ButtonUploadFileImage
onSetFile={setFileImage}
onSetImage={setImg}
/>
</Center>
{/* <Group position="center">
<FileButton <FileButton
onChange={async (files: any) => { onChange={async (files: any) => {
try { try {
@@ -196,12 +203,12 @@ export default function InvestasiCreateNew() {
</Button> </Button>
)} )}
</FileButton> </FileButton>
</Group> </Group> */}
</Stack> </Stack>
{/* Upload File */} {/* Upload File */}
<Stack spacing={"sm"}> <Stack spacing={"sm"}>
<ComponentGlobal_BoxInformation informasi="File prospektus wajib untuk diupload, agar calon investor paham dengan prospek investasi yang akan anda jalankan kedepan !" /> <ComponentGlobal_BoxInformation informasi="File prospektus wajib untuk diupload, agar calon investor paham dengan prospek investasi yang akan anda jalankan kedepannya." />
<ComponentGlobal_CardStyles marginBottom={"0px"}> <ComponentGlobal_CardStyles marginBottom={"0px"}>
{isLoadingPdf ? ( {isLoadingPdf ? (
<Stack justify="center" align="center" h={"100%"}> <Stack justify="center" align="center" h={"100%"}>
@@ -228,7 +235,16 @@ export default function InvestasiCreateNew() {
)} )}
</ComponentGlobal_CardStyles> </ComponentGlobal_CardStyles>
<Group position="center"> <Center>
<ComponentGlobal_ButtonUploadFileImage
onSetFile={setFilePdf}
onSetImage={setFPdf}
accept={"application/pdf"}
text="Upload File"
icon={<IconFileTypePdf size={20} />}
/>
</Center>
{/* <Group position="center">
<FileButton <FileButton
accept={"application/pdf"} accept={"application/pdf"}
onChange={async (files: any) => { onChange={async (files: any) => {
@@ -269,7 +285,7 @@ export default function InvestasiCreateNew() {
</Button> </Button>
)} )}
</FileButton> </FileButton>
</Group> </Group> */}
</Stack> </Stack>
<Stack> <Stack>
@@ -283,7 +299,7 @@ export default function InvestasiCreateNew() {
}, },
input: { input: {
backgroundColor: MainColor.white, backgroundColor: MainColor.white,
} },
}} }}
withAsterisk withAsterisk
label="Judul Investasi" label="Judul Investasi"
@@ -307,7 +323,7 @@ export default function InvestasiCreateNew() {
}, },
input: { input: {
backgroundColor: MainColor.white, backgroundColor: MainColor.white,
} },
}} }}
icon={<Text fw={"bold"}>Rp.</Text>} icon={<Text fw={"bold"}>Rp.</Text>}
min={0} min={0}
@@ -350,7 +366,7 @@ export default function InvestasiCreateNew() {
}, },
input: { input: {
backgroundColor: MainColor.white, backgroundColor: MainColor.white,
} },
}} }}
icon={<Text fw={"bold"}>Rp.</Text>} icon={<Text fw={"bold"}>Rp.</Text>}
min={0} min={0}
@@ -403,7 +419,7 @@ export default function InvestasiCreateNew() {
}, },
input: { input: {
backgroundColor: MainColor.white, backgroundColor: MainColor.white,
} },
}} }}
/> />
@@ -417,7 +433,7 @@ export default function InvestasiCreateNew() {
}, },
input: { input: {
backgroundColor: MainColor.white, backgroundColor: MainColor.white,
} },
}} }}
rightSection={ rightSection={
<Text fw={"bold"} c={"gray"}> <Text fw={"bold"} c={"gray"}>

View File

@@ -1,60 +0,0 @@
"use client";
import { RouterInvestasi_OLD } from "@/app/lib/router_hipmi/router_investasi";
import UIGlobal_Drawer from "@/app_modules/_global/ui/ui_drawer";
import UIGlobal_LayoutHeaderTamplate from "@/app_modules/_global/ui/ui_header_tamplate";
import UIGlobal_LayoutTamplate from "@/app_modules/_global/ui/ui_layout_tamplate";
import { ActionIcon } from "@mantine/core";
import { IconDotsVertical, IconFilePlus } from "@tabler/icons-react";
import { useRouter } from "next/navigation";
import React from "react";
export default function LayoutEditDokumenInvestasi({
children,
idInves,
}: {
children: React.ReactNode;
idInves: string;
}) {
const router = useRouter();
const [isOpenDrawer, setIsOpenDrawer] = React.useState(false);
const listPage = [
{
id: "1",
name: "Tambah Dokumen",
icon: <IconFilePlus />,
path: RouterInvestasi_OLD.upload_dokumen + `${idInves}`,
},
];
return (
<>
<UIGlobal_LayoutTamplate
header={
<UIGlobal_LayoutHeaderTamplate
title="Daftar Dokumen"
// iconRight={<IconEdit />}
// routerRight={RouterInvestasi.upload_dokumen + `${idInves}`}
customButtonRight={
<ActionIcon
variant="transparent"
onClick={() => setIsOpenDrawer(true)}
>
<IconDotsVertical color="white" />
</ActionIcon>
}
/>
}
>
{children}
</UIGlobal_LayoutTamplate>
<UIGlobal_Drawer
opened={isOpenDrawer}
close={() => setIsOpenDrawer(false)}
component={listPage}
/>
</>
);
}

View File

@@ -1,87 +0,0 @@
"use client";
import {
AccentColor,
MainColor,
} from "@/app_modules/_global/color/color_pallet";
import ComponentGlobal_IsEmptyData from "@/app_modules/_global/component/is_empty_data";
import { ComponentGlobal_NotifikasiBerhasil } from "@/app_modules/_global/notif_global/notifikasi_berhasil";
import { ComponentGlobal_NotifikasiGagal } from "@/app_modules/_global/notif_global/notifikasi_gagal";
import { ActionIcon, Group, Paper, Text } from "@mantine/core";
import { IconFolderOpen, IconTrash, IconWorldShare } from "@tabler/icons-react";
import _ from "lodash";
import Link from "next/link";
import { useState } from "react";
import funDeleteDokumenInvestasi from "../fun/fun_delete_dokumen";
import funLoadDataInvestasi from "../fun/fun_load_data";
import { MODEL_INVESTASI } from "../_lib/interface";
import { IconFile } from "@tabler/icons-react";
import { IconFileTypePdf } from "@tabler/icons-react";
export default function EditDokumenInvestasi({
dataInvestasi,
}: {
dataInvestasi: MODEL_INVESTASI;
}) {
const [dokumen, setDokumen] = useState(dataInvestasi);
async function onDelete(id: string) {
await funDeleteDokumenInvestasi(id).then(async (res) => {
if (res.status === 200) {
ComponentGlobal_NotifikasiBerhasil(res.message);
const load = await funLoadDataInvestasi(dokumen.id);
setDokumen(load as any);
} else {
ComponentGlobal_NotifikasiGagal(res.message);
}
});
}
return (
<>
{!_.isEmpty(dokumen.DokumenInvestasi) ? (
dokumen.DokumenInvestasi.map((e) => (
<Paper
key={e.id}
style={{
padding: "15px",
backgroundColor: AccentColor.darkblue,
border: `2px solid ${AccentColor.blue}`,
borderRadius: "10px",
color: "white",
marginBottom: "15px",
}}
>
<Group position="apart">
<Text lineClamp={1}>{e.title}</Text>
<Group position="center">
<Link href={`/file/${e.url}`} target="_blank">
<ActionIcon variant="transparent">
<IconFileTypePdf
style={{
color: MainColor.yellow,
}}
/>
</ActionIcon>
</Link>
<ActionIcon
variant="transparent"
onClick={() => {
onDelete(e.id);
}}
>
<IconTrash color="red" />
</ActionIcon>
</Group>
</Group>
</Paper>
))
) : (
<ComponentGlobal_IsEmptyData />
)}
{/* <Divider mt={"lg"} /> */}
</>
);
}

View File

@@ -1,30 +0,0 @@
"use client";
import UIGlobal_LayoutHeaderTamplate from "@/app_modules/_global/ui/ui_header_tamplate";
import UIGlobal_LayoutTamplate from "@/app_modules/_global/ui/ui_layout_tamplate";
import React from "react";
import { MODEL_INVESTASI } from "../_lib/interface";
export default function LayoutEditProspektusInvestasi({
children,
dataInvestasi,
}: {
children: React.ReactNode;
dataInvestasi: MODEL_INVESTASI;
}) {
return (
<>
<UIGlobal_LayoutTamplate
header={
<UIGlobal_LayoutHeaderTamplate
title="Edit Prospektus"
// icon={<IconEdit />}
// route2={RouterInvestasi.upload_prospektus + `${dataInvestasi.id}`}
/>
}
>
{children}
</UIGlobal_LayoutTamplate>
</>
);
}

View File

@@ -1,75 +0,0 @@
"use client";
import {
Paper,
Grid,
Center,
Title,
Divider,
Button,
Text,
Group,
FileButton,
FileInput,
Image,
AspectRatio,
Flex,
Stack,
Box,
} from "@mantine/core";
import { IconChevronRight, IconFileTypePdf } from "@tabler/icons-react";
import Link from "next/link";
import { useState } from "react";
import { MODEL_INVESTASI } from "../_lib/interface";
import { RouterInvestasi_OLD } from "@/app/lib/router_hipmi/router_investasi";
export default function EditProspektusInvestasi({
dataInvestasi,
}: {
dataInvestasi: MODEL_INVESTASI;
}) {
const [prospek, setProspek] = useState<MODEL_INVESTASI>(dataInvestasi);
return (
<>
{/* <pre>{JSON.stringify(prospek, null, 2)}</pre> */}
<Stack>
{prospek.ProspektusInvestasi != null ? (
<Link
href={RouterInvestasi_OLD.api_file_prospektus + `${prospek.ProspektusInvestasi.id}`}
target="_blank"
style={{ textDecorationLine: "none" }}
>
<Paper w={"100%"} bg={"gray"} mb={"md"}>
<Grid
align="center"
justify="center"
h={50}
px={"sm"}
onClick={() => ""}
>
<Grid.Col span={11}>
<Group>
{/* <IconFileTypePdf /> */}
<Text lineClamp={1}>Prospektus_{prospek.title}</Text>
</Group>
</Grid.Col>
<Grid.Col span={1}>
<Center>
<IconChevronRight />
</Center>
</Grid.Col>
</Grid>
</Paper>
</Link>
) : (
<Center>
<Title order={4}>Tidak ada file</Title>
</Center>
)}
{/* <Divider my={"lg"} /> */}
</Stack>
</>
);
}

View File

@@ -7,10 +7,6 @@ import PortofolioInvestasi from "./portofolio/view";
import LayoutPortofolioInvestasi from "./portofolio/layout"; import LayoutPortofolioInvestasi from "./portofolio/layout";
import EditIntroInvestasi from "./edit_intro/view"; import EditIntroInvestasi from "./edit_intro/view";
import LayoutEditIntroInvestasi from "./edit_intro/layout"; import LayoutEditIntroInvestasi from "./edit_intro/layout";
import EditProspektusInvestasi from "./edit_propektus/view";
import LayoutEditProspektusInvestasi from "./edit_propektus/layout";
import EditDokumenInvestasi from "./edit_dokumen/view";
import LayoutEditDokumenInvestasi from "./edit_dokumen/layout";
import EditBeritaInvestasi from "./edit_berita/view"; import EditBeritaInvestasi from "./edit_berita/view";
import LayoutEditBeritaInvestasi from "./edit_berita/layout"; import LayoutEditBeritaInvestasi from "./edit_berita/layout";
import DetailPropektus from "./detail_prospektus/view"; import DetailPropektus from "./detail_prospektus/view";
@@ -58,10 +54,6 @@ export {
LayoutPortofolioInvestasi, LayoutPortofolioInvestasi,
EditIntroInvestasi, EditIntroInvestasi,
LayoutEditIntroInvestasi, LayoutEditIntroInvestasi,
EditProspektusInvestasi,
LayoutEditProspektusInvestasi,
EditDokumenInvestasi,
LayoutEditDokumenInvestasi,
EditBeritaInvestasi, EditBeritaInvestasi,
LayoutEditBeritaInvestasi, LayoutEditBeritaInvestasi,
DetailPropektus, DetailPropektus,

View File

@@ -2,22 +2,15 @@
import { import {
AspectRatio, AspectRatio,
Button,
Center, Center,
FileButton,
Image, Image,
Stack, Stack,
Text, Text,
TextInput, TextInput,
} from "@mantine/core"; } from "@mantine/core";
import { IconCamera } from "@tabler/icons-react";
import { useState } from "react"; import { useState } from "react";
import { MODEL_JOB } from "../model/interface"; import { MODEL_JOB } from "../model/interface";
import {
AccentColor,
MainColor,
} from "@/app_modules/_global/color/color_pallet";
import { import {
ComponentGlobal_BoxUploadImage, ComponentGlobal_BoxUploadImage,
ComponentGlobal_ButtonUploadFileImage, ComponentGlobal_ButtonUploadFileImage,

View File

@@ -3,13 +3,7 @@ import {
ComponentGlobal_BoxInformation, ComponentGlobal_BoxInformation,
ComponentGlobal_ButtonUploadFileImage, ComponentGlobal_ButtonUploadFileImage,
} from "@/app_modules/_global/component"; } from "@/app_modules/_global/component";
import { import { Avatar, Box, Center, Paper, Stack } from "@mantine/core";
Avatar,
Box,
Center,
Paper,
Stack
} from "@mantine/core";
import { useState } from "react"; import { useState } from "react";
export default function Profile_ViewUploadFoto({ export default function Profile_ViewUploadFoto({
@@ -68,125 +62,6 @@ export default function Profile_ViewUploadFoto({
onSetImage={onSetImgPP} onSetImage={onSetImgPP}
/> />
</Center> </Center>
{/* <Center>
<FileButton
onChange={async (files: any | null) => {
try {
setLoadingButton(true);
const buffer = URL.createObjectURL(
new Blob([new Uint8Array(await files.arrayBuffer())])
);
// if (files.size > MAX_SIZE) {
// ComponentGlobal_NotifikasiPeringatan(
// PemberitahuanMaksimalFile
// );
// onSetImgPP(null);
// return;
// }
if (fotoProfileId != "") {
try {
const deleteFotoProfile = await funGlobal_DeleteFileById({
fileId: fotoProfileId,
dirId: DIRECTORY_ID.profile_foto,
});
if (!deleteFotoProfile.success) {
clientLogger.error(
"Client failed delete photo profile:" +
deleteFotoProfile.message
);
return;
}
if (deleteFotoProfile.success) {
onSetFotoProfileId("");
onSetImgPP(null);
const uploadPhoto = await funGlobal_UploadToStorage({
file: files,
dirId: DIRECTORY_ID.profile_foto,
});
if (!uploadPhoto.success) {
clientLogger.error(
"Client failed upload photo profile::" +
uploadPhoto.message
);
return;
}
if (uploadPhoto.success) {
clientLogger.info(
"Client success upload foto profile"
);
onSetFotoProfileId(uploadPhoto.data.id);
onSetImgPP(buffer);
} else {
clientLogger.error(
"Client failed upload foto:",
uploadPhoto.message
);
ComponentGlobal_NotifikasiPeringatan(
"Gagal upload foto profile"
);
}
}
} catch (error) {
clientLogger.error("Client error upload foto:", error);
}
} else {
try {
const uploadPhoto = await funGlobal_UploadToStorage({
file: files,
dirId: DIRECTORY_ID.profile_foto,
});
if (uploadPhoto.success) {
clientLogger.info("Client success upload foto profile");
onSetFotoProfileId(uploadPhoto.data.id);
onSetImgPP(buffer);
} else {
clientLogger.error(
"Client failed upload foto:",
uploadPhoto.message
);
ComponentGlobal_NotifikasiPeringatan(
"Gagal upload foto profile"
);
}
} catch (error) {
clientLogger.error("Client error upload foto:", error);
}
}
} catch (error) {
clientLogger.error("Client error upload foto:", error);
} finally {
setLoadingButton(false);
}
}}
accept="image/png,image/jpeg"
>
{(props) => (
<Button
{...props}
loading={isLoadingButton}
loaderPosition="center"
radius={"xl"}
leftIcon={<IconCamera />}
bg={MainColor.yellow}
color="yellow"
c={"black"}
>
Upload
</Button>
)}
</FileButton>
</Center> */}
</Stack> </Stack>
</Box> </Box>
</> </>

View File

@@ -22,19 +22,19 @@ const middlewareConfig: MiddlewareConfig = {
// registarasiPath: "/register", // registarasiPath: "/register",
userPath: "/dev/home", userPath: "/dev/home",
publicRoutes: [ publicRoutes: [
// API // API
"/", "/",
"/api/voting/*", "/api/voting/*",
"/api/collaboration/*", "/api/collaboration/*",
"/api/notifikasi/*", "/api/notifikasi/*",
"/api/logs/*", "/api/logs/*",
// "/api/image/*",
"/api/job/*", "/api/job/*",
"/api/auth/*", "/api/auth/*",
"/api/origin-url", "/api/origin-url",
// "/api/user",
"/api/event/*", "/api/event/*",
// "/api/image/*",
// "/api/user",
"/api/new/*",
// Akses awal // Akses awal
"/api/get-cookie", "/api/get-cookie",
"/api/user/activation", "/api/user/activation",

44
xhtml/index.html Normal file
View File

@@ -0,0 +1,44 @@
<!doctype html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Document</title>
</head>
<body>
<!-- <img
id="pdf"
src="https://wibu-storage.wibudev.com/api/pdf-to-image?url=https://pdfobject.com/pdf/sample.pdf"
alt="pdf"
/> -->
<div id="pdfs"></div>
</body>
<script type="module">
(async () => {
const imagePdf = document.getElementById("pdf");
const pdfs = document.getElementById("pdfs");
const token =
"eyJhbGciOiJIUzI1NiJ9.eyJ1c2VyIjp7ImlkIjoiY20wdXIxeXh3MDAwMDU2bnNqbHI2MTg3cCIsIm5hbWUiOiJiYWdhcyIsImVtYWlsIjoiYmFnYXNAZ21haWwuY29tIn0sImlhdCI6MTcyNTg3MTAzNiwiZXhwIjo0ODgxNjMxMDM2fQ.wFQLcrJj66wFeqIMYk2esMx3ULaHK6RFxkiToaLCuko";
const res = await fetch(
"https://wibu-storage.wibudev.com/api/pdf-to-image?url=https://wibu-storage.wibudev.com/api/files/cm5jgzg7d001dxpugxseb2ua0",
{
method: "GET",
headers: {
"Content-Type": "application/json",
Authorization: `Bearer ${token}`,
},
}
);
const jsonData = await res.json();
// console.log(JSON.stringify(jsonData.pages, null, 2));
// imagePdf.src = jsonData.pages[0].imageUrl;
for (let index = 0; index < jsonData.pages.length; index++) {
const element = jsonData.pages[index];
const img = document.createElement("img");
img.src = element.imageUrl;
pdfs.appendChild(img);
}
})();
</script>
</html>