Change Audiens

This commit is contained in:
Randa Firman Putra
2025-06-28 06:15:50 +07:00
parent baf9965d64
commit 37d083ec31
18 changed files with 906 additions and 318 deletions

124
README.md
View File

@@ -1,36 +1,118 @@
This is a [Next.js](https://nextjs.org) project bootstrapped with [`create-next-app`](https://nextjs.org/docs/app/api-reference/cli/create-next-app). # Portal Data Informatika (PODIF)
## Getting Started Sistem Informasi Data Mahasiswa Jurusan Informatika dengan autentikasi admin dan dosen.
First, run the development server: ## Struktur Aplikasi
### Landing Page (Root)
- **URL**: `/`
- **Fitur**: Halaman landing dengan modal login/register
- **Layout**: Tanpa sidebar/navbar (clean auth interface)
- **Komponen**:
- Modal Login (Admin & Dosen)
- Modal Register (Dosen/Kajur)
### Dashboard
- **URL**: `/dashboard`
- **Fitur**: Dashboard utama dengan sidebar dan navbar
- **Layout**: Menggunakan ClientLayout dengan sidebar/navbar
- **Komponen**:
- Statistik mahasiswa
- Grafik dan chart
- Menu navigasi
### Halaman Mahasiswa
- **URL**: `/dashboard/mahasiswa/*`
- **Fitur**: Halaman data mahasiswa
- **Layout**: Menggunakan ClientLayout dengan sidebar/navbar
## Autentikasi
### Role User
1. **Admin**
- Login dengan username dan password
- Akses penuh ke semua fitur
2. **Dosen**
- Login dengan NIP dan password
- Akses terbatas sesuai role
3. **Ketua Jurusan (Kajur)**
- Login dengan NIP dan password
- Akses khusus untuk kajur
### API Endpoints
- `POST /api/auth/login` - Login admin/dosen
- `POST /api/auth/register` - Register dosen/kajur
- `POST /api/auth/logout` - Logout
- `GET /api/auth/check` - Cek status autentikasi
## Setup
### 1. Install Dependencies
```bash
npm install
```
### 2. Setup Environment Variables
Buat file `.env.local`:
```env
NEXT_PUBLIC_SUPABASE_URL=your_supabase_url
NEXT_PUBLIC_SUPABASE_ANON_KEY=your_supabase_anon_key
SUPABASE_SERVICE_ROLE_KEY=your_supabase_service_role_key
JWT_SECRET=your_jwt_secret
```
### 3. Setup Database
Jalankan script setup database:
```bash
node setup_database.js
```
### 4. Run Development Server
```bash ```bash
npm run dev npm run dev
# or
yarn dev
# or
pnpm dev
# or
bun dev
``` ```
Open [http://localhost:3000](http://localhost:3000) with your browser to see the result. ## Database Schema
You can start editing the page by modifying `app/page.tsx`. The page auto-updates as you edit the file. ### Tabel user_app
This project uses [`next/font`](https://nextjs.org/docs/app/building-your-application/optimizing/fonts) to automatically optimize and load [Geist](https://vercel.com/font), a new font family for Vercel. ```sql
CREATE TABLE user_app (
id_user SERIAL PRIMARY KEY,
username VARCHAR(50), -- hanya digunakan oleh admin
nip VARCHAR(20), -- hanya digunakan oleh dosen & kajur
password TEXT NOT NULL,
role_user role_enum NOT NULL, -- ENUM: 'admin', 'dosen', 'kajur'
created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
updated_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
);
```
## Learn More ## Middleware
To learn more about Next.js, take a look at the following resources: Middleware mengatur:
- [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API. - Redirect user yang sudah login dari `/` ke `/dashboard`
- [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial. - Protect route `/dashboard/*` (harus login)
- Clear invalid token dan redirect ke home
You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js) - your feedback and contributions are welcome! ## Struktur File
## Deploy on Vercel ```
The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js. ```
Check out our [Next.js deployment documentation](https://nextjs.org/docs/app/building-your-application/deploying) for more details.

View File

@@ -5,15 +5,14 @@ import { SignJWT } from 'jose';
interface User { interface User {
id_user: number; id_user: number;
nim: string; username?: string;
username: string; nip?: string;
password: string; password: string;
role: string; role_user: string;
} }
export async function POST(request: Request) { export async function POST(request: Request) {
try { try {
console.log('Login request received');
// Test database connection first // Test database connection first
try { try {
@@ -23,15 +22,12 @@ export async function POST(request: Request) {
.limit(1); .limit(1);
if (testError) { if (testError) {
console.error('Database connection error:', testError);
return NextResponse.json( return NextResponse.json(
{ error: 'Tidak dapat terhubung ke database' }, { error: 'Tidak dapat terhubung ke database' },
{ status: 500 } { status: 500 }
); );
} }
console.log('Database connection successful');
} catch (dbError) { } catch (dbError) {
console.error('Database connection error:', dbError);
return NextResponse.json( return NextResponse.json(
{ error: 'Tidak dapat terhubung ke database' }, { error: 'Tidak dapat terhubung ke database' },
{ status: 500 } { status: 500 }
@@ -39,31 +35,45 @@ export async function POST(request: Request) {
} }
const body = await request.json(); const body = await request.json();
console.log('Request body:', body);
const { nim, password } = body; const { username, nip, password, role } = body;
console.log('Extracted credentials:', { nim, password: '***' });
// Validate input // Validate input based on role
if (!nim || !password) { if (role === 'admin') {
console.log('Missing credentials:', { nim: !!nim, password: !!password }); if (!username || !password) {
return NextResponse.json(
{ error: 'Username dan password harus diisi' },
{ status: 400 }
);
}
} else if (role === 'dosen' || role === 'kajur') {
if (!nip || !password) {
return NextResponse.json(
{ error: 'NIP dan password harus diisi' },
{ status: 400 }
);
}
} else {
return NextResponse.json( return NextResponse.json(
{ error: 'NIM dan password harus diisi' }, { error: 'Role tidak valid' },
{ status: 400 } { status: 400 }
); );
} }
// Get user by NIM // Get user by username (admin) or NIP (dosen/kajur)
console.log('Querying user with NIM:', nim);
let users: User[]; let users: User[];
try { try {
const { data, error } = await supabase let query = supabase.from('user_app').select('*');
.from('user_app')
.select('*') if (role === 'admin') {
.eq('nim', nim); query = query.eq('username', username);
} else {
query = query.eq('nip', nip);
}
const { data, error } = await query;
if (error) { if (error) {
console.error('Database query error:', error);
return NextResponse.json( return NextResponse.json(
{ error: 'Terjadi kesalahan saat memeriksa data pengguna' }, { error: 'Terjadi kesalahan saat memeriksa data pengguna' },
{ status: 500 } { status: 500 }
@@ -71,9 +81,7 @@ export async function POST(request: Request) {
} }
users = data || []; users = data || [];
console.log('Query result:', users.length > 0 ? 'User found' : 'User not found');
} catch (queryError) { } catch (queryError) {
console.error('Database query error:', queryError);
return NextResponse.json( return NextResponse.json(
{ error: 'Terjadi kesalahan saat memeriksa data pengguna' }, { error: 'Terjadi kesalahan saat memeriksa data pengguna' },
{ status: 500 } { status: 500 }
@@ -81,29 +89,40 @@ export async function POST(request: Request) {
} }
if (users.length === 0) { if (users.length === 0) {
console.log('No user found with NIM:', nim);
return NextResponse.json( return NextResponse.json(
{ error: 'NIM atau password salah' }, { error: role === 'admin' ? 'Username atau password salah' : 'NIP atau password salah' },
{ status: 401 } { status: 401 }
); );
} }
const user = users[0]; const user = users[0];
console.log('User found:', {
id: user.id_user,
nim: user.nim,
username: user.username,
role: user.role
});
// Verify password // Check if user role matches
console.log('Verifying password...'); if (user.role_user !== role) {
return NextResponse.json(
{ error: 'Role tidak sesuai' },
{ status: 401 }
);
}
// Verify password
let isPasswordValid; let isPasswordValid;
try { try {
isPasswordValid = await bcrypt.compare(password, user.password); // For admin, check if password is plain text (not hashed)
console.log('Password verification result:', isPasswordValid ? 'Valid' : 'Invalid'); if (user.role_user === 'admin') {
// Check if stored password is plain text (not starting with $2a$ or $2b$)
if (!user.password.startsWith('$2a$') && !user.password.startsWith('$2b$')) {
// Plain text password - direct comparison
isPasswordValid = password === user.password;
} else {
// Hashed password - use bcrypt
isPasswordValid = await bcrypt.compare(password, user.password);
}
} else {
// For dosen/kajur, always use bcrypt (should be hashed)
isPasswordValid = await bcrypt.compare(password, user.password);
}
} catch (bcryptError) { } catch (bcryptError) {
console.error('Password verification error:', bcryptError);
return NextResponse.json( return NextResponse.json(
{ error: 'Terjadi kesalahan saat memverifikasi password' }, { error: 'Terjadi kesalahan saat memverifikasi password' },
{ status: 500 } { status: 500 }
@@ -111,28 +130,32 @@ export async function POST(request: Request) {
} }
if (!isPasswordValid) { if (!isPasswordValid) {
console.log('Invalid password for user:', nim);
return NextResponse.json( return NextResponse.json(
{ error: 'NIM atau password salah' }, { error: role === 'admin' ? 'Username atau password salah' : 'NIP atau password salah' },
{ status: 401 } { status: 401 }
); );
} }
// Create JWT token // Create JWT token
console.log('Creating JWT token...');
let token; let token;
try { try {
token = await new SignJWT({ const tokenPayload: any = {
id: user.id_user, id: user.id_user,
nim: user.nim, role: user.role_user
role: user.role };
})
// Add username for admin, NIP for dosen/kajur
if (user.role_user === 'admin') {
tokenPayload.username = user.username;
} else {
tokenPayload.nip = user.nip;
}
token = await new SignJWT(tokenPayload)
.setProtectedHeader({ alg: 'HS256' }) .setProtectedHeader({ alg: 'HS256' })
.setExpirationTime('24h') .setExpirationTime('24h')
.sign(new TextEncoder().encode(process.env.JWT_SECRET || 'your-secret-key')); .sign(new TextEncoder().encode(process.env.JWT_SECRET || 'your-secret-key'));
console.log('JWT token created');
} catch (jwtError) { } catch (jwtError) {
console.error('JWT creation error:', jwtError);
return NextResponse.json( return NextResponse.json(
{ error: 'Terjadi kesalahan saat membuat token' }, { error: 'Terjadi kesalahan saat membuat token' },
{ status: 500 } { status: 500 }
@@ -140,14 +163,20 @@ export async function POST(request: Request) {
} }
// Set cookie // Set cookie
console.log('Setting response...'); const userResponse: any = {
id: user.id_user,
role: user.role_user
};
// Add username for admin, NIP for dosen/kajur
if (user.role_user === 'admin') {
userResponse.username = user.username;
} else {
userResponse.nip = user.nip;
}
const response = NextResponse.json({ const response = NextResponse.json({
user: { user: userResponse
id: user.id_user,
nim: user.nim,
username: user.username,
role: user.role
}
}); });
response.cookies.set('token', token, { response.cookies.set('token', token, {
@@ -156,15 +185,11 @@ export async function POST(request: Request) {
sameSite: 'lax', sameSite: 'lax',
maxAge: 60 * 60 * 24 // 24 hours maxAge: 60 * 60 * 24 // 24 hours
}); });
console.log('Cookie set');
console.log('Login process completed successfully');
return response; return response;
} catch (error) { } catch (error) {
console.error('Login error details:', error);
if (error instanceof Error) { if (error instanceof Error) {
console.error('Error message:', error.message); console.error('Error message:', error.message);
console.error('Error stack:', error.stack);
} }
return NextResponse.json( return NextResponse.json(
{ error: 'Terjadi kesalahan saat login' }, { error: 'Terjadi kesalahan saat login' },

View File

@@ -4,48 +4,34 @@ import bcrypt from 'bcryptjs';
export async function POST(request: Request) { export async function POST(request: Request) {
try { try {
const { username, nim, password } = await request.json(); const { nip, password } = await request.json();
// Validate input // Validate input
if (!username || !nim || !password) { if (!nip || !password) {
return NextResponse.json( return NextResponse.json(
{ error: 'Semua field harus diisi' }, { error: 'NIP dan password harus diisi' },
{ status: 400 } { status: 400 }
); );
} }
// Validate NIM format (11 characters) // Validate password length
if (nim.length !== 11) { if (password.length < 6) {
return NextResponse.json( return NextResponse.json(
{ error: 'NIM harus 11 karakter' }, { error: 'Password minimal 6 karakter' },
{ status: 400 } { status: 400 }
); );
} }
// Check if NIM exists in mahasiswa table // Check if NIP already exists in user_app table
const { data: mahasiswa, error: mahasiswaError } = await supabase
.from('mahasiswa')
.select('nim')
.eq('nim', nim)
.single();
if (mahasiswaError || !mahasiswa) {
return NextResponse.json(
{ error: 'NIM tidak terdaftar sebagai mahasiswa' },
{ status: 400 }
);
}
// Check if NIM already exists in user_app table
const { data: existingUsers, error: userError } = await supabase const { data: existingUsers, error: userError } = await supabase
.from('user_app') .from('user_app')
.select('nim') .select('nip')
.eq('nim', nim) .eq('nip', nip)
.single(); .single();
if (!userError && existingUsers) { if (!userError && existingUsers) {
return NextResponse.json( return NextResponse.json(
{ error: 'NIM sudah terdaftar sebagai pengguna' }, { error: 'NIP sudah terdaftar sebagai pengguna' },
{ status: 400 } { status: 400 }
); );
} }
@@ -53,14 +39,13 @@ export async function POST(request: Request) {
// Hash password // Hash password
const hashedPassword = await bcrypt.hash(password, 10); const hashedPassword = await bcrypt.hash(password, 10);
// Insert new user // Insert new user with default role 'dosen'
const { data: newUser, error: insertError } = await supabase const { data: newUser, error: insertError } = await supabase
.from('user_app') .from('user_app')
.insert({ .insert({
nim: nim, nip: nip,
username: username,
password: hashedPassword, password: hashedPassword,
role: 'mahasiswa' role_user: 'dosen' // Default role for registration
}) })
.select() .select()
.single(); .single();

9
app/dashboard/layout.tsx Normal file
View File

@@ -0,0 +1,9 @@
import ClientLayout from '@/components/ClientLayout';
export default function DashboardLayout({
children,
}: {
children: React.ReactNode;
}) {
return <ClientLayout>{children}</ClientLayout>;
}

217
app/dashboard/page.tsx Normal file
View File

@@ -0,0 +1,217 @@
'use client';
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card";
import { Users, GraduationCap, Trophy, BookOpen } from "lucide-react";
import { useEffect, useState } from "react";
import { useTheme } from "next-themes";
import StatusMahasiswaChart from "@/components/StatusMahasiswaChart";
import StatistikMahasiswaChart from "@/components/StatistikMahasiswaChart";
import JenisPendaftaranChart from "@/components/JenisPendaftaranChart";
import AsalDaerahChart from "@/components/AsalDaerahChart";
import IPKChart from '@/components/IPKChart';
interface MahasiswaTotal {
total_mahasiswa: number;
mahasiswa_aktif: number;
total_lulus: number;
pria_lulus: number;
wanita_lulus: number;
total_berprestasi: number;
prestasi_akademik: number;
prestasi_non_akademik: number;
ipk_rata_rata_aktif: number;
ipk_rata_rata_lulus: number;
total_mahasiswa_aktif_lulus: number;
}
// Skeleton loading component
const CardSkeleton = () => (
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<div className="h-4 w-24 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
<div className="h-4 w-4 bg-gray-200 dark:bg-gray-700 rounded-full animate-pulse"></div>
</CardHeader>
<CardContent>
<div className="h-8 w-16 bg-gray-200 dark:bg-gray-700 rounded animate-pulse mb-2"></div>
<div className="flex justify-between">
<div className="h-3 w-20 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
<div className="h-3 w-20 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
</div>
</CardContent>
</Card>
);
export default function DashboardPage() {
const { theme } = useTheme();
const [mahasiswaData, setMahasiswaData] = useState<MahasiswaTotal>({
total_mahasiswa: 0,
mahasiswa_aktif: 0,
total_lulus: 0,
pria_lulus: 0,
wanita_lulus: 0,
total_berprestasi: 0,
prestasi_akademik: 0,
prestasi_non_akademik: 0,
ipk_rata_rata_aktif: 0,
ipk_rata_rata_lulus: 0,
total_mahasiswa_aktif_lulus: 0
});
const [loading, setLoading] = useState(true);
const [error, setError] = useState<string | null>(null);
useEffect(() => {
const fetchData = async () => {
try {
// Menggunakan cache API untuk mempercepat loading
const cacheKey = 'mahasiswa-total-data';
const cachedData = sessionStorage.getItem(cacheKey);
const cachedTimestamp = sessionStorage.getItem(`${cacheKey}-timestamp`);
// Cek apakah data cache masih valid (kurang dari 60 detik)
const isCacheValid = cachedTimestamp &&
(Date.now() - parseInt(cachedTimestamp)) < 60000;
if (cachedData && isCacheValid) {
setMahasiswaData(JSON.parse(cachedData));
}
// Fetch data total mahasiswa
const totalResponse = await fetch('/api/mahasiswa/total', {
cache: 'no-store',
});
if (!totalResponse.ok) {
throw new Error('Failed to fetch total data');
}
const totalData = await totalResponse.json();
setMahasiswaData(totalData);
// Menyimpan data dan timestamp ke sessionStorage
sessionStorage.setItem(cacheKey, JSON.stringify(totalData));
sessionStorage.setItem(`${cacheKey}-timestamp`, Date.now().toString());
} catch (err) {
setError(err instanceof Error ? err.message : 'An error occurred');
console.error('Error fetching data:', err);
} finally {
setLoading(false);
}
};
fetchData();
}, []);
return (
<div className="container mx-auto p-4 space-y-6">
<h1 className="text-3xl font-bold mb-8">Dashboard Portal Data Informatika</h1>
{loading ? (
<div className="grid gap-6 md:grid-cols-2 lg:grid-cols-4">
<CardSkeleton />
<CardSkeleton />
<CardSkeleton />
<CardSkeleton />
</div>
) : error ? (
<div className="bg-red-50 border-l-4 border-red-500 p-4 mb-4">
<div className="flex">
<div className="flex-shrink-0">
<svg className="h-5 w-5 text-red-500" viewBox="0 0 20 20" fill="currentColor">
<path fillRule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clipRule="evenodd" />
</svg>
</div>
<div className="ml-3">
<p className="text-sm text-red-700">{error}</p>
</div>
</div>
</div>
) : (
<>
<div className="grid gap-4 md:grid-cols-2 lg:grid-cols-4 mb-8">
{/* Kartu Total Mahasiswa */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Total Mahasiswa
</CardTitle>
<Users className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_mahasiswa}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Aktif: <span className="text-green-500">{mahasiswaData.mahasiswa_aktif}</span></span>
</div>
</CardContent>
</Card>
{/* Kartu Total Kelulusan */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Total Kelulusan
</CardTitle>
<GraduationCap className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_lulus}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Laki-laki: <span className="text-blue-500">{mahasiswaData.pria_lulus}</span></span>
<span className="dark:text-white">Perempuan: <span className="text-pink-500">{mahasiswaData.wanita_lulus}</span></span>
</div>
</CardContent>
</Card>
{/* Kartu Total Prestasi */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Mahasiswa Berprestasi
</CardTitle>
<Trophy className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_berprestasi}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Akademik: <span className="text-yellow-500">{mahasiswaData.prestasi_akademik}</span></span>
<span className="dark:text-white">Non-Akademik: <span className="text-purple-500">{mahasiswaData.prestasi_non_akademik}</span></span>
</div>
</CardContent>
</Card>
{/* Kartu Rata-rata IPK */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Rata-rata IPK
</CardTitle>
<BookOpen className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.mahasiswa_aktif}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Aktif: <span className="text-green-500">{mahasiswaData.ipk_rata_rata_aktif}</span></span>
</div>
</CardContent>
</Card>
</div>
{/* Diagram Statistik Mahasiswa */}
<StatistikMahasiswaChart />
{/* Diagram Status Mahasiswa */}
<StatusMahasiswaChart />
{/* Diagram Jenis Pendaftaran */}
<JenisPendaftaranChart />
{/* Diagram Asal Daerah */}
<AsalDaerahChart />
{/* Diagram IPK */}
<IPKChart />
</>
)}
</div>
);
}

