integration jadwal shift
This commit is contained in:
@@ -3,7 +3,7 @@ import { SendRequest } from '../components/Global/ApiRequest';
|
||||
const getAllJadwalShift = async (queryParams) => {
|
||||
const response = await SendRequest({
|
||||
method: 'get',
|
||||
prefix: `jadwal-shift?${queryParams.toString()}`,
|
||||
prefix: `user-schedule?${queryParams.toString()}`,
|
||||
});
|
||||
|
||||
return response.data;
|
||||
@@ -12,7 +12,7 @@ const getAllJadwalShift = async (queryParams) => {
|
||||
const getJadwalShiftById = async (id) => {
|
||||
const response = await SendRequest({
|
||||
method: 'get',
|
||||
prefix: `jadwal-shift/${id}`,
|
||||
prefix: `user-schedule/${id}`,
|
||||
});
|
||||
|
||||
return response.data;
|
||||
@@ -21,7 +21,7 @@ const getJadwalShiftById = async (id) => {
|
||||
const createJadwalShift = async (queryParams) => {
|
||||
const response = await SendRequest({
|
||||
method: 'post',
|
||||
prefix: `jadwal-shift`,
|
||||
prefix: `user-schedule`,
|
||||
params: queryParams,
|
||||
});
|
||||
|
||||
@@ -31,7 +31,7 @@ const createJadwalShift = async (queryParams) => {
|
||||
const updateJadwalShift = async (id, queryParams) => {
|
||||
const response = await SendRequest({
|
||||
method: 'put',
|
||||
prefix: `jadwal-shift/${id}`,
|
||||
prefix: `user-schedule/${id}`,
|
||||
params: queryParams,
|
||||
});
|
||||
|
||||
@@ -41,7 +41,7 @@ const updateJadwalShift = async (id, queryParams) => {
|
||||
const deleteJadwalShift = async (id) => {
|
||||
const response = await SendRequest({
|
||||
method: 'delete',
|
||||
prefix: `jadwal-shift/${id}`,
|
||||
prefix: `user-schedule/${id}`,
|
||||
});
|
||||
return response.data;
|
||||
};
|
||||
|
||||
@@ -1,173 +1,278 @@
|
||||
import React, { useEffect, useState } from 'react';
|
||||
import {
|
||||
Modal,
|
||||
Typography,
|
||||
Button,
|
||||
ConfigProvider,
|
||||
Form,
|
||||
Select,
|
||||
Spin,
|
||||
Input
|
||||
} from 'antd';
|
||||
import { NotifOk, NotifAlert } from '../../../components/Global/ToastNotif';
|
||||
import { updateJadwalShift, createJadwalShift } from '../../../api/jadwal-shift.jsx';
|
||||
import { Modal, Select, Typography, Button, ConfigProvider } from 'antd';
|
||||
import { NotifOk } from '../../../components/Global/ToastNotif';
|
||||
import { createJadwalShift, updateJadwalShift } from '../../../api/jadwal-shift';
|
||||
import { getAllUser } from '../../../api/user';
|
||||
import { getAllShift } from '../../../api/master-shift';
|
||||
import { validateRun } from '../../../Utils/validate';
|
||||
|
||||
const { Text } = Typography;
|
||||
const { Option } = Select;
|
||||
|
||||
const DetailJadwalShift = (props) => {
|
||||
const [form] = Form.useForm();
|
||||
const [confirmLoading, setConfirmLoading] = useState(false);
|
||||
const [employees, setEmployees] = useState([]);
|
||||
const [loadingEmployees, setLoadingEmployees] = useState(false);
|
||||
const [shifts, setShifts] = useState([]);
|
||||
const [loadingData, setLoadingData] = useState(false);
|
||||
|
||||
const isReadOnly = props.actionMode === 'preview';
|
||||
const defaultData = {
|
||||
id: '',
|
||||
user_id: null,
|
||||
shift_id: null,
|
||||
schedule_id: '',
|
||||
user_phone: null,
|
||||
};
|
||||
|
||||
const [formData, setFormData] = useState(defaultData);
|
||||
|
||||
const handleSelectChange = (name, value) => {
|
||||
const updates = { [name]: value };
|
||||
|
||||
if (name === 'user_id') {
|
||||
const selectedEmployee = employees.find((emp) => emp.user_id === value);
|
||||
updates.user_phone = selectedEmployee?.user_phone || '-';
|
||||
}
|
||||
|
||||
setFormData({
|
||||
...formData,
|
||||
...updates,
|
||||
});
|
||||
};
|
||||
|
||||
const handleCancel = () => {
|
||||
props.setSelectedData(null);
|
||||
props.setActionMode('list');
|
||||
};
|
||||
|
||||
const fetchEmployees = async () => {
|
||||
setLoadingEmployees(true);
|
||||
const fetchData = async () => {
|
||||
setLoadingData(true);
|
||||
try {
|
||||
// Data dummy untuk dropdown karyawan
|
||||
const dummyEmployees = [
|
||||
{ employee_id: '101', nama_employee: 'Andi Pratama' },
|
||||
{ employee_id: '102', nama_employee: 'Budi Santoso' },
|
||||
{ employee_id: '103', nama_employee: 'Citra Lestari' },
|
||||
{ employee_id: '104', nama_employee: 'Dewi Anggraini' },
|
||||
{ employee_id: '105', nama_employee: 'Eko Wahyudi' },
|
||||
{ employee_id: '106', nama_employee: 'Fitriani' },
|
||||
];
|
||||
setEmployees(dummyEmployees);
|
||||
const params = new URLSearchParams({
|
||||
page: 1,
|
||||
limit: 100,
|
||||
});
|
||||
|
||||
const [usersResponse, shiftsResponse] = await Promise.all([
|
||||
getAllUser(params),
|
||||
getAllShift(params),
|
||||
]);
|
||||
|
||||
const userData = usersResponse?.data || usersResponse || [];
|
||||
const shiftData = shiftsResponse?.data || shiftsResponse || [];
|
||||
|
||||
setEmployees(Array.isArray(userData) ? userData : []);
|
||||
setShifts(Array.isArray(shiftData) ? shiftData : []);
|
||||
} catch (error) {
|
||||
NotifAlert({ icon: 'error', title: 'Gagal', message: 'Gagal memuat daftar karyawan.' });
|
||||
NotifOk({
|
||||
icon: 'error',
|
||||
title: 'Gagal',
|
||||
message: 'Gagal memuat data karyawan atau shift.',
|
||||
});
|
||||
} finally {
|
||||
setLoadingEmployees(false);
|
||||
setLoadingData(false);
|
||||
}
|
||||
};
|
||||
|
||||
const handleSave = async () => {
|
||||
try {
|
||||
const values = await form.validateFields();
|
||||
let payload;
|
||||
let responseMessage;
|
||||
|
||||
setConfirmLoading(true);
|
||||
if (props.actionMode === 'edit') {
|
||||
payload = { ...props.selectedData, ...values };
|
||||
// await updateJadwalShift(payload.schedule_id, payload);
|
||||
console.log("Updating schedule with payload:", payload);
|
||||
responseMessage = 'Jadwal berhasil diperbarui.';
|
||||
} else { // 'add' mode
|
||||
payload = {
|
||||
employee_id: values.employee_id,
|
||||
shift_name: props.selectedData.shift_name,
|
||||
schedule_date: new Date().toISOString().split('T')[0], // Example date
|
||||
};
|
||||
// await createJadwalShift(payload);
|
||||
console.log("Creating schedule with payload:", payload);
|
||||
responseMessage = 'User berhasil ditambahkan ke jadwal.';
|
||||
}
|
||||
await new Promise(resolve => setTimeout(resolve, 500)); // Simulasi API call
|
||||
|
||||
NotifOk({ icon: 'success', title: 'Berhasil', message: responseMessage });
|
||||
props.setActionMode('list'); // Menutup modal dan memicu refresh di parent
|
||||
// Daftar aturan validasi
|
||||
const validationRules = [
|
||||
{ field: 'user_id', label: 'Nama Karyawan', required: true },
|
||||
{ field: 'shift_id', label: 'Shift', required: true },
|
||||
];
|
||||
|
||||
if (
|
||||
validateRun(formData, validationRules, (errorMessages) => {
|
||||
NotifOk({
|
||||
icon: 'warning',
|
||||
title: 'Peringatan',
|
||||
message: errorMessages,
|
||||
});
|
||||
setConfirmLoading(false);
|
||||
})
|
||||
)
|
||||
return;
|
||||
|
||||
try {
|
||||
const payload = {
|
||||
user_id: formData.user_id,
|
||||
shift_id: formData.shift_id,
|
||||
};
|
||||
|
||||
// Add schedule_id only if editing and it exists
|
||||
if (props.actionMode === 'edit' && formData.schedule_id) {
|
||||
payload.schedule_id = formData.schedule_id;
|
||||
}
|
||||
|
||||
const response =
|
||||
props.actionMode === 'edit'
|
||||
? await updateJadwalShift(formData.id, payload)
|
||||
: await createJadwalShift(payload);
|
||||
|
||||
if (response && (response.statusCode === 200 || response.statusCode === 201)) {
|
||||
const action = props.actionMode === 'edit' ? 'diubah' : 'ditambahkan';
|
||||
|
||||
NotifOk({
|
||||
icon: 'success',
|
||||
title: 'Berhasil',
|
||||
message: `Jadwal berhasil ${action}.`,
|
||||
});
|
||||
|
||||
props.setActionMode('list');
|
||||
} else {
|
||||
NotifOk({
|
||||
icon: 'error',
|
||||
title: 'Gagal',
|
||||
message: response?.message || 'Terjadi kesalahan saat menyimpan data.',
|
||||
});
|
||||
}
|
||||
} catch (error) {
|
||||
const message = error.response?.data?.message || 'Gagal memperbarui jadwal.';
|
||||
NotifAlert({ icon: 'error', title: 'Gagal', message });
|
||||
NotifOk({
|
||||
icon: 'error',
|
||||
title: 'Error',
|
||||
message: error.message || 'Terjadi kesalahan pada server.',
|
||||
});
|
||||
} finally {
|
||||
setConfirmLoading(false);
|
||||
}
|
||||
};
|
||||
|
||||
useEffect(() => {
|
||||
// Hanya jalankan jika modal untuk 'edit' atau 'preview' terbuka
|
||||
if (props.showModal) {
|
||||
fetchEmployees();
|
||||
if (props.actionMode === 'edit' || props.actionMode === 'preview') {
|
||||
form.setFieldsValue({
|
||||
employee_id: props.selectedData.employee_id,
|
||||
shift_name: props.selectedData.shift_name,
|
||||
});
|
||||
} else if (props.actionMode === 'add') {
|
||||
form.setFieldsValue({
|
||||
shift_name: props.selectedData.shift_name,
|
||||
employee_id: null, // Reset employee selection
|
||||
});
|
||||
fetchData();
|
||||
}
|
||||
|
||||
if (props.selectedData) {
|
||||
setFormData({
|
||||
id: props.selectedData.id || '',
|
||||
user_id: props.selectedData.user_id || null,
|
||||
shift_id: props.selectedData.shift_id || null,
|
||||
schedule_id: props.selectedData.schedule_id || '',
|
||||
user_phone: props.selectedData.whatsapp || props.selectedData.user_phone || null,
|
||||
});
|
||||
} else {
|
||||
setFormData(defaultData);
|
||||
}
|
||||
}, [props.actionMode, props.showModal, props.selectedData, form]);
|
||||
}, [props.showModal, props.selectedData, props.actionMode]);
|
||||
|
||||
return (
|
||||
<Modal
|
||||
title={isReadOnly ? 'Preview Jadwal' : (props.actionMode === 'edit' ? 'Edit Jadwal' : 'Tambah User')}
|
||||
title={`${
|
||||
props.actionMode === 'add'
|
||||
? 'Tambah'
|
||||
: props.actionMode === 'preview'
|
||||
? 'Preview'
|
||||
: 'Edit'
|
||||
} Jadwal Shift`}
|
||||
open={props.showModal}
|
||||
onCancel={handleCancel}
|
||||
width={600}
|
||||
footer={[
|
||||
<React.Fragment key="modal-footer">
|
||||
<Button key="back" onClick={handleCancel}>
|
||||
{isReadOnly ? 'Tutup' : 'Batal'}
|
||||
</Button>
|
||||
{!isReadOnly && (
|
||||
<Button key="submit" type="primary" loading={confirmLoading} onClick={handleSave} style={{ backgroundColor: '#23A55A' }}>
|
||||
<ConfigProvider
|
||||
theme={{
|
||||
components: {
|
||||
Button: {
|
||||
defaultBg: 'white',
|
||||
defaultColor: '#23A55A',
|
||||
defaultBorderColor: '#23A55A',
|
||||
},
|
||||
},
|
||||
}}
|
||||
>
|
||||
<Button onClick={handleCancel}>{props.readOnly ? 'Tutup' : 'Batal'}</Button>
|
||||
</ConfigProvider>
|
||||
<ConfigProvider
|
||||
theme={{
|
||||
components: {
|
||||
Button: {
|
||||
defaultBg: '#23a55a',
|
||||
defaultColor: '#FFFFFF',
|
||||
defaultBorderColor: '#23a55a',
|
||||
},
|
||||
},
|
||||
}}
|
||||
>
|
||||
{!props.readOnly && (
|
||||
<Button loading={confirmLoading} onClick={handleSave}>
|
||||
Simpan
|
||||
</Button>
|
||||
)}
|
||||
</ConfigProvider>
|
||||
</React.Fragment>,
|
||||
]}
|
||||
>
|
||||
<Spin spinning={loadingEmployees} tip="Memuat data...">
|
||||
<Form form={form} layout="vertical" name="shift_form">
|
||||
{props.actionMode === 'add' ? (
|
||||
<>
|
||||
<Form.Item
|
||||
name="shift_name"
|
||||
label="Shift"
|
||||
>
|
||||
<Input disabled />
|
||||
</Form.Item>
|
||||
<Form.Item
|
||||
name="employee_id"
|
||||
label="Nama Karyawan"
|
||||
rules={[{ required: true, message: 'Nama karyawan wajib dipilih!' }]}
|
||||
>
|
||||
{formData && (
|
||||
<div>
|
||||
<div style={{ marginBottom: 12 }}>
|
||||
<Text strong>Nama Karyawan</Text>
|
||||
<Text style={{ color: 'red' }}> *</Text>
|
||||
<Select
|
||||
value={formData.user_id}
|
||||
onChange={(value) => handleSelectChange('user_id', value)}
|
||||
placeholder="Pilih karyawan"
|
||||
disabled={props.readOnly || loadingData}
|
||||
loading={loadingData}
|
||||
showSearch
|
||||
optionFilterProp="children"
|
||||
filterOption={(input, option) =>
|
||||
option?.children?.toLowerCase().indexOf(input.toLowerCase()) >= 0
|
||||
}
|
||||
style={{ width: '100%' }}
|
||||
>
|
||||
{employees.map(emp => (
|
||||
<Option key={emp.employee_id} value={emp.employee_id}>{emp.nama_employee}</Option>
|
||||
{employees
|
||||
.filter((emp) => emp.user_id != null)
|
||||
.map((emp) => (
|
||||
<Option key={`emp-${emp.user_id}`} value={emp.user_id}>
|
||||
{emp.user_fullname || emp.user_name}
|
||||
</Option>
|
||||
))}
|
||||
</Select>
|
||||
</Form.Item>
|
||||
</>
|
||||
) : (
|
||||
<>
|
||||
<Form.Item
|
||||
name="employee_id"
|
||||
label="Nama Karyawan"
|
||||
rules={[{ required: true, message: 'Nama karyawan wajib dipilih!' }]}
|
||||
</div>
|
||||
|
||||
<div style={{ marginBottom: 12 }}>
|
||||
<Text strong>No. Telepon</Text>
|
||||
<div
|
||||
style={{
|
||||
padding: '8px 12px',
|
||||
backgroundColor: '#f5f5f5',
|
||||
borderRadius: '6px',
|
||||
|
||||
marginTop: '4px',
|
||||
color: formData.user_phone ? '#000' : '#999',
|
||||
}}
|
||||
>
|
||||
<Select placeholder="Pilih karyawan" disabled={isReadOnly} showSearch optionFilterProp="children">
|
||||
{employees.map(emp => (
|
||||
<Option key={emp.employee_id} value={emp.employee_id}>{emp.nama_employee}</Option>
|
||||
{formData.user_phone || 'Pilih karyawan terlebih dahulu'}
|
||||
</div>
|
||||
</div>
|
||||
|
||||
<div style={{ marginBottom: 12 }}>
|
||||
<Text strong>Shift</Text>
|
||||
<Text style={{ color: 'red' }}> *</Text>
|
||||
<Select
|
||||
value={formData.shift_id}
|
||||
onChange={(value) => handleSelectChange('shift_id', value)}
|
||||
placeholder="Pilih shift"
|
||||
disabled={props.readOnly || loadingData}
|
||||
loading={loadingData}
|
||||
showSearch
|
||||
optionFilterProp="children"
|
||||
filterOption={(input, option) =>
|
||||
option?.children?.toLowerCase().indexOf(input.toLowerCase()) >= 0
|
||||
}
|
||||
style={{ width: '100%' }}
|
||||
>
|
||||
{shifts
|
||||
.filter((shift) => shift.shift_id != null)
|
||||
.map((shift) => (
|
||||
<Option key={`shift-${shift.shift_id}`} value={shift.shift_id}>
|
||||
{shift.shift_name}
|
||||
</Option>
|
||||
))}
|
||||
</Select>
|
||||
</Form.Item>
|
||||
<Form.Item name="shift_name" label="Shift" rules={[{ required: true, message: 'Shift wajib dipilih!' }]}>
|
||||
<Select placeholder="Pilih shift" disabled={isReadOnly}>
|
||||
<Option value="PAGI">PAGI</Option>
|
||||
<Option value="SIANG">SIANG</Option>
|
||||
<Option value="MALAM">MALAM</Option>
|
||||
</Select>
|
||||
</Form.Item>
|
||||
</>
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</Form>
|
||||
</Spin>
|
||||
</Modal>
|
||||
);
|
||||
};
|
||||
|
||||
@@ -1,5 +1,17 @@
|
||||
import React, { memo, useState, useEffect } from 'react';
|
||||
import { Space, ConfigProvider, Button, Row, Col, Card, Input, Typography, Spin, Divider, Checkbox, Select } from 'antd';
|
||||
import {
|
||||
Space,
|
||||
ConfigProvider,
|
||||
Button,
|
||||
Row,
|
||||
Col,
|
||||
Card,
|
||||
Input,
|
||||
Typography,
|
||||
Divider,
|
||||
Checkbox,
|
||||
Select,
|
||||
} from 'antd';
|
||||
import {
|
||||
PlusOutlined,
|
||||
SearchOutlined,
|
||||
@@ -9,32 +21,25 @@ import {
|
||||
} from '@ant-design/icons';
|
||||
import { NotifAlert, NotifOk, NotifConfirmDialog } from '../../../components/Global/ToastNotif';
|
||||
import { useNavigate } from 'react-router-dom';
|
||||
import { getAllJadwalShift, deleteJadwalShift, updateJadwalShift } from '../../../api/jadwal-shift.jsx';
|
||||
import { getAllJadwalShift, deleteJadwalShift, updateJadwalShift } from '../../../api/jadwal-shift';
|
||||
import { getAllShift } from '../../../api/master-shift';
|
||||
|
||||
const { Title, Text } = Typography;
|
||||
|
||||
const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
const [trigerFilter, setTrigerFilter] = useState(false);
|
||||
const defaultFilter = { criteria: '' };
|
||||
const [formDataFilter, setFormDataFilter] = useState(defaultFilter);
|
||||
const [groupedSchedules, setGroupedSchedules] = useState({});
|
||||
const [loading, setLoading] = useState(true);
|
||||
const [loading, setLoading] = useState(false);
|
||||
const [searchValue, setSearchValue] = useState('');
|
||||
const [isEditMode, setIsEditMode] = useState(false);
|
||||
const [selectedSchedules, setSelectedSchedules] = useState([]);
|
||||
const [editingShift, setEditingShift] = useState(null); // State for shift-specific edit mode
|
||||
const [pendingChanges, setPendingChanges] = useState({}); // State for bulk shift edits
|
||||
const [employeeOptions, setEmployeeOptions] = useState([]); // State for employee dropdown
|
||||
const [editingShift, setEditingShift] = useState(null);
|
||||
const [pendingChanges, setPendingChanges] = useState({});
|
||||
const [employeeOptions, setEmployeeOptions] = useState([]);
|
||||
const [shiftOptions, setShiftOptions] = useState([]);
|
||||
const navigate = useNavigate();
|
||||
|
||||
// Function to format timestamp without moment.js
|
||||
const formatTimestamp = (timestamp) => {
|
||||
const date = new Date(timestamp);
|
||||
const optionsDate = { weekday: 'long', year: 'numeric', month: 'long', day: 'numeric' };
|
||||
const optionsTime = { hour: '2-digit', minute: '2-digit', hour12: false };
|
||||
|
||||
const formattedDate = date.toLocaleDateString('id-ID', optionsDate);
|
||||
const formattedTime = date.toLocaleTimeString('id-ID', optionsTime);
|
||||
return `${formattedDate} pukul ${formattedTime}`;
|
||||
};
|
||||
|
||||
const formatRelativeTimestamp = (timestamp) => {
|
||||
const now = new Date();
|
||||
const date = new Date(timestamp);
|
||||
@@ -50,97 +55,157 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
dayString = date.toLocaleDateString('id-ID', { day: 'numeric', month: 'long' });
|
||||
}
|
||||
|
||||
const timeString = date.toLocaleTimeString('id-ID', { hour: '2-digit', minute: '2-digit', hour12: false }).replace('.', ':');
|
||||
const timeString = date
|
||||
.toLocaleTimeString('id-ID', { hour: '2-digit', minute: '2-digit', hour12: false })
|
||||
.replace('.', ':');
|
||||
return `${dayString}, ${timeString}`;
|
||||
};
|
||||
|
||||
const fetchData = async () => {
|
||||
setLoading(true);
|
||||
try {
|
||||
// const params = new URLSearchParams({ ... });
|
||||
// const response = await getAllJadwalShift(params);
|
||||
const paging = {
|
||||
page: 1,
|
||||
limit: 1000,
|
||||
};
|
||||
|
||||
// ================== START: DUMMY DATA FOR VISUAL PREVIEW ==================
|
||||
// This section creates dummy schedules and users to ensure all shifts are populated.
|
||||
// The actual API call is commented out for now.
|
||||
const params = new URLSearchParams({ ...paging, ...formDataFilter });
|
||||
|
||||
const mockSchedules = [
|
||||
{ schedule_id: 1, employee_id: '101', shift_name: 'PAGI', nama_employee: 'Andi Pratama', whatsapp: '081234567890', updated_by: 'Admin Super', updated_at: '2024-05-21T10:00:00' },
|
||||
{ schedule_id: 2, employee_id: '102', shift_name: 'PAGI', nama_employee: 'Budi Santoso', whatsapp: '081234567891', updated_by: 'Admin Super', updated_at: '2024-05-21T10:00:00' },
|
||||
{ schedule_id: 3, employee_id: '103', shift_name: 'SIANG', nama_employee: 'Citra Lestari', whatsapp: '081234567892', updated_by: 'John Doe', updated_at: '2024-05-21T09:45:00' },
|
||||
{ schedule_id: 4, employee_id: '104', shift_name: 'SIANG', nama_employee: 'Dewi Anggraini', whatsapp: '081234567893', updated_by: 'John Doe', updated_at: '2024-05-21T09:45:00' },
|
||||
{ schedule_id: 5, employee_id: '105', shift_name: 'MALAM', nama_employee: 'Eko Wahyudi', whatsapp: '081234567894', updated_by: 'Jane Smith', updated_at: '2024-05-20T22:15:00' },
|
||||
{ schedule_id: 6, employee_id: '106', shift_name: 'MALAM', nama_employee: 'Fitriani', whatsapp: '081234567895', updated_by: 'Jane Smith', updated_at: '2024-05-20T22:15:00' },
|
||||
];
|
||||
// Fetch both schedules and shifts data
|
||||
const [schedulesResponse, shiftsResponse] = await Promise.all([
|
||||
getAllJadwalShift(params),
|
||||
getAllShift(params),
|
||||
]);
|
||||
|
||||
// Dummy employee data for dropdowns
|
||||
const dummyEmployees = [
|
||||
{ employee_id: '101', nama_employee: 'Andi Pratama' },
|
||||
{ employee_id: '102', nama_employee: 'Budi Santoso' },
|
||||
{ employee_id: '103', nama_employee: 'Citra Lestari' },
|
||||
{ employee_id: '104', nama_employee: 'Dewi Anggraini' },
|
||||
{ employee_id: '105', nama_employee: 'Eko Wahyudi' },
|
||||
{ employee_id: '106', nama_employee: 'Fitriani' },
|
||||
];
|
||||
setEmployeeOptions(dummyEmployees);
|
||||
// =================== END: DUMMY DATA FOR VISUAL PREVIEW ===================
|
||||
// Handle nested data structure from backend
|
||||
const rawData = schedulesResponse?.data || schedulesResponse || [];
|
||||
const shifts = shiftsResponse?.data || shiftsResponse || [];
|
||||
|
||||
setShiftOptions(shifts);
|
||||
|
||||
const grouped = mockSchedules.reduce((acc, schedule) => {
|
||||
const shiftName = schedule.shift_name.toUpperCase().trim();
|
||||
if (!acc[shiftName]) {
|
||||
acc[shiftName] = { users: [], lastUpdate: { user: 'N/A', timestamp: '1970-01-01T00:00:00Z' } };
|
||||
// Parse backend response structure: [{ shift: { shift_id, shift_name, users: [...] } }]
|
||||
const grouped = {};
|
||||
const allUsers = [];
|
||||
|
||||
rawData.forEach((item) => {
|
||||
if (item.shift && item.shift.shift_name) {
|
||||
const shift = item.shift;
|
||||
const shiftName = shift.shift_name.toUpperCase().trim();
|
||||
|
||||
// Initialize shift group
|
||||
if (!grouped[shiftName]) {
|
||||
grouped[shiftName] = {
|
||||
shift_id: shift.shift_id,
|
||||
users: [],
|
||||
lastUpdate: { user: 'N/A', timestamp: '1970-01-01T00:00:00Z' },
|
||||
};
|
||||
}
|
||||
acc[shiftName].users.push(schedule);
|
||||
|
||||
// Find the latest update timestamp for the shift
|
||||
const currentUpdate = new Date(schedule.updated_at || schedule.created_at);
|
||||
const lastUpdate = new Date(acc[shiftName].lastUpdate.timestamp);
|
||||
// Process users in this shift
|
||||
if (shift.users && Array.isArray(shift.users)) {
|
||||
shift.users.forEach((user) => {
|
||||
const normalizedUser = {
|
||||
id: user.user_schedule_id,
|
||||
user_schedule_id: user.user_schedule_id,
|
||||
user_id: user.user_id,
|
||||
shift_id: shift.shift_id,
|
||||
shift_name: shift.shift_name,
|
||||
nama_employee: user.user_fullname || user.user_name || 'Unknown',
|
||||
whatsapp: user.user_phone || '-',
|
||||
user_fullname: user.user_fullname,
|
||||
user_name: user.user_name,
|
||||
user_phone: user.user_phone,
|
||||
updated_at: user.updated_at,
|
||||
created_at: user.created_at,
|
||||
updated_by: user.updated_by,
|
||||
};
|
||||
|
||||
grouped[shiftName].users.push(normalizedUser);
|
||||
allUsers.push(normalizedUser);
|
||||
|
||||
// Update last update timestamp
|
||||
const currentUpdate = new Date(
|
||||
user.updated_at || user.created_at || new Date()
|
||||
);
|
||||
const lastUpdate = new Date(grouped[shiftName].lastUpdate.timestamp);
|
||||
if (currentUpdate > lastUpdate) {
|
||||
acc[shiftName].lastUpdate = {
|
||||
user: schedule.updated_by || 'N/A',
|
||||
timestamp: currentUpdate.toISOString()
|
||||
grouped[shiftName].lastUpdate = {
|
||||
user: user.updated_by || 'N/A',
|
||||
timestamp: currentUpdate.toISOString(),
|
||||
};
|
||||
}
|
||||
return acc;
|
||||
}, {});
|
||||
});
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
const finalGrouped = {
|
||||
'PAGI': grouped['PAGI'] || { users: [], lastUpdate: { user: 'N/A', timestamp: new Date().toISOString() } },
|
||||
'SIANG': grouped['SIANG'] || { users: [], lastUpdate: { user: 'N/A', timestamp: new Date().toISOString() } },
|
||||
'MALAM': grouped['MALAM'] || { users: [], lastUpdate: { user: 'N/A', timestamp: new Date().toISOString() } },
|
||||
setEmployeeOptions(allUsers);
|
||||
|
||||
// Add empty shifts that don't have users yet
|
||||
shifts.forEach((shift) => {
|
||||
const shiftName = shift.shift_name.toUpperCase().trim();
|
||||
if (!grouped[shiftName]) {
|
||||
grouped[shiftName] = {
|
||||
shift_id: shift.shift_id,
|
||||
users: [],
|
||||
lastUpdate: { user: 'N/A', timestamp: new Date().toISOString() },
|
||||
};
|
||||
}
|
||||
});
|
||||
|
||||
setGroupedSchedules(finalGrouped);
|
||||
|
||||
setGroupedSchedules(grouped);
|
||||
} catch (error) {
|
||||
console.error('Error processing dummy data:', error);
|
||||
NotifAlert({ // Changed to NotifAlert for consistency
|
||||
icon: 'error', // Changed to error icon
|
||||
title: 'Gagal Memuat Data', // Changed title
|
||||
message: 'Terjadi kesalahan saat memuat data jadwal shift.', // Changed message
|
||||
NotifAlert({
|
||||
icon: 'error',
|
||||
title: 'Gagal Memuat Data',
|
||||
message: 'Terjadi kesalahan saat memuat data jadwal shift.',
|
||||
});
|
||||
} finally {
|
||||
// Add a small delay to simulate network loading
|
||||
setTimeout(() => setLoading(false), 500);
|
||||
setLoading(false);
|
||||
}
|
||||
};
|
||||
|
||||
useEffect(() => {
|
||||
const token = localStorage.getItem('token');
|
||||
if (token) {
|
||||
fetchData();
|
||||
if (props.actionMode === 'list') {
|
||||
setFormDataFilter(defaultFilter);
|
||||
doFilter();
|
||||
}
|
||||
} else {
|
||||
navigate('/signin');
|
||||
}
|
||||
}, [searchValue, props.actionMode]); // Refetch when searchValue changes or after modal closes
|
||||
}, [props.actionMode]);
|
||||
|
||||
const handleSearch = (value) => {
|
||||
setSearchValue(value);
|
||||
useEffect(() => {
|
||||
if (props.actionMode === 'list') {
|
||||
fetchData();
|
||||
}
|
||||
}, [trigerFilter]);
|
||||
|
||||
const doFilter = () => {
|
||||
setTrigerFilter((prev) => !prev);
|
||||
};
|
||||
|
||||
const handleSearch = () => {
|
||||
setFormDataFilter({ criteria: searchValue });
|
||||
setTrigerFilter((prev) => !prev);
|
||||
};
|
||||
|
||||
const handleSearchClear = () => {
|
||||
setSearchValue('');
|
||||
setFormDataFilter({ criteria: '' });
|
||||
setTrigerFilter((prev) => !prev);
|
||||
};
|
||||
|
||||
const showPreviewModal = (param) => {
|
||||
props.setSelectedData(param);
|
||||
props.setActionMode('preview');
|
||||
};
|
||||
|
||||
const showEditModal = (param = null) => {
|
||||
props.setSelectedData(param);
|
||||
props.setActionMode('edit');
|
||||
};
|
||||
|
||||
const showAddModal = (param = null) => {
|
||||
@@ -148,28 +213,31 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
props.setActionMode('add');
|
||||
};
|
||||
|
||||
const handleAction = (mode, record) => {
|
||||
props.setSelectedData(record);
|
||||
props.setActionMode(mode);
|
||||
};
|
||||
|
||||
const showDeleteDialog = (user) => {
|
||||
const showDeleteDialog = (param) => {
|
||||
NotifConfirmDialog({
|
||||
icon: 'question',
|
||||
title: 'Konfirmasi Hapus',
|
||||
message: `Hapus jadwal untuk karyawan "${user.nama_employee}"?`,
|
||||
onConfirm: () => handleDelete(user.schedule_id),
|
||||
message: `Jadwal untuk karyawan "${param.nama_employee}" akan dihapus?`,
|
||||
onConfirm: () => handleDelete(param.id),
|
||||
onCancel: () => props.setSelectedData(null),
|
||||
});
|
||||
};
|
||||
|
||||
const handleDelete = async (schedule_id) => {
|
||||
try {
|
||||
await deleteJadwalShift(schedule_id);
|
||||
NotifOk({ icon: 'success', title: 'Berhasil', message: 'Jadwal berhasil dihapus.' });
|
||||
fetchData(); // Refresh data
|
||||
} catch (error) {
|
||||
console.error("Failed to delete schedule:", error);
|
||||
NotifAlert({ icon: "error", title: "Gagal", message: "Gagal menghapus jadwal." });
|
||||
const handleDelete = async (id) => {
|
||||
const response = await deleteJadwalShift(id);
|
||||
if (response.statusCode === 200) {
|
||||
NotifAlert({
|
||||
icon: 'success',
|
||||
title: 'Berhasil',
|
||||
message: 'Jadwal berhasil dihapus.',
|
||||
});
|
||||
doFilter();
|
||||
} else {
|
||||
NotifAlert({
|
||||
icon: 'error',
|
||||
title: 'Gagal',
|
||||
message: response?.message || 'Gagal menghapus jadwal.',
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
@@ -185,52 +253,79 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
setSelectedSchedules([]);
|
||||
};
|
||||
|
||||
const handleSelectSchedule = (scheduleId, isChecked) => {
|
||||
const handleSelectSchedule = (id, isChecked) => {
|
||||
if (isChecked) {
|
||||
setSelectedSchedules(prev => [...prev, scheduleId]);
|
||||
setSelectedSchedules((prev) => [...prev, id]);
|
||||
} else {
|
||||
setSelectedSchedules(prev => prev.filter(id => id !== scheduleId));
|
||||
setSelectedSchedules((prev) => prev.filter((scheduleId) => scheduleId !== id));
|
||||
}
|
||||
};
|
||||
|
||||
const handleBulkUpdateChange = (scheduleId, field, value) => {
|
||||
setPendingChanges(prev => ({
|
||||
setPendingChanges((prev) => ({
|
||||
...prev,
|
||||
[scheduleId]: {
|
||||
...prev[scheduleId],
|
||||
[field]: value,
|
||||
}
|
||||
},
|
||||
}));
|
||||
};
|
||||
|
||||
const handleBulkSave = async () => {
|
||||
if (Object.keys(pendingChanges).length === 0) {
|
||||
NotifAlert({ icon: 'info', title: 'Tidak Ada Perubahan', message: 'Tidak ada perubahan untuk disimpan.' });
|
||||
NotifAlert({
|
||||
icon: 'info',
|
||||
title: 'Tidak Ada Perubahan',
|
||||
message: 'Tidak ada perubahan untuk disimpan.',
|
||||
});
|
||||
cancelShiftEditMode();
|
||||
return;
|
||||
}
|
||||
|
||||
const updatePromises = Object.keys(pendingChanges).map(scheduleId => {
|
||||
const originalSchedule = groupedSchedules[editingShift].users.find(u => u.schedule_id.toString() === scheduleId);
|
||||
const updatedData = { ...originalSchedule, ...pendingChanges[scheduleId] };
|
||||
// return updateJadwalShift(scheduleId, updatedData); // UNCOMMENT FOR REAL API
|
||||
console.log(`Simulating update for schedule ${scheduleId}:`, updatedData); // DUMMY LOG
|
||||
return Promise.resolve(); // DUMMY PROMISE
|
||||
const updatePromises = Object.keys(pendingChanges).map((id) => {
|
||||
const originalSchedule = groupedSchedules[editingShift].users.find(
|
||||
(u) => u.id.toString() === id
|
||||
);
|
||||
const changes = pendingChanges[id];
|
||||
|
||||
// Build payload according to backend schema
|
||||
const payload = {
|
||||
user_id: changes.user_id || originalSchedule.user_id,
|
||||
shift_id: changes.shift_id || originalSchedule.shift_id,
|
||||
};
|
||||
|
||||
if (originalSchedule.schedule_id) {
|
||||
payload.schedule_id = originalSchedule.schedule_id;
|
||||
}
|
||||
|
||||
return updateJadwalShift(id, payload);
|
||||
});
|
||||
|
||||
try {
|
||||
await Promise.all(updatePromises);
|
||||
NotifOk({ icon: 'success', title: 'Berhasil', message: 'Semua perubahan berhasil disimpan.' });
|
||||
fetchData();
|
||||
NotifOk({
|
||||
icon: 'success',
|
||||
title: 'Berhasil',
|
||||
message: 'Semua perubahan berhasil disimpan.',
|
||||
});
|
||||
doFilter();
|
||||
cancelShiftEditMode();
|
||||
} catch (error) {
|
||||
NotifAlert({ icon: 'error', title: 'Gagal', message: 'Gagal menyimpan beberapa perubahan.' });
|
||||
NotifAlert({
|
||||
icon: 'error',
|
||||
title: 'Gagal',
|
||||
message: 'Gagal menyimpan beberapa perubahan.',
|
||||
});
|
||||
}
|
||||
};
|
||||
|
||||
const handleBulkDelete = () => {
|
||||
if (selectedSchedules.length === 0) {
|
||||
NotifAlert({ icon: 'warning', title: 'Perhatian', message: 'Pilih setidaknya satu jadwal untuk dihapus.' });
|
||||
NotifAlert({
|
||||
icon: 'warning',
|
||||
title: 'Perhatian',
|
||||
message: 'Pilih setidaknya satu jadwal untuk dihapus.',
|
||||
});
|
||||
return;
|
||||
}
|
||||
NotifConfirmDialog({
|
||||
@@ -238,11 +333,13 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
title: `Konfirmasi Hapus`,
|
||||
message: `Anda yakin ingin menghapus ${selectedSchedules.length} jadwal yang dipilih?`,
|
||||
onConfirm: async () => {
|
||||
await Promise.all(selectedSchedules.map(id => deleteJadwalShift(id)));
|
||||
NotifOk({ icon: 'success', title: 'Berhasil', message: `${selectedSchedules.length} jadwal berhasil dihapus.` });
|
||||
fetchData();
|
||||
// Exit both edit modes
|
||||
setIsEditMode(false);
|
||||
await Promise.all(selectedSchedules.map((id) => deleteJadwalShift(id)));
|
||||
NotifOk({
|
||||
icon: 'success',
|
||||
title: 'Berhasil',
|
||||
message: `${selectedSchedules.length} jadwal berhasil dihapus.`,
|
||||
});
|
||||
doFilter();
|
||||
setEditingShift(null);
|
||||
setSelectedSchedules([]);
|
||||
},
|
||||
@@ -257,56 +354,7 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
|
||||
<Row>
|
||||
<Col xs={24}>
|
||||
<Row justify="space-between" align="middle" gutter={[8, 8]}>
|
||||
{isEditMode ? (
|
||||
<Col span={24}>
|
||||
<Row justify="space-between" align="middle">
|
||||
<Text strong>Mode Edit Halaman</Text>
|
||||
<Space wrap align="center">
|
||||
<Button onClick={() => { setIsEditMode(false); setPendingChanges({}); setSelectedSchedules([]); }}>
|
||||
Batal
|
||||
</Button>
|
||||
<Button
|
||||
type="primary"
|
||||
danger
|
||||
onClick={handleBulkDelete}
|
||||
disabled={selectedSchedules.length === 0}
|
||||
>
|
||||
Hapus yang Dipilih ({selectedSchedules.length})
|
||||
</Button>
|
||||
<Button
|
||||
type="primary"
|
||||
onClick={handleBulkSave}
|
||||
style={{ backgroundColor: '#23A55A', borderColor: '#23A55A' }}
|
||||
>
|
||||
Simpan Semua Perubahan
|
||||
</Button>
|
||||
</Space>
|
||||
</Row>
|
||||
</Col>
|
||||
) : (
|
||||
<>
|
||||
<Col>
|
||||
<ConfigProvider
|
||||
theme={{
|
||||
components: {
|
||||
Button: {
|
||||
defaultBg: '#23a55a',
|
||||
defaultColor: '#FFFFFF',
|
||||
defaultBorderColor: '#23a55a',
|
||||
},
|
||||
},
|
||||
}}
|
||||
>
|
||||
<Button
|
||||
icon={<EditOutlined />}
|
||||
size="large"
|
||||
onClick={() => { setIsEditMode(true); setEditingShift(null); setPendingChanges({}); setSelectedSchedules([]); }}
|
||||
>
|
||||
Edit Halaman
|
||||
</Button>
|
||||
</ConfigProvider>
|
||||
</Col>
|
||||
<Row justify="end" align="middle" gutter={[8, 8]}>
|
||||
<Col xs={24} sm={24} md={12} lg={12}>
|
||||
<Input.Search
|
||||
placeholder="Cari berdasarkan nama..."
|
||||
@@ -333,30 +381,48 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
size="large"
|
||||
/>
|
||||
</Col>
|
||||
</>
|
||||
)}
|
||||
</Row>
|
||||
</Col>
|
||||
</Row>
|
||||
|
||||
<Spin spinning={loading} tip="Memuat data...">
|
||||
<div style={{ marginTop: '24px' }}>
|
||||
{(Object.keys(groupedSchedules).length === 0 && !loading) ? (
|
||||
{loading ? (
|
||||
<Text>Memuat data...</Text>
|
||||
) : Object.keys(groupedSchedules).length === 0 ? (
|
||||
<Text>Tidak ada data jadwal untuk ditampilkan.</Text>
|
||||
) : (
|
||||
Object.keys(groupedSchedules).map(shiftName => ( // Iterate through each shift (PAGI, SIANG, MALAM)
|
||||
<div key={shiftName} style={{ marginBottom: '32px' }}> {/* Container for each shift section */}
|
||||
<Row justify="space-between" align="middle" style={{ paddingBottom: '12px', borderBottom: '1px solid #f0f0f0', marginBottom: '16px' }}>
|
||||
['SHIFT PAGI', 'SHIFT SORE', 'SHIFT MALAM']
|
||||
.filter((shiftName) => groupedSchedules[shiftName])
|
||||
.map((shiftName) => (
|
||||
<div key={shiftName} style={{ marginBottom: '32px' }}>
|
||||
{' '}
|
||||
{/* Container for each shift section */}
|
||||
<Row
|
||||
justify="space-between"
|
||||
align="middle"
|
||||
style={{
|
||||
paddingBottom: '12px',
|
||||
borderBottom: '1px solid #f0f0f0',
|
||||
marginBottom: '16px',
|
||||
}}
|
||||
>
|
||||
<Col>
|
||||
<Title level={5} style={{ margin: 0 }}>
|
||||
SHIFT {shiftName} ({groupedSchedules[shiftName].users.length} Karyawan)
|
||||
{shiftName} (
|
||||
{groupedSchedules[shiftName].users.length} Karyawan)
|
||||
</Title>
|
||||
</Col>
|
||||
{editingShift === shiftName ? (
|
||||
<Col>
|
||||
<Space wrap>
|
||||
<Button onClick={cancelShiftEditMode}>Batal</Button>
|
||||
<Button
|
||||
key="cancel"
|
||||
onClick={cancelShiftEditMode}
|
||||
>
|
||||
Batal
|
||||
</Button>
|
||||
<Button
|
||||
key="delete"
|
||||
type="primary"
|
||||
danger
|
||||
onClick={handleBulkDelete}
|
||||
@@ -365,9 +431,13 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
Hapus Dipilih ({selectedSchedules.length})
|
||||
</Button>
|
||||
<Button
|
||||
key="save"
|
||||
type="primary"
|
||||
onClick={handleBulkSave}
|
||||
style={{ backgroundColor: '#23A55A', borderColor: '#23A55A' }}
|
||||
style={{
|
||||
backgroundColor: '#23A55A',
|
||||
borderColor: '#23A55A',
|
||||
}}
|
||||
>
|
||||
Simpan Perubahan
|
||||
</Button>
|
||||
@@ -377,23 +447,26 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
<Col>
|
||||
<Space wrap>
|
||||
<Button
|
||||
key="add"
|
||||
type="primary"
|
||||
icon={<PlusOutlined />}
|
||||
onClick={() => showAddModal({ shift_name: shiftName })}
|
||||
style={{ backgroundColor: '#23A55A', borderColor: '#23A55A' }}
|
||||
disabled={editingShift !== null || isEditMode}
|
||||
onClick={() => showAddModal()}
|
||||
style={{
|
||||
backgroundColor: '#23A55A',
|
||||
borderColor: '#23A55A',
|
||||
}}
|
||||
disabled={editingShift !== null}
|
||||
>
|
||||
Tambah User
|
||||
Tambah Jadwal Shift
|
||||
</Button>
|
||||
<ConfigProvider
|
||||
key="edit-config"
|
||||
theme={{
|
||||
components: {
|
||||
Button: {
|
||||
defaultBg: 'white',
|
||||
defaultColor: '#23A55A',
|
||||
defaultBorderColor: '#23A55A',
|
||||
defaultHoverColor: '#23A55A',
|
||||
defaultHoverBorderColor: '#23A55A',
|
||||
},
|
||||
},
|
||||
}}
|
||||
@@ -401,7 +474,7 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
<Button
|
||||
icon={<EditOutlined />}
|
||||
onClick={() => handleShiftEditMode(shiftName)}
|
||||
disabled={editingShift !== null || isEditMode}
|
||||
disabled={editingShift !== null}
|
||||
>
|
||||
Edit
|
||||
</Button>
|
||||
@@ -410,81 +483,321 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
</Col>
|
||||
)}
|
||||
</Row>
|
||||
|
||||
{/* Horizontal scrollable container for employee cards */}
|
||||
<div style={{ display: 'flex', overflowX: 'auto', gap: '16px', paddingBottom: '10px' }}>
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
overflowX: 'auto',
|
||||
gap: '16px',
|
||||
paddingTop: '8px',
|
||||
paddingBottom: '10px',
|
||||
minWidth: `${4 * (320 + 16)}px`,
|
||||
}}
|
||||
>
|
||||
{groupedSchedules[shiftName].users.length > 0 ? (
|
||||
groupedSchedules[shiftName].users.map(user => (
|
||||
groupedSchedules[shiftName].users.map((user) => (
|
||||
<Card
|
||||
key={user.nik}
|
||||
key={user.id}
|
||||
hoverable
|
||||
style={{
|
||||
width: 320, height: 240, flexShrink: 0, textAlign: 'left', border: '1px solid #42AAFF',
|
||||
opacity: (editingShift !== null && editingShift !== shiftName) ? 0.5 : 1, // Dim inactive shifts
|
||||
pointerEvents: (editingShift !== null && editingShift !== shiftName) ? 'none' : 'auto' // Disable interaction on inactive shifts
|
||||
width: 320,
|
||||
height: 240,
|
||||
flexShrink: 0,
|
||||
textAlign: 'left',
|
||||
border: '1px solid #42AAFF',
|
||||
opacity:
|
||||
editingShift !== null &&
|
||||
editingShift !== shiftName
|
||||
? 0.5
|
||||
: 1,
|
||||
pointerEvents:
|
||||
editingShift !== null &&
|
||||
editingShift !== shiftName
|
||||
? 'none'
|
||||
: 'auto',
|
||||
}}
|
||||
styles={{
|
||||
body: { padding: '16px', height: '100%' },
|
||||
}}
|
||||
bodyStyle={{ padding: '16px', height: '100%' }}
|
||||
>
|
||||
{isEditMode && editingShift === null && ( // Checkbox for global delete mode only
|
||||
<Checkbox
|
||||
style={{ position: 'absolute', top: 16, right: 16, zIndex: 10 }}
|
||||
checked={selectedSchedules.includes(user.schedule_id)}
|
||||
onChange={(e) => handleSelectSchedule(user.schedule_id, e.target.checked)}
|
||||
onClick={(e) => e.stopPropagation()} // Prevent card click
|
||||
/>
|
||||
)}
|
||||
{editingShift === shiftName || (isEditMode && editingShift === null) ? ( // Global or Shift-specific Edit Mode
|
||||
{editingShift === shiftName ? (
|
||||
// EDIT MODE VIEW
|
||||
<div style={{ display: 'flex', flexDirection: 'column', height: '100%' }}>
|
||||
<Space direction="vertical" style={{ width: '100%', marginTop: '24px' }}>
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
height: '100%',
|
||||
gap: '12px',
|
||||
padding: '16px 4px',
|
||||
}}
|
||||
>
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
alignItems: 'flex-start',
|
||||
paddingTop: '8px',
|
||||
}}
|
||||
>
|
||||
<Checkbox
|
||||
checked={selectedSchedules.includes(
|
||||
user.id
|
||||
)}
|
||||
onChange={(e) =>
|
||||
handleSelectSchedule(
|
||||
user.id,
|
||||
e.target.checked
|
||||
)
|
||||
}
|
||||
style={{
|
||||
transform: 'scale(1.4)',
|
||||
}}
|
||||
/>
|
||||
</div>
|
||||
<div
|
||||
style={{
|
||||
flex: 1,
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
justifyContent: 'center',
|
||||
gap: '14px',
|
||||
paddingRight: '4px',
|
||||
}}
|
||||
>
|
||||
<div>
|
||||
<Text
|
||||
strong
|
||||
style={{
|
||||
fontSize: '11px',
|
||||
color: '#8c8c8c',
|
||||
display: 'block',
|
||||
marginBottom: '6px',
|
||||
}}
|
||||
>
|
||||
KARYAWAN
|
||||
</Text>
|
||||
<Select
|
||||
showSearch
|
||||
style={{ width: '100%' }}
|
||||
placeholder="Pilih Karyawan"
|
||||
optionFilterProp="children"
|
||||
defaultValue={user.employee_id}
|
||||
onChange={(value) => handleBulkUpdateChange(user.schedule_id, 'employee_id', value)}
|
||||
defaultValue={user.user_id}
|
||||
onChange={(value) =>
|
||||
handleBulkUpdateChange(
|
||||
user.id,
|
||||
'user_id',
|
||||
value
|
||||
)
|
||||
}
|
||||
size="large"
|
||||
>
|
||||
{employeeOptions.map(emp => (
|
||||
<Select.Option key={emp.employee_id} value={emp.employee_id}>{emp.nama_employee}</Select.Option>
|
||||
))}
|
||||
</Select>
|
||||
<Select
|
||||
style={{ width: '100%' }}
|
||||
defaultValue={user.shift_name}
|
||||
onChange={(value) => handleBulkUpdateChange(user.schedule_id, 'shift_name', value)}
|
||||
{employeeOptions.map(
|
||||
(emp) => (
|
||||
<Select.Option
|
||||
key={
|
||||
emp.user_id ||
|
||||
emp.id
|
||||
}
|
||||
value={
|
||||
emp.user_id ||
|
||||
emp.id
|
||||
}
|
||||
>
|
||||
<Select.Option value="PAGI">PAGI</Select.Option>
|
||||
<Select.Option value="SIANG">SIANG</Select.Option>
|
||||
<Select.Option value="MALAM">MALAM</Select.Option>
|
||||
{emp.user_fullname ||
|
||||
emp.user_name ||
|
||||
emp.nama_employee}
|
||||
</Select.Option>
|
||||
)
|
||||
)}
|
||||
</Select>
|
||||
</Space>
|
||||
<Checkbox
|
||||
style={{ position: 'absolute', top: 16, right: 16, zIndex: 10 }}
|
||||
checked={selectedSchedules.includes(user.schedule_id)}
|
||||
onChange={(e) => handleSelectSchedule(user.schedule_id, e.target.checked)}
|
||||
</div>
|
||||
<div>
|
||||
<Text
|
||||
strong
|
||||
style={{
|
||||
fontSize: '11px',
|
||||
color: '#8c8c8c',
|
||||
display: 'block',
|
||||
marginBottom: '6px',
|
||||
}}
|
||||
>
|
||||
NO. TELEPON
|
||||
</Text>
|
||||
<Input
|
||||
value={
|
||||
pendingChanges[user.id]
|
||||
?.user_id
|
||||
? employeeOptions.find(
|
||||
(emp) =>
|
||||
emp.user_id ===
|
||||
pendingChanges[
|
||||
user
|
||||
.id
|
||||
]?.user_id
|
||||
)?.user_phone ||
|
||||
user.whatsapp
|
||||
: user.whatsapp
|
||||
}
|
||||
readOnly
|
||||
style={{
|
||||
backgroundColor:
|
||||
'#f5f5f5',
|
||||
color: '#595959',
|
||||
cursor: 'not-allowed',
|
||||
}}
|
||||
size="large"
|
||||
/>
|
||||
</div>
|
||||
<div>
|
||||
<Text
|
||||
strong
|
||||
style={{
|
||||
fontSize: '11px',
|
||||
color: '#8c8c8c',
|
||||
display: 'block',
|
||||
marginBottom: '6px',
|
||||
}}
|
||||
>
|
||||
SHIFT
|
||||
</Text>
|
||||
<Select
|
||||
showSearch
|
||||
style={{ width: '100%' }}
|
||||
placeholder="Pilih Shift"
|
||||
optionFilterProp="children"
|
||||
defaultValue={user.shift_id}
|
||||
onChange={(value) =>
|
||||
handleBulkUpdateChange(
|
||||
user.id,
|
||||
'shift_id',
|
||||
value
|
||||
)
|
||||
}
|
||||
size="large"
|
||||
>
|
||||
{shiftOptions.map(
|
||||
(shift) => (
|
||||
<Select.Option
|
||||
key={
|
||||
shift.shift_id
|
||||
}
|
||||
value={
|
||||
shift.shift_id
|
||||
}
|
||||
>
|
||||
{
|
||||
shift.shift_name
|
||||
}
|
||||
</Select.Option>
|
||||
)
|
||||
)}
|
||||
</Select>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
) : (
|
||||
// NORMAL VIEW
|
||||
<div style={{ display: 'flex', flexDirection: 'column', justifyContent: 'space-between', height: '100%' }}>
|
||||
<div>
|
||||
<Text strong ellipsis style={{
|
||||
fontSize: '22px', display: 'inline-block', backgroundColor: '#42AAFF',
|
||||
color: '#FFFFFF', padding: '4px 8px', borderRadius: '4px', marginBottom: '8px'
|
||||
}}>{user.nama_employee}</Text>
|
||||
<Text style={{ fontSize: '18px', display: 'block' }}>{user.whatsapp}</Text>
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
flexDirection: 'column',
|
||||
justifyContent: 'space-between',
|
||||
height: '100%',
|
||||
}}
|
||||
>
|
||||
<div
|
||||
style={{
|
||||
backgroundColor: '#42AAFF',
|
||||
color: '#FFFFFF',
|
||||
padding: '9px 12px',
|
||||
borderRadius: '15px',
|
||||
marginBottom: '8px',
|
||||
}}
|
||||
>
|
||||
<Text
|
||||
strong
|
||||
style={{
|
||||
fontSize: '18px',
|
||||
color: '#FFFFFF',
|
||||
display: 'block',
|
||||
marginBottom: '4px',
|
||||
}}
|
||||
>
|
||||
{user.nama_employee}
|
||||
</Text>
|
||||
<Text
|
||||
style={{
|
||||
fontSize: '14px',
|
||||
color: '#FFFFFF',
|
||||
}}
|
||||
>
|
||||
{user.whatsapp}
|
||||
</Text>
|
||||
</div>
|
||||
<div style={{ display: 'flex', justifyContent: 'space-between', alignItems: 'flex-end' }}>
|
||||
<Text style={{ fontSize: '12px', display: 'block', lineHeight: '1.4' }}>
|
||||
<Text strong>Terakhir diperbarui</Text> <br />
|
||||
{formatRelativeTimestamp(groupedSchedules[shiftName].lastUpdate.timestamp)} <br />
|
||||
oleh {groupedSchedules[shiftName].lastUpdate.user}
|
||||
<div
|
||||
style={{
|
||||
display: 'flex',
|
||||
justifyContent: 'space-between',
|
||||
alignItems: 'flex-end',
|
||||
}}
|
||||
>
|
||||
<Text
|
||||
style={{
|
||||
fontSize: '12px',
|
||||
display: 'block',
|
||||
lineHeight: '1.4',
|
||||
}}
|
||||
>
|
||||
<Text strong>
|
||||
Terakhir diperbarui
|
||||
</Text>{' '}
|
||||
<br />
|
||||
{formatRelativeTimestamp(
|
||||
user.updated_at ||
|
||||
user.created_at ||
|
||||
new Date()
|
||||
)}{' '}
|
||||
<br />
|
||||
oleh {user.updated_by || 'N/A'}
|
||||
</Text>
|
||||
<Space>
|
||||
<Button type="text" size="small" icon={<EyeOutlined />} onClick={() => handleAction('preview', user)} style={{ color: '#1890ff', borderColor: '#1890ff' }} />
|
||||
<Button type="text" size="small" icon={<EditOutlined />} onClick={() => handleAction('edit', user)} style={{ color: '#faad14', borderColor: '#faad14' }} />
|
||||
<Button danger type="text" size="small" icon={<DeleteOutlined />} onClick={() => showDeleteDialog(user)} style={{ borderColor: '#ff4d4f' }} />
|
||||
<Button
|
||||
type="text"
|
||||
size="small"
|
||||
icon={<EyeOutlined />}
|
||||
onClick={() =>
|
||||
showPreviewModal(user)
|
||||
}
|
||||
style={{
|
||||
color: '#1890ff',
|
||||
borderColor: '#1890ff',
|
||||
}}
|
||||
title="View"
|
||||
/>
|
||||
<Button
|
||||
type="text"
|
||||
size="small"
|
||||
icon={<EditOutlined />}
|
||||
onClick={() =>
|
||||
showEditModal(user)
|
||||
}
|
||||
style={{
|
||||
color: '#faad14',
|
||||
borderColor: '#faad14',
|
||||
}}
|
||||
title="Edit"
|
||||
/>
|
||||
<Button
|
||||
danger
|
||||
type="text"
|
||||
size="small"
|
||||
icon={<DeleteOutlined />}
|
||||
onClick={() =>
|
||||
showDeleteDialog(user)
|
||||
}
|
||||
style={{
|
||||
borderColor: '#ff4d4f',
|
||||
}}
|
||||
title="Delete"
|
||||
/>
|
||||
</Space>
|
||||
</div>
|
||||
</div>
|
||||
@@ -492,14 +805,15 @@ const ListJadwalShift = memo(function ListJadwalShift(props) {
|
||||
</Card>
|
||||
))
|
||||
) : (
|
||||
<Text type="secondary" style={{ marginLeft: '16px' }}>Tidak ada karyawan yang dijadwalkan untuk shift ini.</Text>
|
||||
<Text type="secondary" style={{ marginLeft: '16px' }}>
|
||||
Tidak ada karyawan yang dijadwalkan untuk shift ini.
|
||||
</Text>
|
||||
)}
|
||||
</div>
|
||||
</div>
|
||||
))
|
||||
)}
|
||||
</div>
|
||||
</Spin>
|
||||
</Card>
|
||||
</React.Fragment>
|
||||
);
|
||||
|
||||
Reference in New Issue
Block a user