Rev 12375 | Rev 14927 | Ir a la última revisión | Autoría | Comparar con el anterior | Ultima modificación | Ver Log |
/* eslint-disable no-mixed-spaces-and-tabs */
import React, { useState, useEffect } from 'react'
import axios from 'axios'
import { Card } from 'react-bootstrap'
import { LengthFilter, SearchInput, Table, TablePagination } from '../../components/TableComponents'
import { useHistory, useRouteMatch } from 'react-router-dom'
import { addNotification } from '../../../redux/notification/notification.actions'
import { useDispatch } from 'react-redux'
import DeleteModal from '../../../shared/DeleteModal'
const headers = [
{ key: 'name', label: 'Nombre', isSorteable: true },
{ key: 'email', label: 'Correo electrónico', isSorteable: true },
{ key: 'type', label: 'Entrevistado por', isSorteable: true },
{ key: 'vacancy', label: 'Vacantes', isSorteable: true },
{ key: 'points', label: 'Evaluación', isSorteable: true },
{ key: 'actions', label: 'Acciones', isSorteable: false }
]
const TableView = ({ table_link, permisions, vacancies, setActionLink, add_link }) => {
const history = useHistory()
const { url } = useRouteMatch()
const dispatch = useDispatch()
const [showDeleteModal, setShowDeleteModal] = useState(false)
const [currentVacancy, setCurrentVacancy] = useState(vacancies[0].uuid || '')
const [deleteLink, setDeleteLink] = useState('')
const [items, setItems] = useState([])
const [total, setTotal] = useState(0)
const [search, setSearch] = useState('')
const [startItem, setStartItem] = useState(1)
const [lastItem, setLastItem] = useState(10)
const [dataLength, setDataLength] = useState(10)
const points = {
0: '0%',
1: '25%',
2: '50%',
3: '75%',
4: '100%'
}
const [pages, setPages] = useState({
current: 1,
last: 1
})
const getData = ({ url = '', params = {} }) => {
axios.get(url, { params: { ...params } })
.then(({ data }) => {
if (!data.success) {
return dispatch(addNotification({
style: 'danger',
msg: 'Ha ocurrido un error'
}))
}
setItems(data.data.items)
setTotal(data.data.total)
setPages({ ...pages, last: Math.ceil(data.data.total / dataLength) })
})
.catch(() => dispatch(addNotification({
style: 'danger',
msg: 'Ha ocurrido un error'
})))
}
useEffect(() => {
getData({
url: `${table_link}/${currentVacancy}`,
params: {
search: search,
length: dataLength,
start: pages.current
}
})
}, [search, dataLength, pages.current, currentVacancy])
useEffect(() => {
setActionLink(add_link.replace('UUID_PLACEHOLDER', currentVacancy))
}, [currentVacancy])
useEffect(() => {
if (pages.current > 1) {
setStartItem((dataLength * (pages.current - 1)) + 1)
} else {
setStartItem(1)
}
}, [pages.current])
useEffect(() => {
if (items) {
if (startItem > 1) {
setLastItem(startItem + (items.length - 1))
} else {
setLastItem(items.length)
}
}
}, [items])
return (
<>
<section className="content">
<div className="container-fluid">
<div className="row">
<div className="col-12">
<Card>
<Card.Header>
<div className="row" style={{ gap: '10px' }}>
<div className="form-group">
<label>Vacantes</label>
<select
className="form-control"
value={currentVacancy}
onChange={(e) => setCurrentVacancy(e.target.value)}
defaultValue={vacancies[0].uuid}
>
{
vacancies.map((vacancy) => (
<option key={vacancy.uuid} value={vacancy.uuid}>{vacancy.name}</option>
))
}
</select>
</div>
</div>
<div className="row justify-content-end" style={{ gap: '10px' }}>
{
permisions.allowAdd
&&
<label
className='d-flex align-items-center'
onClick={() => history.push(`${url}/add`)}
style={{ cursor: 'pointer' }}
>
<i className="fa fa-plus mr-2" />
Agregar
</label>
}
<label
className='d-flex align-items-center'
onClick={() => getData({
url: table_link,
params: {
search: search,
length: dataLength,
page: pages.current
}
})}
style={{ cursor: 'pointer' }}
>
<i className='fa fa-refresh mr-2' />
Actualizar
</label>
</div>
<div className="row justify-content-between align-items-center">
<LengthFilter onChange={(e) => setDataLength(e.target.value)} />
<SearchInput onChange={(e) => setSearch(e.target.value)} />
</div>
</Card.Header>
<Card.Body>
<div className="table-responsive">
<Table data={items} headers={headers} setData={setItems}>
{
items.map((item) => (
<tr key={item.uuid}>
<td>{`${item.first_name} ${item.last_name}`}</td>
<td>{item.email}</td>
<td>
{
item.type === 'r'
? 'Recursos Humanos'
: 'Potencial superior'
}
</td>
<td>{item.vacancy}</td>
<td>
{
points[item.points]
}
</td>
<td className='d-inline-flex align-items-center' style={{ gap: '10px' }}>
{
permisions.allowEdit
&&
<i
className='fa fa-pencil'
style={{ cursor: 'pointer' }}
onClick={() => {
setActionLink(item.actions.link_edit)
history.push(`${url}/edit`)
}}
/>
}
{
permisions.allowDelete
&&
<i
className='fa fa-trash'
onClick={() => {
setShowDeleteModal(true)
setDeleteLink(item.actions.link_delete)
}}
style={{ cursor: 'pointer' }}
/>
}
{
item.type === 'r'
&&
<a href={`/recruitment-and-selection/interview/${item.uuid}/file`} className='btn p-0'>
<i className='fa fa-external-link' style={{ cursor: 'pointer' }} />
</a>
}
{
permisions.allowFile
&&
<a href={item.actions.link_report} target='_blank' className='btn p-0' rel="noreferrer">
<i className='fa fa-file-o' style={{ cursor: 'pointer' }} />
</a>
}
</td>
</tr>
))
}
</Table>
</div>
<div className='row justify-content-between align-items-center'>
<p className='mb-0'>
{`Mostrando registros del ${startItem} al ${lastItem} de un total de ${total} registros`}
</p>
<TablePagination
onDecrement={() => setPages({ ...pages, current: pages.current - 1 })}
onIncrement={() => setPages({ ...pages, current: pages.current + 1 })}
totalPages={pages.last}
currentPage={pages.current}
/>
</div>
</Card.Body>
</Card>
</div>
</div >
</div >
</section >
<DeleteModal
url={deleteLink}
isOpen={showDeleteModal}
closeModal={() => setShowDeleteModal(false)}
title="Esta seguro de borrar esta entrevista?"
onComplete={() => setItems(items.filter((item) => item.actions.link_delete !== deleteLink))}
message="Entrevista eliminada"
/>
</>
)
}
export default TableView