View File

@@ -1,7 +1,7 @@
import type { Metadata } from 'next'; import type { Metadata } from 'next';
import { Geist, Geist_Mono } from 'next/font/google'; import { Geist, Geist_Mono } from 'next/font/google';
import './globals.css'; import './globals.css';
import ClientLayout from '../components/ClientLayout'; import { ThemeProvider } from '@/components/theme-provider';
const geistSans = Geist({ const geistSans = Geist({
variable: '--font-geist-sans', variable: '--font-geist-sans',
@@ -15,7 +15,7 @@ const geistMono = Geist_Mono({
export const metadata: Metadata = { export const metadata: Metadata = {
title: 'Portal Data Informatika', title: 'Portal Data Informatika',
description: 'Admin Dashboard', description: 'Visualisasi Data Mahasiswa Jurusan Informatika',
}; };
export default function RootLayout({ export default function RootLayout({
@@ -29,7 +29,7 @@ export default function RootLayout({
<link rel="icon" type="image/png" href="/podif-icon.png" /> <link rel="icon" type="image/png" href="/podif-icon.png" />
</head> </head>
<body suppressHydrationWarning className={`${geistSans.variable} ${geistMono.variable} antialiased min-h-screen`}> <body suppressHydrationWarning className={`${geistSans.variable} ${geistMono.variable} antialiased min-h-screen`}>
<ClientLayout>{children}</ClientLayout> {children}
</body> </body>
</html> </html>
); );

View File

@@ -1,217 +1,374 @@
'use client'; 'use client';
import { Card, CardContent, CardHeader, CardTitle } from "@/components/ui/card"; import { useState } from 'react';
import { Users, GraduationCap, Trophy, BookOpen } from "lucide-react"; import { useRouter } from 'next/navigation';
import { useEffect, useState } from "react"; import { Button } from "@/components/ui/button";
import { useTheme } from "next-themes"; import { Input } from "@/components/ui/input";
import StatusMahasiswaChart from "@/components/StatusMahasiswaChart"; import { Label } from "@/components/ui/label";
import StatistikMahasiswaChart from "@/components/StatistikMahasiswaChart"; import { Tabs, TabsContent, TabsList, TabsTrigger } from "@/components/ui/tabs";
import JenisPendaftaranChart from "@/components/JenisPendaftaranChart"; import { Alert, AlertDescription } from "@/components/ui/alert";
import AsalDaerahChart from "@/components/AsalDaerahChart"; import { Dialog, DialogContent, DialogDescription, DialogHeader, DialogTitle, DialogTrigger } from "@/components/ui/dialog";
import IPKChart from '@/components/IPKChart'; import { Loader2, Eye, EyeOff, LogIn, UserPlus } from "lucide-react";
import { ThemeProvider } from '@/components/theme-provider';
import { Toaster } from '@/components/ui/toaster';
interface MahasiswaTotal { export default function LandingPage() {
total_mahasiswa: number; const router = useRouter();
mahasiswa_aktif: number; const [isLoginOpen, setIsLoginOpen] = useState(false);
total_lulus: number; const [isRegisterOpen, setIsRegisterOpen] = useState(false);
pria_lulus: number; const [activeTab, setActiveTab] = useState('admin');
wanita_lulus: number; const [loading, setLoading] = useState(false);
total_berprestasi: number; const [showPassword, setShowPassword] = useState(false);
prestasi_akademik: number; const [error, setError] = useState('');
prestasi_non_akademik: number;
ipk_rata_rata_aktif: number; // Admin form state
ipk_rata_rata_lulus: number; const [adminForm, setAdminForm] = useState({
total_mahasiswa_aktif_lulus: number; username: '',
} password: ''
// Skeleton loading component
const CardSkeleton = () => (
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<div className="h-4 w-24 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
<div className="h-4 w-4 bg-gray-200 dark:bg-gray-700 rounded-full animate-pulse"></div>
</CardHeader>
<CardContent>
<div className="h-8 w-16 bg-gray-200 dark:bg-gray-700 rounded animate-pulse mb-2"></div>
<div className="flex justify-between">
<div className="h-3 w-20 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
<div className="h-3 w-20 bg-gray-200 dark:bg-gray-700 rounded animate-pulse"></div>
</div>
</CardContent>
</Card>
);
export default function HomePage() {
const { theme } = useTheme();
const [mahasiswaData, setMahasiswaData] = useState<MahasiswaTotal>({
total_mahasiswa: 0,
mahasiswa_aktif: 0,
total_lulus: 0,
pria_lulus: 0,
wanita_lulus: 0,
total_berprestasi: 0,
prestasi_akademik: 0,
prestasi_non_akademik: 0,
ipk_rata_rata_aktif: 0,
ipk_rata_rata_lulus: 0,
total_mahasiswa_aktif_lulus: 0
}); });
const [loading, setLoading] = useState(true); // Dosen form state
const [error, setError] = useState<string | null>(null); const [dosenForm, setDosenForm] = useState({
nip: '',
password: ''
});
useEffect(() => { // Register form state
const fetchData = async () => { const [registerForm, setRegisterForm] = useState({
try { nip: '',
// Menggunakan cache API untuk mempercepat loading password: '',
const cacheKey = 'mahasiswa-total-data'; confirmPassword: ''
const cachedData = sessionStorage.getItem(cacheKey); });
const cachedTimestamp = sessionStorage.getItem(`${cacheKey}-timestamp`);
const handleAdminLogin = async (e: React.FormEvent) => {
// Cek apakah data cache masih valid (kurang dari 60 detik) e.preventDefault();
const isCacheValid = cachedTimestamp && setLoading(true);
(Date.now() - parseInt(cachedTimestamp)) < 60000; setError('');
if (cachedData && isCacheValid) { try {
setMahasiswaData(JSON.parse(cachedData)); const response = await fetch('/api/auth/login', {
} method: 'POST',
headers: {
// Fetch data total mahasiswa 'Content-Type': 'application/json',
const totalResponse = await fetch('/api/mahasiswa/total', { },
cache: 'no-store', body: JSON.stringify({
}); username: adminForm.username,
password: adminForm.password,
if (!totalResponse.ok) { role: 'admin'
throw new Error('Failed to fetch total data'); }),
} });
const totalData = await totalResponse.json(); const data = await response.json();
setMahasiswaData(totalData);
if (response.ok) {
// Menyimpan data dan timestamp ke sessionStorage setIsLoginOpen(false);
sessionStorage.setItem(cacheKey, JSON.stringify(totalData)); router.push('/dashboard');
sessionStorage.setItem(`${cacheKey}-timestamp`, Date.now().toString()); } else {
setError(data.error || 'Login gagal');
}
} catch (err) {
setError('Terjadi kesalahan saat login');
} finally {
setLoading(false);
}
};
const handleDosenLogin = async (e: React.FormEvent) => {
e.preventDefault();
setLoading(true);
setError('');
try {
const response = await fetch('/api/auth/login', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
nip: dosenForm.nip,
password: dosenForm.password,
role: 'dosen'
}),
});
const data = await response.json();
if (response.ok) {
setIsLoginOpen(false);
router.push('/dashboard');
} else {
setError(data.error || 'Login gagal');
}
} catch (err) {
setError('Terjadi kesalahan saat login');
} finally {
setLoading(false);
}
};
const handleRegister = async (e: React.FormEvent) => {
e.preventDefault();
setLoading(true);
setError('');
if (registerForm.password !== registerForm.confirmPassword) {
setError('Password dan konfirmasi password tidak cocok');
setLoading(false);
return;
}
try {
const response = await fetch('/api/auth/register', {
method: 'POST',
headers: {
'Content-Type': 'application/json',
},
body: JSON.stringify({
nip: registerForm.nip,
password: registerForm.password
}),
});
const data = await response.json();
if (response.ok) {
setIsRegisterOpen(false);
setIsLoginOpen(true);
setActiveTab('dosen');
setError('');
} else {
setError(data.error || 'Registrasi gagal');
}
} catch (err) { } catch (err) {
setError(err instanceof Error ? err.message : 'An error occurred'); setError('Terjadi kesalahan saat registrasi');
console.error('Error fetching data:', err);
} finally { } finally {
setLoading(false); setLoading(false);
} }
}; };
fetchData();
}, []);
return ( return (
<div className="container mx-auto p-4 space-y-6"> <ThemeProvider
<h1 className="text-3xl font-bold mb-8">Dashboard Portal Data Informatika</h1> attribute="class"
defaultTheme="system"
{loading ? ( enableSystem
<div className="grid gap-6 md:grid-cols-2 lg:grid-cols-4"> disableTransitionOnChange
<CardSkeleton /> >
<CardSkeleton /> <div className="min-h-screen bg-gradient-to-br from-blue-50 to-indigo-100 dark:from-gray-900 dark:to-gray-800">
<CardSkeleton /> <div className="container mx-auto px-4 py-16">
<CardSkeleton /> <div className="text-center mb-12">
<h1 className="text-4xl md:text-6xl font-bold text-gray-900 dark:text-white mb-4">
Portal Data Informatika
</h1>
<p className="text-xl text-gray-600 dark:text-gray-300 mb-8">
Visualisasi Data Akademik Mahasiswa Jurusan Informatika
</p>
<div className="flex flex-col sm:flex-row gap-4 justify-center">
<Dialog open={isLoginOpen} onOpenChange={setIsLoginOpen}>
<DialogTrigger asChild>
<Button size="lg" className="flex items-center gap-2">
<LogIn className="h-5 w-5" />
Login
</Button>
</DialogTrigger>
<DialogContent className="sm:max-w-md">
<DialogHeader>
<DialogTitle>Login Portal Data Informatika</DialogTitle>
<DialogDescription>
Silakan login sesuai dengan role Anda
</DialogDescription>
</DialogHeader>
<Tabs value={activeTab} onValueChange={setActiveTab} className="w-full">
<TabsList className="grid w-full grid-cols-2">
<TabsTrigger value="admin">Admin</TabsTrigger>
<TabsTrigger value="dosen">Dosen</TabsTrigger>
</TabsList>
<TabsContent value="admin" className="space-y-4">
<form onSubmit={handleAdminLogin} className="space-y-4">
<div className="space-y-2">
<Label htmlFor="username">Username</Label>
<Input
id="username"
type="text"
placeholder="Masukkan username"
value={adminForm.username}
onChange={(e) => setAdminForm({ ...adminForm, username: e.target.value })}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="admin-password">Password</Label>
<div className="relative">
<Input
id="admin-password"
type={showPassword ? "text" : "password"}
placeholder="Masukkan password"
value={adminForm.password}
onChange={(e) => setAdminForm({ ...adminForm, password: e.target.value })}
required
/>
<Button
type="button"
variant="ghost"
size="sm"
className="absolute right-0 top-0 h-full px-3 py-2 hover:bg-transparent"
onClick={() => setShowPassword(!showPassword)}
>
{showPassword ? (
<EyeOff className="h-4 w-4" />
) : (
<Eye className="h-4 w-4" />
)}
</Button>
</div>
</div>
<Button type="submit" className="w-full" disabled={loading}>
{loading && <Loader2 className="mr-2 h-4 w-4 animate-spin" />}
Login sebagai Admin
</Button>
</form>
</TabsContent>
<TabsContent value="dosen" className="space-y-4">
<form onSubmit={handleDosenLogin} className="space-y-4">
<div className="space-y-2">
<Label htmlFor="nip">NIP</Label>
<Input
id="nip"
type="text"
placeholder="Masukkan NIP"
value={dosenForm.nip}
onChange={(e) => setDosenForm({ ...dosenForm, nip: e.target.value })}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="dosen-password">Password</Label>
<div className="relative">
<Input
id="dosen-password"
type={showPassword ? "text" : "password"}
placeholder="Masukkan password"
value={dosenForm.password}
onChange={(e) => setDosenForm({ ...dosenForm, password: e.target.value })}
required
/>
<Button
type="button"
variant="ghost"
size="sm"
className="absolute right-0 top-0 h-full px-3 py-2 hover:bg-transparent"
onClick={() => setShowPassword(!showPassword)}
>
{showPassword ? (
<EyeOff className="h-4 w-4" />
) : (
<Eye className="h-4 w-4" />
)}
</Button>
</div>
</div>
<Button type="submit" className="w-full" disabled={loading}>
{loading && <Loader2 className="mr-2 h-4 w-4 animate-spin" />}
Login sebagai Dosen
</Button>
</form>
</TabsContent>
</Tabs>
{error && (
<Alert className="mt-4">
<AlertDescription className="text-red-600">
{error}
</AlertDescription>
</Alert>
)}
</DialogContent>
</Dialog>
<Dialog open={isRegisterOpen} onOpenChange={setIsRegisterOpen}>
<DialogTrigger asChild>
<Button variant="outline" size="lg" className="flex items-center gap-2">
<UserPlus className="h-5 w-5" />
Register
</Button>
</DialogTrigger>
<DialogContent className="sm:max-w-md">
<DialogHeader>
<DialogTitle>Registrasi Dosen</DialogTitle>
<DialogDescription>
Daftar akun baru untuk dosen Portal Data Informatika
</DialogDescription>
</DialogHeader>
<form onSubmit={handleRegister} className="space-y-4">
<div className="space-y-2">
<Label htmlFor="register-nip">NIP</Label>
<Input
id="register-nip"
type="text"
placeholder="Masukkan NIP"
value={registerForm.nip}
onChange={(e) => setRegisterForm({ ...registerForm, nip: e.target.value })}
required
/>
</div>
<div className="space-y-2">
<Label htmlFor="register-password">Password</Label>
<div className="relative">
<Input
id="register-password"
type={showPassword ? "text" : "password"}
placeholder="Masukkan password (min. 6 karakter)"
value={registerForm.password}
onChange={(e) => setRegisterForm({ ...registerForm, password: e.target.value })}
required
/>
<Button
type="button"
variant="ghost"
size="sm"
className="absolute right-0 top-0 h-full px-3 py-2 hover:bg-transparent"
onClick={() => setShowPassword(!showPassword)}
>
{showPassword ? (
<EyeOff className="h-4 w-4" />
) : (
<Eye className="h-4 w-4" />
)}
</Button>
</div>
</div> </div>
) : error ? ( <div className="space-y-2">
<div className="bg-red-50 border-l-4 border-red-500 p-4 mb-4"> <Label htmlFor="confirm-password">Konfirmasi Password</Label>
<div className="flex"> <Input
<div className="flex-shrink-0"> id="confirm-password"
<svg className="h-5 w-5 text-red-500" viewBox="0 0 20 20" fill="currentColor"> type="password"
<path fillRule="evenodd" d="M10 18a8 8 0 100-16 8 8 0 000 16zM8.707 7.293a1 1 0 00-1.414 1.414L8.586 10l-1.293 1.293a1 1 0 101.414 1.414L10 11.414l1.293 1.293a1 1 0 001.414-1.414L11.414 10l1.293-1.293a1 1 0 00-1.414-1.414L10 8.586 8.707 7.293z" clipRule="evenodd" /> placeholder="Konfirmasi password"
</svg> value={registerForm.confirmPassword}
onChange={(e) => setRegisterForm({ ...registerForm, confirmPassword: e.target.value })}
required
/>
</div> </div>
<div className="ml-3"> <Button type="submit" className="w-full" disabled={loading}>
<p className="text-sm text-red-700">{error}</p> {loading && <Loader2 className="mr-2 h-4 w-4 animate-spin" />}
Daftar sebagai Dosen
</Button>
</form>
{error && (
<Alert className="mt-4">
<AlertDescription className="text-red-600">
{error}
</AlertDescription>
</Alert>
)}
</DialogContent>
</Dialog>
</div> </div>
</div> </div>
</div> </div>
) : (
<>
<div className="grid gap-4 md:grid-cols-2 lg:grid-cols-4 mb-8">
{/* Kartu Total Mahasiswa */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Total Mahasiswa
</CardTitle>
<Users className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_mahasiswa}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Aktif: <span className="text-green-500">{mahasiswaData.mahasiswa_aktif}</span></span>
</div> </div>
</CardContent> <Toaster />
</Card> </ThemeProvider>
{/* Kartu Total Kelulusan */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Total Kelulusan
</CardTitle>
<GraduationCap className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_lulus}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Laki-laki: <span className="text-blue-500">{mahasiswaData.pria_lulus}</span></span>
<span className="dark:text-white">Perempuan: <span className="text-pink-500">{mahasiswaData.wanita_lulus}</span></span>
</div>
</CardContent>
</Card>
{/* Kartu Total Prestasi */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Mahasiswa Berprestasi
</CardTitle>
<Trophy className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.total_berprestasi}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Akademik: <span className="text-yellow-500">{mahasiswaData.prestasi_akademik}</span></span>
<span className="dark:text-white">Non-Akademik: <span className="text-purple-500">{mahasiswaData.prestasi_non_akademik}</span></span>
</div>
</CardContent>
</Card>
{/* Kartu Rata-rata IPK */}
<Card className="bg-white dark:bg-slate-900 shadow-lg">
<CardHeader className="flex flex-row items-center justify-between space-y-0 pb-2">
<CardTitle className="text-sm font-medium dark:text-white">
Rata-rata IPK
</CardTitle>
<BookOpen className="h-4 w-4 text-muted-foreground" />
</CardHeader>
<CardContent>
<div className="text-2xl font-bold dark:text-white">{mahasiswaData.mahasiswa_aktif}</div>
<div className="flex justify-between mt-2 text-xs text-muted-foreground">
<span className="dark:text-white">Aktif: <span className="text-green-500">{mahasiswaData.ipk_rata_rata_aktif}</span></span>
</div>
</CardContent>
</Card>
</div>
{/* Diagram Statistik Mahasiswa */}
<StatistikMahasiswaChart />
{/* Diagram Status Mahasiswa */}
<StatusMahasiswaChart />
{/* Diagram Jenis Pendaftaran */}
<JenisPendaftaranChart />
{/* Diagram Asal Daerah */}
<AsalDaerahChart />
{/* Diagram IPK */}
<IPKChart />
</>
)}
</div>
); );
} }

View File

@@ -13,7 +13,6 @@ interface ClientLayoutProps {
export default function ClientLayout({ children }: ClientLayoutProps) { export default function ClientLayout({ children }: ClientLayoutProps) {
const [isSidebarCollapsed, setIsSidebarCollapsed] = useState(false); const [isSidebarCollapsed, setIsSidebarCollapsed] = useState(false);
// Load sidebar state from localStorage on mount
useEffect(() => { useEffect(() => {
const savedState = localStorage.getItem('sidebarCollapsed'); const savedState = localStorage.getItem('sidebarCollapsed');
if (savedState !== null) { if (savedState !== null) {

View File

@@ -1,11 +1,12 @@
'use client'; 'use client';
import { ThemeToggle } from '@/components/theme-toggle'; import { ThemeToggle } from '@/components/theme-toggle';
import { Menu, PanelLeftClose, PanelLeft } from 'lucide-react'; import { Menu, PanelLeftClose, PanelLeft, LogOut } from 'lucide-react';
import { Button } from '@/components/ui/button'; import { Button } from '@/components/ui/button';
import { Sheet, SheetContent, SheetTrigger } from '@/components/ui/sheet'; import { Sheet, SheetContent, SheetTrigger } from '@/components/ui/sheet';
import SidebarContent from '@/components/ui/SidebarContent'; import SidebarContent from '@/components/ui/SidebarContent';
import Link from 'next/link'; import Link from 'next/link';
import { useRouter } from 'next/navigation';
interface NavbarProps { interface NavbarProps {
onSidebarToggle: () => void; onSidebarToggle: () => void;
@@ -13,6 +14,22 @@ interface NavbarProps {
} }
const Navbar = ({ onSidebarToggle, isSidebarCollapsed }: NavbarProps) => { const Navbar = ({ onSidebarToggle, isSidebarCollapsed }: NavbarProps) => {
const router = useRouter();
const handleLogout = async () => {
try {
const response = await fetch('/api/auth/logout', {
method: 'POST',
});
if (response.ok) {
router.push('/');
}
} catch (error) {
console.error('Logout error:', error);
}
};
return ( return (
<div className="bg-background/95 backdrop-blur supports-[backdrop-filter]:bg-background/60 border-b py-2 px-5 flex justify-between items-center z-30 sticky top-0"> <div className="bg-background/95 backdrop-blur supports-[backdrop-filter]:bg-background/60 border-b py-2 px-5 flex justify-between items-center z-30 sticky top-0">
<div className="flex items-center gap-2"> <div className="flex items-center gap-2">
@@ -48,7 +65,7 @@ const Navbar = ({ onSidebarToggle, isSidebarCollapsed }: NavbarProps) => {
</Button> </Button>
</div> </div>
<Link href="/" className="flex items-center text-lg font-semibold hover:text-primary transition-colors"> <Link href="/dashboard" className="flex items-center text-lg font-semibold hover:text-primary transition-colors">
<img src="/podif-icon.png" alt="PODIF Logo" className="h-6 w-auto mr-2" /> <img src="/podif-icon.png" alt="PODIF Logo" className="h-6 w-auto mr-2" />
PODIF PODIF
</Link> </Link>
@@ -56,6 +73,15 @@ const Navbar = ({ onSidebarToggle, isSidebarCollapsed }: NavbarProps) => {
<div className="flex items-center gap-4"> <div className="flex items-center gap-4">
<ThemeToggle /> <ThemeToggle />
<Button
variant="outline"
size="icon"
onClick={handleLogout}
title="Logout"
>
<LogOut className="h-5 w-5" />
<span className="sr-only">Logout</span>
</Button>
</div> </div>
</div> </div>
); );

View File

@@ -27,7 +27,7 @@ const SidebarContent = () => {
<Command className="bg-background h-full"> <Command className="bg-background h-full">
<CommandList className="overflow-visible"> <CommandList className="overflow-visible">
<CommandGroup heading="Dashboard PODIF" className="mt-2"> <CommandGroup heading="Dashboard PODIF" className="mt-2">
<Link href="/" className="w-full no-underline cursor-pointer"> <Link href="/dashboard" className="w-full no-underline cursor-pointer">
<CommandItem className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors cursor-pointer"> <CommandItem className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors cursor-pointer">
<Home className="h-4 w-4" /> <Home className="h-4 w-4" />
<span>Dashboard</span> <span>Dashboard</span>
@@ -46,23 +46,23 @@ const SidebarContent = () => {
</AccordionTrigger> </AccordionTrigger>
<AccordionContent> <AccordionContent>
<div className="pl-6 flex flex-col space-y-1"> <div className="pl-6 flex flex-col space-y-1">
<Link href="/mahasiswa/total" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors"> <Link href="/dashboard/mahasiswa/total" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors">
<Users className="mr-2 h-4 w-4" /> <Users className="mr-2 h-4 w-4" />
<span>Mahasiswa Total</span> <span>Mahasiswa Total</span>
</Link> </Link>
<Link href="/mahasiswa/status" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors"> <Link href="/dashboard/mahasiswa/status" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors">
<GraduationCap className="mr-2 h-4 w-4" /> <GraduationCap className="mr-2 h-4 w-4" />
<span>Mahasiswa Status</span> <span>Mahasiswa Status</span>
</Link> </Link>
<Link href="/mahasiswa/lulustepatwaktu" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors"> <Link href="/dashboard/mahasiswa/lulustepatwaktu" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors">
<Clock className="mr-2 h-4 w-4" /> <Clock className="mr-2 h-4 w-4" />
<span>Mahasiswa Lulus Tepat Waktu</span> <span>Mahasiswa Lulus Tepat Waktu</span>
</Link> </Link>
<Link href="/mahasiswa/beasiswa" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors"> <Link href="/dashboard/mahasiswa/beasiswa" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors">
<BookOpen className="mr-2 h-4 w-4" /> <BookOpen className="mr-2 h-4 w-4" />
<span>Mahasiswa Beasiswa</span> <span>Mahasiswa Beasiswa</span>
</Link> </Link>
<Link href="/mahasiswa/berprestasi" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors"> <Link href="/dashboard/mahasiswa/berprestasi" className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors">
<Award className="mr-2 h-4 w-4" /> <Award className="mr-2 h-4 w-4" />
<span>Mahasiswa Berprestasi</span> <span>Mahasiswa Berprestasi</span>
</Link> </Link>
@@ -74,7 +74,7 @@ const SidebarContent = () => {
</CommandGroup> </CommandGroup>
<CommandSeparator /> <CommandSeparator />
<CommandGroup heading="Data Diri"> <CommandGroup heading="Data Diri">
<Link href="/mahasiswa/profile" className="w-full no-underline cursor-pointer" style={{ cursor: 'pointer' }}> <Link href="/dashboard/mahasiswa/profile" className="w-full no-underline cursor-pointer" style={{ cursor: 'pointer' }}>
<CommandItem className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors cursor-pointer"> <CommandItem className="py-2 px-3 hover:bg-accent hover:text-accent-foreground rounded-md flex items-center transition-colors cursor-pointer">
<User className="h-4 w-4" /> <User className="h-4 w-4" />
<span>Profile</span> <span>Profile</span>

66
components/ui/alert.tsx Normal file
View File

@@ -0,0 +1,66 @@
import * as React from "react"
import { cva, type VariantProps } from "class-variance-authority"
import { cn } from "@/lib/utils"
const alertVariants = cva(
"relative w-full rounded-lg border px-4 py-3 text-sm grid has-[>svg]:grid-cols-[calc(var(--spacing)*4)_1fr] grid-cols-[0_1fr] has-[>svg]:gap-x-3 gap-y-0.5 items-start [&>svg]:size-4 [&>svg]:translate-y-0.5 [&>svg]:text-current",
{
variants: {
variant: {
default: "bg-card text-card-foreground",
destructive:
"text-destructive bg-card [&>svg]:text-current *:data-[slot=alert-description]:text-destructive/90",
},
},
defaultVariants: {
variant: "default",
},
}
)
function Alert({
className,
variant,
...props
}: React.ComponentProps<"div"> & VariantProps<typeof alertVariants>) {
return (
<div
data-slot="alert"
role="alert"
className={cn(alertVariants({ variant }), className)}
{...props}
/>
)
}
function AlertTitle({ className, ...props }: React.ComponentProps<"div">) {
return (
<div
data-slot="alert-title"
className={cn(
"col-start-2 line-clamp-1 min-h-4 font-medium tracking-tight",
className
)}
{...props}
/>
)
}
function AlertDescription({
className,
...props
}: React.ComponentProps<"div">) {
return (
<div
data-slot="alert-description"
className={cn(
"text-muted-foreground col-start-2 grid justify-items-start gap-1 text-sm [&_p]:leading-relaxed",
className
)}
{...props}
/>
)
}
export { Alert, AlertTitle, AlertDescription }

View File

@@ -7,7 +7,7 @@ export async function middleware(request: NextRequest) {
const { pathname } = request.nextUrl; const { pathname } = request.nextUrl;
// Define public paths that don't require authentication // Define public paths that don't require authentication
const publicPaths = ['/', '/login', '/register']; const publicPaths = ['/'];
const isPublicPath = publicPaths.includes(pathname); const isPublicPath = publicPaths.includes(pathname);
// Check if the path is an API route or static file // Check if the path is an API route or static file
@@ -19,13 +19,35 @@ export async function middleware(request: NextRequest) {
return NextResponse.next(); return NextResponse.next();
} }
// If trying to access public route with token // If trying to access public route with valid token, redirect to dashboard
if (token && isPublicPath) { if (token && isPublicPath) {
return NextResponse.next(); try {
await jwtVerify(
token,
new TextEncoder().encode(process.env.JWT_SECRET || 'your-secret-key')
);
return NextResponse.redirect(new URL('/dashboard', request.url));
} catch (error) {
// If token is invalid, clear it and stay on public page
const response = NextResponse.next();
response.cookies.set('token', '', {
expires: new Date(0),
path: '/',
httpOnly: true,
secure: false,
sameSite: 'lax'
});
return response;
}
}
// If the path is protected (dashboard routes) and user is not logged in, redirect to home
if (pathname.startsWith('/dashboard') && !token) {
return NextResponse.redirect(new URL('/', request.url));
} }
// If the path is protected and user is logged in, verify token // If the path is protected and user is logged in, verify token
if (!isPublicPath && token) { if (pathname.startsWith('/dashboard') && token) {
try { try {
// Verify the token // Verify the token
await jwtVerify( await jwtVerify(