PHP와 Vue를 사용하여 직원 출석 통계 분석 모듈을 구축하는 방법
출석 관리는 기업이 직원의 업무 상태와 출석 상태를 실시간으로 이해하는 데 도움이 되는 매우 중요한 부분입니다. 현대 기업 경영에서는 데이터 분석을 사용하여 직원 출석을 평가하는 것이 일반적인 관행입니다. 이 기사에서는 회사가 직원 근태를 보다 효율적으로 관리할 수 있도록 PHP와 Vue를 사용하여 직원 근태에 대한 간단하고 실용적인 통계 분석 모듈을 구축하는 방법을 소개합니다.
먼저 PHP와 Vue 설치를 포함한 개발 환경을 준비해야 합니다. PHP 및 PHP 관련 확장 기능과 도구를 설치했는지, Node.js와 Vue의 스캐폴딩 도구 Vue CLI를 설치했는지 확인하세요.
다음으로 직원 출석에 대한 통계 분석 모듈 구축을 시작했습니다. 먼저, 직원 출석 기록을 저장할 MySQL 데이터베이스 테이블을 생성해야 합니다. 테이블의 구조는 다음과 같습니다.
CREATE TABLE attendance ( id INT(11) UNSIGNED AUTO_INCREMENT PRIMARY KEY, employee_id INT(11) NOT NULL, attendance_date DATE NOT NULL, attendance_status ENUM('Present', 'Late', 'Absent') NOT NULL );
PHP에서는 PDO를 사용하여 데이터베이스에 연결하고 데이터 작업을 수행할 수 있습니다. 다음은 특정 달의 직원 출석 통계를 쿼리하기 위한 간단한 PHP 코드 예제입니다.
<?php // 数据库连接信息 $servername = "localhost"; $username = "root"; $password = "password"; $dbname = "attendance"; // 建立数据库连接 $conn = new PDO("mysql:host=$servername;dbname=$dbname", $username, $password); // 查询某个月份的考勤统计 $month = $_GET['month']; $sql = "SELECT employee_id, COUNT(*) AS total_attendance, SUM(CASE WHEN attendance_status = 'Present' THEN 1 ELSE 0 END) AS total_present, SUM(CASE WHEN attendance_status = 'Late' THEN 1 ELSE 0 END) AS total_late, SUM(CASE WHEN attendance_status = 'Absent' THEN 1 ELSE 0 END) AS total_absent FROM attendance WHERE DATE_FORMAT(attendance_date, '%Y-%m') = :month GROUP BY employee_id"; $stmt = $conn->prepare($sql); $stmt->bindParam(':month', $month); $stmt->execute(); $results = $stmt->fetchAll(PDO::FETCH_ASSOC); // 将结果转换为JSON格式返回给前端 echo json_encode($results); ?>
다음으로 직원 출석 통계를 표시하는 Vue 구성 요소를 만들어야 합니다. 다음은 특정 달의 직원 출석 통계를 표시하는 간단한 Vue 구성 요소 예입니다.
<template> <div> <h2>{{ month }} 考勤统计</h2> <table> <thead> <tr> <th>员工ID</th> <th>总出勤天数</th> <th>正常出勤天数</th> <th>迟到天数</th> <th>旷工天数</th> </tr> </thead> <tbody> <tr v-for="record in attendanceRecords" :key="record.employee_id"> <td>{{ record.employee_id }}</td> <td>{{ record.total_attendance }}</td> <td>{{ record.total_present }}</td> <td>{{ record.total_late }}</td> <td>{{ record.total_absent }}</td> </tr> </tbody> </table> </div> </template> <script> export default { data() { return { month: '2021-01', attendanceRecords: [] }; }, mounted() { this.fetchAttendanceData(this.month); }, methods: { fetchAttendanceData(month) { fetch(`/api/attendance.php?month=${month}`) .then(response => response.json()) .then(data => { this.attendanceRecords = data; }) .catch(error => { console.error(error); }); } } } </script>
위 코드 예에서는 구성 요소가 로드될 때 구성 요소를 로드하기 위해 Vue의 수명 주기 후크 기능 mounted
를 사용합니다. . 출석 데이터를 얻으려면 fetchAttendanceData
메소드를 호출하세요. fetchAttendanceData
메소드에서는 Fetch API를 사용하여 PHP의 백엔드 인터페이스에 GET 요청을 보내 데이터를 얻고, 얻은 데이터를 페이지 렌더링을 위해 attendanceRecords
에 할당합니다. . mounted
来在组件加载时调用fetchAttendanceData
方法来获取考勤数据。在fetchAttendanceData
方法中,我们使用了Fetch API发送一个GET请求到PHP的后端接口来获取数据,并将获取到的数据赋值给attendanceRecords
以供页面渲染。
我们在上述代码中使用了一个名为attendance.php
attendance.php
라는 PHP 파일을 사용합니다. 실제 프로젝트에서는 라우터(예: Laravel 또는 Symfony)를 사용하여 보다 완전한 백엔드 API를 구축할 수 있습니다. 마지막으로 다음 Vue 구성 요소를 페이지에 추가하기만 하면 됩니다. <template> <div> <h1>员工考勤统计</h1> <attendance-statistics></attendance-statistics> </div> </template> <script> import AttendanceStatistics from './components/AttendanceStatistics.vue'; export default { components: { AttendanceStatistics } } </script>
위 내용은 PHP와 Vue를 사용하여 직원 출석에 대한 통계 분석 모듈을 구축하는 방법의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!