Python项目-基于深度学习的校园人脸识别考勤体系

打印 上一主题 下一主题

主题 1007|帖子 1007|积分 3021

引言

随着人工智能技能的快速发展,深度学习在盘算机视觉领域的应用日益广泛。人脸识别作为其中的一个紧张分支,已经在安防、金融、教育等多个领域展现出巨大的应用价值。本文将详细先容如何使用Python和深度学习技能构建一个校园人脸识别考勤体系,该体系可以或许主动识别学生身份并记录考勤信息,大大提高了考勤效率,减轻了教师的工作负担。
体系概述

功能特点



  • 实时人脸检测与识别:可以或许从摄像头视频流中实时检测并识别人脸
  • 主动考勤记录:识别学生身份后主动记录考勤信息
  • 数据可视化:提供直观的考勤统计和数据分析功能
  • 管理员后台:方便教师和管理员检察和管理考勤记录
  • 用户友好界面:简洁直观的用户界面,易于操纵
技能栈



  • 编程语言:Python 3.8+
  • 深度学习框架:TensorFlow/Keras、PyTorch
  • 人脸检测与识别:dlib、face_recognition、OpenCV
  • Web框架:Flask/Django
  • 数据库:SQLite/MySQL
  • 前端技能:HTML、CSS、JavaScript、Bootstrap
体系设计

体系架构

体系采用经典的三层架构设计:

  • 表示层:用户界面,包罗学生签到界面和管理员后台
  • 业务逻辑层:核心算法实现,包罗人脸检测、特征提取和身份识别
  • 数据访问层:负责数据的存储和检索,包罗学生信息和考勤记录
数据流程


  • 摄像头捕捉实时视频流
  • 人脸检测模块从视频帧中检测人脸
  • 特征提取模块提取人脸特征
  • 身份识别模块将提取的特征与数据库中的特征进行比对
  • 考勤记录模块记录识别结果和时间信息
  • 数据分析模块生成考勤统计报表
核心技能实现

1. 人脸检测

人脸检测是整个体系的第一步,我们使用HOG(Histogram of Oriented Gradients)算法或基于深度学习的方法(如MTCNN、RetinaFace)来检测图像中的人脸。
  1. import cv2
  2. import dlib
  3. # 使用dlib的人脸检测器
  4. detector = dlib.get_frontal_face_detector()
  5. def detect_faces(image):
  6.     # 转换为灰度图
  7.     gray = cv2.cvtColor(image, cv2.COLOR_BGR2GRAY)
  8.     # 检测人脸
  9.     faces = detector(gray, 1)
  10.    
  11.     # 返回人脸位置列表
  12.     face_locations = []
  13.     for face in faces:
  14.         x, y, w, h = face.left(), face.top(), face.width(), face.height()
  15.         face_locations.append((y, x + w, y + h, x))
  16.    
  17.     return face_locations
复制代码
2. 人脸特征提取

检测到人脸后,我们需要提取人脸的特征向量,这里使用深度学习模型(如FaceNet、ArcFace)来提取高维特征。
  1. import face_recognition
  2. def extract_face_features(image, face_locations):
  3.     # 提取人脸特征
  4.     face_encodings = face_recognition.face_encodings(image, face_locations)
  5.     return face_encodings
复制代码
3. 人脸识别

将提取的特征与数据库中已存储的特征进行比对,找出最匹配的身份。
  1. def recognize_faces(face_encodings, known_face_encodings, known_face_names):
  2.     recognized_names = []
  3.    
  4.     for face_encoding in face_encodings:
  5.         # 比较人脸特征与已知特征的距离
  6.         matches = face_recognition.compare_faces(known_face_encodings, face_encoding)
  7.         name = "Unknown"
  8.         
  9.         # 找出距离最小的匹配
  10.         face_distances = face_recognition.face_distance(known_face_encodings, face_encoding)
  11.         best_match_index = np.argmin(face_distances)
  12.         
  13.         if matches[best_match_index]:
  14.             name = known_face_names[best_match_index]
  15.         
  16.         recognized_names.append(name)
  17.    
  18.     return recognized_names
复制代码
4. 考勤记录

识别到学生身份后,体系会主动记录考勤信息,包罗学生ID、姓名、时间等。
  1. import datetime
  2. import sqlite3
  3. def record_attendance(student_id, student_name):
  4.     conn = sqlite3.connect('attendance.db')
  5.     cursor = conn.cursor()
  6.    
  7.     # 获取当前时间
  8.     now = datetime.datetime.now()
  9.     date = now.strftime("%Y-%m-%d")
  10.     time = now.strftime("%H:%M:%S")
  11.    
  12.     # 插入考勤记录
  13.     cursor.execute("""
  14.         INSERT INTO attendance (student_id, student_name, date, time)
  15.         VALUES (?, ?, ?, ?)
  16.     """, (student_id, student_name, date, time))
  17.    
  18.     conn.commit()
  19.     conn.close()
复制代码
体系集成

将上述模块集成到一个完备的体系中,下面是主程序的示例代码:
  1. import cv2
  2. import numpy as np
  3. import face_recognition
  4. import os
  5. from datetime import datetime
  6. import sqlite3
  7. # 初始化数据库
  8. def init_database():
  9.     conn = sqlite3.connect('attendance.db')
  10.     cursor = conn.cursor()
  11.    
  12.     # 创建学生表
  13.     cursor.execute('''
  14.     CREATE TABLE IF NOT EXISTS students (
  15.         id INTEGER PRIMARY KEY,
  16.         student_id TEXT,
  17.         name TEXT,
  18.         face_encoding BLOB
  19.     )
  20.     ''')
  21.    
  22.     # 创建考勤记录表
  23.     cursor.execute('''
  24.     CREATE TABLE IF NOT EXISTS attendance (
  25.         id INTEGER PRIMARY KEY,
  26.         student_id TEXT,
  27.         student_name TEXT,
  28.         date TEXT,
  29.         time TEXT
  30.     )
  31.     ''')
  32.    
  33.     conn.commit()
  34.     conn.close()
  35. # 加载已知学生人脸特征
  36. def load_known_faces():
  37.     conn = sqlite3.connect('attendance.db')
  38.     cursor = conn.cursor()
  39.    
  40.     cursor.execute("SELECT student_id, name, face_encoding FROM students")
  41.     rows = cursor.fetchall()
  42.    
  43.     known_face_encodings = []
  44.     known_face_ids = []
  45.     known_face_names = []
  46.    
  47.     for row in rows:
  48.         student_id, name, face_encoding_blob = row
  49.         face_encoding = np.frombuffer(face_encoding_blob, dtype=np.float64)
  50.         
  51.         known_face_encodings.append(face_encoding)
  52.         known_face_ids.append(student_id)
  53.         known_face_names.append(name)
  54.    
  55.     conn.close()
  56.    
  57.     return known_face_encodings, known_face_ids, known_face_names
  58. # 主程序
  59. def main():
  60.     # 初始化数据库
  61.     init_database()
  62.    
  63.     # 加载已知人脸
  64.     known_face_encodings, known_face_ids, known_face_names = load_known_faces()
  65.    
  66.     # 打开摄像头
  67.     video_capture = cv2.VideoCapture(0)
  68.    
  69.     # 记录已识别的学生,避免重复记录
  70.     recognized_students = set()
  71.    
  72.     while True:
  73.         # 读取一帧视频
  74.         ret, frame = video_capture.read()
  75.         
  76.         # 缩小图像以加快处理速度
  77.         small_frame = cv2.resize(frame, (0, 0), fx=0.25, fy=0.25)
  78.         
  79.         # 将BGR转换为RGB(face_recognition使用RGB)
  80.         rgb_small_frame = small_frame[:, :, ::-1]
  81.         
  82.         # 检测人脸
  83.         face_locations = face_recognition.face_locations(rgb_small_frame)
  84.         face_encodings = face_recognition.face_encodings(rgb_small_frame, face_locations)
  85.         
  86.         face_names = []
  87.         for face_encoding in face_encodings:
  88.             # 比较人脸
  89.             matches = face_recognition.compare_faces(known_face_encodings, face_encoding)
  90.             name = "Unknown"
  91.             student_id = "Unknown"
  92.             
  93.             # 找出最匹配的人脸
  94.             face_distances = face_recognition.face_distance(known_face_encodings, face_encoding)
  95.             best_match_index = np.argmin(face_distances)
  96.             
  97.             if matches[best_match_index]:
  98.                 name = known_face_names[best_match_index]
  99.                 student_id = known_face_ids[best_match_index]
  100.                
  101.                 # 记录考勤
  102.                 if student_id not in recognized_students:
  103.                     record_attendance(student_id, name)
  104.                     recognized_students.add(student_id)
  105.             
  106.             face_names.append(name)
  107.         
  108.         # 显示结果
  109.         for (top, right, bottom, left), name in zip(face_locations, face_names):
  110.             # 放大回原始大小
  111.             top *= 4
  112.             right *= 4
  113.             bottom *= 4
  114.             left *= 4
  115.             
  116.             # 绘制人脸框
  117.             cv2.rectangle(frame, (left, top), (right, bottom), (0, 0, 255), 2)
  118.             
  119.             # 绘制名字标签
  120.             cv2.rectangle(frame, (left, bottom - 35), (right, bottom), (0, 0, 255), cv2.FILLED)
  121.             font = cv2.FONT_HERSHEY_DUPLEX
  122.             cv2.putText(frame, name, (left + 6, bottom - 6), font, 1.0, (255, 255, 255), 1)
  123.         
  124.         # 显示结果图像
  125.         cv2.imshow('Video', frame)
  126.         
  127.         # 按q退出
  128.         if cv2.waitKey(1) & 0xFF == ord('q'):
  129.             break
  130.    
  131.     # 释放资源
  132.     video_capture.release()
  133.     cv2.destroyAllWindows()
  134. if __name__ == "__main__":
  135.     main()
复制代码
Web界面实现

使用Flask框架构建Web界面,方便用户操纵和检察考勤记录。
  1. from flask import Flask, render_template, request, redirect, url_for
  2. import sqlite3
  3. import pandas as pd
  4. import matplotlib.pyplot as plt
  5. import io
  6. import base64
  7. app = Flask(__name__)
  8. @app.route('/')
  9. def index():
  10.     return render_template('index.html')
  11. @app.route('/attendance')
  12. def attendance():
  13.     conn = sqlite3.connect('attendance.db')
  14.    
  15.     # 获取考勤记录
  16.     query = """
  17.     SELECT student_id, student_name, date, time
  18.     FROM attendance
  19.     ORDER BY date DESC, time DESC
  20.     """
  21.    
  22.     df = pd.read_sql_query(query, conn)
  23.     conn.close()
  24.    
  25.     return render_template('attendance.html', records=df.to_dict('records'))
  26. @app.route('/statistics')
  27. def statistics():
  28.     conn = sqlite3.connect('attendance.db')
  29.    
  30.     # 获取考勤统计
  31.     query = """
  32.     SELECT date, COUNT(DISTINCT student_id) as count
  33.     FROM attendance
  34.     GROUP BY date
  35.     ORDER BY date
  36.     """
  37.    
  38.     df = pd.read_sql_query(query, conn)
  39.     conn.close()
  40.    
  41.     # 生成统计图表
  42.     plt.figure(figsize=(10, 6))
  43.     plt.bar(df['date'], df['count'])
  44.     plt.xlabel('日期')
  45.     plt.ylabel('出勤人数')
  46.     plt.title('每日出勤统计')
  47.     plt.xticks(rotation=45)
  48.    
  49.     # 将图表转换为base64编码
  50.     img = io.BytesIO()
  51.     plt.savefig(img, format='png')
  52.     img.seek(0)
  53.     plot_url = base64.b64encode(img.getvalue()).decode()
  54.    
  55.     return render_template('statistics.html', plot_url=plot_url)
  56. if __name__ == '__main__':
  57.     app.run(debug=True)
复制代码
体系摆设

环境配置


  • 安装必要的Python库:
  1. pip install opencv-python dlib face_recognition numpy flask pandas matplotlib
复制代码

  • 准备学生人脸数据库:
  1. def register_new_student(student_id, name, image_path):
  2.     # 加载图像
  3.     image = face_recognition.load_image_file(image_path)
  4.    
  5.     # 检测人脸
  6.     face_locations = face_recognition.face_locations(image)
  7.    
  8.     if len(face_locations) != 1:
  9.         return False, "图像中没有检测到人脸或检测到多个人脸"
  10.    
  11.     # 提取人脸特征
  12.     face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  13.    
  14.     # 将特征存入数据库
  15.     conn = sqlite3.connect('attendance.db')
  16.     cursor = conn.cursor()
  17.    
  18.     cursor.execute("""
  19.         INSERT INTO students (student_id, name, face_encoding)
  20.         VALUES (?, ?, ?)
  21.     """, (student_id, name, face_encoding.tobytes()))
  22.    
  23.     conn.commit()
  24.     conn.close()
  25.    
  26.     return True, "学生注册成功"
复制代码

  • 启动体系:
  1. python app.py
复制代码
硬件要求



  • 摄像头:支持720p或更高分辨率
  • 处置惩罚器:建议Intel Core i5或更高性能
  • 内存:至少8GB RAM
  • 存储:至少100GB可用空间(用于存储学生数据和考勤记录)
体系优化与扩展

性能优化


  • 模型压缩:使用模型量化和剪枝技能减小模型体积,提高推理速率
  • GPU加快:利用GPU进行并行盘算,加快人脸检测和识别过程
  • 批处置惩罚:同时处置惩罚多个人脸,减少模型加载和初始化时间
功能扩展


  • 活体检测:防止照片欺骗,提高体系安全性
  • 心情识别:分析学生心情,评估课堂专注度
  • 移动端应用:开辟移动应用,支持远程考勤
  • 多模态融合:联合声纹识别等多种生物特征,提高识别准确率
安全与隐私掩护

在实行人脸识别体系时,必须高度重视用户隐私和数据安全:

  • 数据加密:对存储的人脸特征和个人信息进行加密
  • 权限控制:严格控制体系访问权限,防止未授权访问
  • 数据最小化:只网络和存储必要的个人信息
  • 透明度:向用户明确说明数据网络和使用方式
  • 合规性:确保体系符合相关法律法规要求
结论

基于深度学习的校园人脸识别考勤体系是人工智能技能在教育领域的一个典范应用。通过整合盘算机视觉、深度学习和Web开辟技能,我们构建了一个高效、准确的主动考勤体系,不仅大大提高了考勤效率,还为教育管理提供了数据支持。
随着深度学习技能的不断发展,人脸识别体系的准确率和性能将进一步提升,应用场景也将更加广泛。同时,我们也需要关注体系在实际应用中可能面临的挑衅,如隐私掩护、环境顺应性等题目,不断优化和完善体系功能。
源代码

Directory Content Summary

Source Directory: ./face_attendance_system
Directory Structure

  1. face_attendance_system/
  2.   app.py
  3.   face_detection.py
  4.   README.md
  5.   requirements.txt
  6.   database/
  7.     db_setup.py
  8.     init_db.py
  9.     migrate.py
  10.     models.py
  11.   static/
  12.     css/
  13.       style.css
  14.     js/
  15.       main.js
  16.     uploads/
  17.   templates/
  18.     attendance.html
  19.     base.html
  20.     dashboard.html
  21.     edit_user.html
  22.     face_recognition_attendance.html
  23.     face_registration.html
  24.     face_registration_admin.html
  25.     index.html
  26.     login.html
  27.     register.html
  28.     user_management.html
  29.     webcam_registration.html
复制代码
File Contents

app.py

  1. import os
  2. import numpy as np
  3. import face_recognition
  4. import cv2
  5. from flask import Flask, render_template, request, redirect, url_for, flash, session, jsonify
  6. from werkzeug.utils import secure_filename
  7. import base64
  8. from datetime import datetime
  9. import json
  10. import uuid
  11. import shutil
  12. # Import database models
  13. from database.models import User, FaceEncoding, Attendance
  14. from database.db_setup import init_database
  15. # Initialize the Flask application
  16. app = Flask(__name__)
  17. app.secret_key = 'your_secret_key_here'  # Change this to a random secret key in production
  18. # Initialize database
  19. init_database()
  20. # Configure upload folder
  21. UPLOAD_FOLDER = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'static', 'uploads')
  22. if not os.path.exists(UPLOAD_FOLDER):
  23.     os.makedirs(UPLOAD_FOLDER)
  24. app.config['UPLOAD_FOLDER'] = UPLOAD_FOLDER
  25. app.config['MAX_CONTENT_LENGTH'] = 16 * 1024 * 1024  # 16MB max upload size
  26. # Allowed file extensions
  27. ALLOWED_EXTENSIONS = {'png', 'jpg', 'jpeg'}
  28. def allowed_file(filename):
  29.     """Check if file has allowed extension"""
  30.     return '.' in filename and filename.rsplit('.', 1)[1].lower() in ALLOWED_EXTENSIONS
  31. @app.route('/')
  32. def index():
  33.     """Home page route"""
  34.     if 'user_id' in session:
  35.         return redirect(url_for('dashboard'))
  36.     return render_template('index.html')
  37. @app.route('/login', methods=['GET', 'POST'])
  38. def login():
  39.     """Login route"""
  40.     if request.method == 'POST':
  41.         student_id = request.form.get('student_id')
  42.         password = request.form.get('password')
  43.         
  44.         if not student_id or not password:
  45.             flash('Please provide both student ID and password', 'danger')
  46.             return render_template('login.html')
  47.         
  48.         user = User.authenticate(student_id, password)
  49.         
  50.         if user:
  51.             session['user_id'] = user['id']
  52.             session['student_id'] = user['student_id']
  53.             session['name'] = user['name']
  54.             flash(f'Welcome back, {user["name"]}!', 'success')
  55.             return redirect(url_for('dashboard'))
  56.         else:
  57.             flash('Invalid student ID or password', 'danger')
  58.    
  59.     return render_template('login.html')
  60. @app.route('/register', methods=['GET', 'POST'])
  61. def register():
  62.     """User registration route"""
  63.     if request.method == 'POST':
  64.         student_id = request.form.get('student_id')
  65.         name = request.form.get('name')
  66.         email = request.form.get('email')
  67.         password = request.form.get('password')
  68.         confirm_password = request.form.get('confirm_password')
  69.         
  70.         # Validate input
  71.         if not all([student_id, name, email, password, confirm_password]):
  72.             flash('Please fill in all fields', 'danger')
  73.             return render_template('register.html')
  74.         
  75.         if password != confirm_password:
  76.             flash('Passwords do not match', 'danger')
  77.             return render_template('register.html')
  78.         
  79.         # Check if student ID already exists
  80.         existing_user = User.get_user_by_student_id(student_id)
  81.         if existing_user:
  82.             flash('Student ID already registered', 'danger')
  83.             return render_template('register.html')
  84.         
  85.         # Create user
  86.         user_id = User.create_user(student_id, name, email, password)
  87.         
  88.         if user_id:
  89.             flash('Registration successful! Please login.', 'success')
  90.             return redirect(url_for('login'))
  91.         else:
  92.             flash('Registration failed. Please try again.', 'danger')
  93.    
  94.     return render_template('register.html')
  95. @app.route('/logout')
  96. def logout():
  97.     """Logout route"""
  98.     session.clear()
  99.     flash('You have been logged out', 'info')
  100.     return redirect(url_for('index'))
  101. @app.route('/dashboard')
  102. def dashboard():
  103.     """User dashboard route"""
  104.     if 'user_id' not in session:
  105.         flash('Please login first', 'warning')
  106.         return redirect(url_for('login'))
  107.    
  108.     user_id = session['user_id']
  109.     user = User.get_user_by_id(user_id)
  110.    
  111.     # Get user's face encodings
  112.     face_encodings = FaceEncoding.get_face_encodings_by_user_id(user_id)
  113.     has_face_data = len(face_encodings) > 0
  114.    
  115.     # Get user's attendance records
  116.     attendance_records = Attendance.get_attendance_by_user(user_id)
  117.    
  118.     return render_template('dashboard.html',
  119.                           user=user,
  120.                           has_face_data=has_face_data,
  121.                           attendance_records=attendance_records)
  122. @app.route('/face-registration', methods=['GET', 'POST'])
  123. def face_registration():
  124.     """Face registration route"""
  125.     if 'user_id' not in session:
  126.         flash('Please login first', 'warning')
  127.         return redirect(url_for('login'))
  128.    
  129.     if request.method == 'POST':
  130.         # Check if the post request has the file part
  131.         if 'face_image' not in request.files:
  132.             flash('No file part', 'danger')
  133.             return redirect(request.url)
  134.         
  135.         file = request.files['face_image']
  136.         
  137.         # If user does not select file, browser also
  138.         # submit an empty part without filename
  139.         if file.filename == '':
  140.             flash('No selected file', 'danger')
  141.             return redirect(request.url)
  142.         
  143.         if file and allowed_file(file.filename):
  144.             # Generate a unique filename
  145.             filename = secure_filename(f"{session['student_id']}_{uuid.uuid4().hex}.jpg")
  146.             filepath = os.path.join(app.config['UPLOAD_FOLDER'], filename)
  147.             file.save(filepath)
  148.             
  149.             # Process the image for face detection
  150.             image = face_recognition.load_image_file(filepath)
  151.             face_locations = face_recognition.face_locations(image)
  152.             
  153.             if not face_locations:
  154.                 os.remove(filepath)  # Remove the file if no face is detected
  155.                 flash('No face detected in the image. Please try again.', 'danger')
  156.                 return redirect(request.url)
  157.             
  158.             if len(face_locations) > 1:
  159.                 os.remove(filepath)  # Remove the file if multiple faces are detected
  160.                 flash('Multiple faces detected in the image. Please upload an image with only your face.', 'danger')
  161.                 return redirect(request.url)
  162.             
  163.             # Extract face encoding
  164.             face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  165.             
  166.             # Save face encoding to database
  167.             encoding_id = FaceEncoding.save_face_encoding(session['user_id'], face_encoding)
  168.             
  169.             if encoding_id:
  170.                 flash('Face registered successfully!', 'success')
  171.                 return redirect(url_for('dashboard'))
  172.             else:
  173.                 flash('Failed to register face. Please try again.', 'danger')
  174.         else:
  175.             flash('Invalid file type. Please upload a JPG, JPEG or PNG image.', 'danger')
  176.    
  177.     return render_template('face_registration.html')
  178. @app.route('/webcam-registration', methods=['GET', 'POST'])
  179. def webcam_registration():
  180.     """Face registration using webcam"""
  181.     if 'user_id' not in session:
  182.         flash('Please login first', 'warning')
  183.         return redirect(url_for('login'))
  184.    
  185.     if request.method == 'POST':
  186.         # Get the base64 encoded image from the request
  187.         image_data = request.form.get('image_data')
  188.         
  189.         if not image_data:
  190.             return jsonify({'success': False, 'message': 'No image data received'})
  191.         
  192.         # Remove the data URL prefix
  193.         image_data = image_data.split(',')[1]
  194.         
  195.         # Decode the base64 image
  196.         image_bytes = base64.b64decode(image_data)
  197.         
  198.         # Generate a unique filename
  199.         filename = f"{session['student_id']}_{uuid.uuid4().hex}.jpg"
  200.         filepath = os.path.join(app.config['UPLOAD_FOLDER'], filename)
  201.         
  202.         # Save the image
  203.         with open(filepath, 'wb') as f:
  204.             f.write(image_bytes)
  205.         
  206.         # Process the image for face detection
  207.         image = face_recognition.load_image_file(filepath)
  208.         face_locations = face_recognition.face_locations(image)
  209.         
  210.         if not face_locations:
  211.             os.remove(filepath)  # Remove the file if no face is detected
  212.             return jsonify({'success': False, 'message': 'No face detected in the image. Please try again.'})
  213.         
  214.         if len(face_locations) > 1:
  215.             os.remove(filepath)  # Remove the file if multiple faces are detected
  216.             return jsonify({'success': False, 'message': 'Multiple faces detected in the image. Please ensure only your face is visible.'})
  217.         
  218.         # Extract face encoding
  219.         face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  220.         
  221.         # Save face encoding to database
  222.         encoding_id = FaceEncoding.save_face_encoding(session['user_id'], face_encoding)
  223.         
  224.         if encoding_id:
  225.             return jsonify({'success': True, 'message': 'Face registered successfully!'})
  226.         else:
  227.             os.remove(filepath)
  228.             return jsonify({'success': False, 'message': 'Failed to register face. Please try again.'})
  229.    
  230.     return render_template('webcam_registration.html')
  231. @app.route('/webcam-registration-admin', methods=['POST'])
  232. def webcam_registration_admin():
  233.     """Process webcam registration for face data"""
  234.     if 'user_id' not in session:
  235.         return jsonify({'success': False, 'message': 'Please login first'})
  236.    
  237.     # Get image data from form
  238.     image_data = request.form.get('image_data')
  239.     user_id = request.form.get('user_id')
  240.    
  241.     if not image_data:
  242.         return jsonify({'success': False, 'message': 'No image data provided'})
  243.    
  244.     # Check if user_id is provided (for admin registration)
  245.     if not user_id:
  246.         user_id = session['user_id']
  247.    
  248.     # Get user data
  249.     user = User.get_user_by_id(user_id)
  250.     if not user:
  251.         return jsonify({'success': False, 'message': 'User not found'})
  252.    
  253.     try:
  254.         # Remove header from the base64 string
  255.         image_data = image_data.split(',')[1]
  256.         
  257.         # Decode base64 string to image
  258.         image_bytes = base64.b64decode(image_data)
  259.         
  260.         # Create a temporary file to save the image
  261.         temp_filepath = os.path.join(app.config['UPLOAD_FOLDER'], f"temp_{uuid.uuid4().hex}.jpg")
  262.         with open(temp_filepath, 'wb') as f:
  263.             f.write(image_bytes)
  264.         
  265.         # Process the image for face detection
  266.         image = face_recognition.load_image_file(temp_filepath)
  267.         face_locations = face_recognition.face_locations(image)
  268.         
  269.         if not face_locations:
  270.             os.remove(temp_filepath)
  271.             return jsonify({'success': False, 'message': 'No face detected in the image. Please try again.'})
  272.         
  273.         if len(face_locations) > 1:
  274.             os.remove(temp_filepath)
  275.             return jsonify({'success': False, 'message': 'Multiple faces detected in the image. Please ensure only one face is visible.'})
  276.         
  277.         # Extract face encoding
  278.         face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  279.         
  280.         # Save face encoding to database
  281.         encoding_id = FaceEncoding.save_face_encoding(user_id, face_encoding)
  282.         
  283.         if encoding_id:
  284.             # Save the processed image with a proper filename
  285.             final_filename = secure_filename(f"{user['student_id']}_{uuid.uuid4().hex}.jpg")
  286.             final_filepath = os.path.join(app.config['UPLOAD_FOLDER'], final_filename)
  287.             shutil.copy(temp_filepath, final_filepath)
  288.             
  289.             # Remove temporary file
  290.             os.remove(temp_filepath)
  291.             
  292.             return jsonify({'success': True, 'message': 'Face registered successfully!'})
  293.         else:
  294.             os.remove(temp_filepath)
  295.             return jsonify({'success': False, 'message': 'Failed to register face. Please try again.'})
  296.    
  297.     except Exception as e:
  298.         # Clean up if there was an error
  299.         if os.path.exists(temp_filepath):
  300.             os.remove(temp_filepath)
  301.         return jsonify({'success': False, 'message': f'An error occurred: {str(e)}'})
  302. @app.route('/attendance', methods=['GET'])
  303. def attendance():
  304.     """View attendance records"""
  305.     if 'user_id' not in session:
  306.         flash('Please login first', 'warning')
  307.         return redirect(url_for('login'))
  308.    
  309.     date = request.args.get('date', datetime.now().strftime('%Y-%m-%d'))
  310.    
  311.     attendance_records = Attendance.get_attendance_by_date(date)
  312.    
  313.     return render_template('attendance.html',
  314.                           attendance_records=attendance_records,
  315.                           selected_date=date)
  316. @app.route('/check-in', methods=['GET'])
  317. def check_in():
  318.     """Manual check-in page"""
  319.     if 'user_id' not in session:
  320.         flash('Please login first', 'warning')
  321.         return redirect(url_for('login'))
  322.    
  323.     return render_template('check_in.html')
  324. @app.route('/process-check-in', methods=['POST'])
  325. def process_check_in():
  326.     """Process manual check-in"""
  327.     if 'user_id' not in session:
  328.         return jsonify({'success': False, 'message': 'Please login first'})
  329.    
  330.     user_id = session['user_id']
  331.    
  332.     # Record check-in
  333.     attendance_id = Attendance.record_check_in(user_id)
  334.    
  335.     if attendance_id:
  336.         return jsonify({'success': True, 'message': 'Check-in successful!'})
  337.     else:
  338.         return jsonify({'success': False, 'message': 'You have already checked in today'})
  339. @app.route('/check-out', methods=['POST'])
  340. def check_out():
  341.     """Process check-out"""
  342.     if 'user_id' not in session:
  343.         return jsonify({'success': False, 'message': 'Please login first'})
  344.    
  345.     user_id = session['user_id']
  346.    
  347.     # Record check-out
  348.     success = Attendance.record_check_out(user_id)
  349.    
  350.     if success:
  351.         return jsonify({'success': True, 'message': 'Check-out successful!'})
  352.     else:
  353.         return jsonify({'success': False, 'message': 'No active check-in found for today'})
  354. @app.route('/face-recognition-attendance', methods=['GET'])
  355. def face_recognition_attendance():
  356.     """Face recognition attendance page"""
  357.     if 'user_id' not in session:
  358.         flash('Please login first', 'warning')
  359.         return redirect(url_for('login'))
  360.    
  361.     return render_template('face_recognition_attendance.html')
  362. @app.route('/process-face-attendance', methods=['POST'])
  363. def process_face_attendance():
  364.     """Process face recognition attendance"""
  365.     # Get the base64 encoded image from the request
  366.     image_data = request.form.get('image_data')
  367.    
  368.     if not image_data:
  369.         return jsonify({'success': False, 'message': 'No image data received'})
  370.    
  371.     # Remove the data URL prefix
  372.     image_data = image_data.split(',')[1]
  373.    
  374.     # Decode the base64 image
  375.     image_bytes = base64.b64decode(image_data)
  376.    
  377.     # Generate a temporary filename
  378.     temp_filename = f"temp_{uuid.uuid4().hex}.jpg"
  379.     temp_filepath = os.path.join(app.config['UPLOAD_FOLDER'], temp_filename)
  380.    
  381.     # Save the image
  382.     with open(temp_filepath, 'wb') as f:
  383.         f.write(image_bytes)
  384.    
  385.     try:
  386.         # Process the image for face detection
  387.         image = face_recognition.load_image_file(temp_filepath)
  388.         face_locations = face_recognition.face_locations(image)
  389.         
  390.         if not face_locations:
  391.             return jsonify({'success': False, 'message': 'No face detected in the image. Please try again.'})
  392.         
  393.         if len(face_locations) > 1:
  394.             return jsonify({'success': False, 'message': 'Multiple faces detected. Please ensure only one person is in the frame.'})
  395.         
  396.         # Extract face encoding
  397.         face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  398.         
  399.         # Get all face encodings from database
  400.         all_encodings = FaceEncoding.get_all_face_encodings()
  401.         
  402.         if not all_encodings:
  403.             return jsonify({'success': False, 'message': 'No registered faces found in the database.'})
  404.         
  405.         # Compare with known face encodings
  406.         known_encodings = [enc['encoding'] for enc in all_encodings]
  407.         matches = face_recognition.compare_faces(known_encodings, face_encoding)
  408.         
  409.         if True in matches:
  410.             # Find the matching index
  411.             match_index = matches.index(True)
  412.             matched_user = all_encodings[match_index]
  413.             
  414.             # Record attendance
  415.             attendance_id = Attendance.record_check_in(matched_user['user_id'])
  416.             
  417.             if attendance_id:
  418.                 return jsonify({
  419.                     'success': True,
  420.                     'message': f'Welcome, {matched_user["name"]}! Your attendance has been recorded.',
  421.                     'user': {
  422.                         'name': matched_user['name'],
  423.                         'student_id': matched_user['student_id']
  424.                     }
  425.                 })
  426.             else:
  427.                 return jsonify({
  428.                     'success': True,
  429.                     'message': f'Welcome back, {matched_user["name"]}! You have already checked in today.',
  430.                     'user': {
  431.                         'name': matched_user['name'],
  432.                         'student_id': matched_user['student_id']
  433.                     }
  434.                 })
  435.         else:
  436.             return jsonify({'success': False, 'message': 'Face not recognized. Please register your face or try again.'})
  437.    
  438.     finally:
  439.         # Clean up the temporary file
  440.         if os.path.exists(temp_filepath):
  441.             os.remove(temp_filepath)
  442. @app.route('/user-management', methods=['GET'])
  443. def user_management():
  444.     """User management route for admins"""
  445.     if 'user_id' not in session:
  446.         flash('Please login first', 'warning')
  447.         return redirect(url_for('login'))
  448.    
  449.     # Check if user is admin (in a real app, you would check user role)
  450.     # For demo purposes, we'll allow all logged-in users to access this page
  451.    
  452.     # Get search query and pagination parameters
  453.     search_query = request.args.get('search', '')
  454.     page = int(request.args.get('page', 1))
  455.     per_page = 10
  456.    
  457.     # Get users based on search query
  458.     if search_query:
  459.         users = User.search_users(search_query, page, per_page)
  460.         total_users = User.count_search_results(search_query)
  461.     else:
  462.         users = User.get_all_users(page, per_page)
  463.         total_users = User.count_all_users()
  464.    
  465.     # Calculate total pages
  466.     total_pages = (total_users + per_page - 1) // per_page
  467.    
  468.     # Check if each user has face data
  469.     for user in users:
  470.         face_encodings = FaceEncoding.get_face_encodings_by_user_id(user['id'])
  471.         user['has_face_data'] = len(face_encodings) > 0
  472.    
  473.     return render_template('user_management.html',
  474.                           users=users,
  475.                           search_query=search_query,
  476.                           current_page=page,
  477.                           total_pages=total_pages)
  478. @app.route('/edit-user/<int:user_id>', methods=['GET', 'POST'])
  479. def edit_user(user_id):
  480.     """Edit user route"""
  481.     if 'user_id' not in session:
  482.         flash('Please login first', 'warning')
  483.         return redirect(url_for('login'))
  484.    
  485.     # Check if user is admin (in a real app, you would check user role)
  486.     # For demo purposes, we'll allow all logged-in users to access this page
  487.    
  488.     # Get user data
  489.     user = User.get_user_by_id(user_id)
  490.     if not user:
  491.         flash('User not found', 'danger')
  492.         return redirect(url_for('user_management'))
  493.    
  494.     # Check if user has face data
  495.     face_encodings = FaceEncoding.get_face_encodings_by_user_id(user_id)
  496.     user['has_face_data'] = len(face_encodings) > 0
  497.    
  498.     if request.method == 'POST':
  499.         student_id = request.form.get('student_id')
  500.         name = request.form.get('name')
  501.         email = request.form.get('email')
  502.         password = request.form.get('password')
  503.         role = request.form.get('role')
  504.         is_active = 'is_active' in request.form
  505.         
  506.         # Update user
  507.         success = User.update_user(user_id, student_id, name, email, password, role, is_active)
  508.         
  509.         if success:
  510.             flash('User updated successfully', 'success')
  511.             return redirect(url_for('user_management'))
  512.         else:
  513.             flash('Failed to update user', 'danger')
  514.    
  515.     return render_template('edit_user.html', user=user)
  516. @app.route('/delete-user/<int:user_id>', methods=['POST'])
  517. def delete_user(user_id):
  518.     """Delete user route"""
  519.     if 'user_id' not in session:
  520.         flash('Please login first', 'warning')
  521.         return redirect(url_for('login'))
  522.    
  523.     # Check if user is admin (in a real app, you would check user role)
  524.     # For demo purposes, we'll allow all logged-in users to access this page
  525.    
  526.     # Delete user
  527.     success = User.delete_user(user_id)
  528.    
  529.     if success:
  530.         flash('User deleted successfully', 'success')
  531.     else:
  532.         flash('Failed to delete user', 'danger')
  533.    
  534.     return redirect(url_for('user_management'))
  535. @app.route('/reset-face-data/<int:user_id>', methods=['POST'])
  536. def reset_face_data(user_id):
  537.     """Reset user's face data"""
  538.     if 'user_id' not in session:
  539.         flash('Please login first', 'warning')
  540.         return redirect(url_for('login'))
  541.    
  542.     # Check if user is admin (in a real app, you would check user role)
  543.     # For demo purposes, we'll allow all logged-in users to access this page
  544.    
  545.     # Delete face encodings
  546.     success = FaceEncoding.delete_face_encodings_by_user_id(user_id)
  547.    
  548.     if success:
  549.         flash('Face data reset successfully', 'success')
  550.     else:
  551.         flash('Failed to reset face data', 'danger')
  552.    
  553.     return redirect(url_for('edit_user', user_id=user_id))
  554. @app.route('/face-registration-admin/<int:user_id>', methods=['GET', 'POST'])
  555. def face_registration_admin(user_id):
  556.     """Face registration for admin to register user's face"""
  557.     if 'user_id' not in session:
  558.         flash('Please login first', 'warning')
  559.         return redirect(url_for('login'))
  560.    
  561.     # Check if user is admin (in a real app, you would check user role)
  562.     # For demo purposes, we'll allow all logged-in users to access this page
  563.    
  564.     # Get user data
  565.     user = User.get_user_by_id(user_id)
  566.     if not user:
  567.         flash('User not found', 'danger')
  568.         return redirect(url_for('user_management'))
  569.    
  570.     if request.method == 'POST':
  571.         # Check if the post request has the file part
  572.         if 'face_image' not in request.files:
  573.             flash('No file part', 'danger')
  574.             return redirect(request.url)
  575.         
  576.         file = request.files['face_image']
  577.         
  578.         # If user does not select file, browser also
  579.         # submit an empty part without filename
  580.         if file.filename == '':
  581.             flash('No selected file', 'danger')
  582.             return redirect(request.url)
  583.         
  584.         if file and allowed_file(file.filename):
  585.             # Generate a unique filename
  586.             filename = secure_filename(f"{user['student_id']}_{uuid.uuid4().hex}.jpg")
  587.             filepath = os.path.join(app.config['UPLOAD_FOLDER'], filename)
  588.             file.save(filepath)
  589.             
  590.             # Process the image for face detection
  591.             image = face_recognition.load_image_file(filepath)
  592.             face_locations = face_recognition.face_locations(image)
  593.             
  594.             if not face_locations:
  595.                 os.remove(filepath)  # Remove the file if no face is detected
  596.                 flash('No face detected in the image. Please try again.', 'danger')
  597.                 return redirect(request.url)
  598.             
  599.             if len(face_locations) > 1:
  600.                 os.remove(filepath)  # Remove the file if multiple faces are detected
  601.                 flash('Multiple faces detected in the image. Please upload an image with only one face.', 'danger')
  602.                 return redirect(request.url)
  603.             
  604.             # Extract face encoding
  605.             face_encoding = face_recognition.face_encodings(image, face_locations)[0]
  606.             
  607.             # Save face encoding to database
  608.             encoding_id = FaceEncoding.save_face_encoding(user_id, face_encoding)
  609.             
  610.             if encoding_id:
  611.                 flash('Face registered successfully!', 'success')
  612.                 return redirect(url_for('edit_user', user_id=user_id))
  613.             else:
  614.                 flash('Failed to register face. Please try again.', 'danger')
  615.         else:
  616.             flash('Invalid file type. Please upload a JPG, JPEG or PNG image.', 'danger')
  617.    
  618.     return render_template('face_registration_admin.html', user=user)
  619. @app.route('/detect-face', methods=['POST'])
  620. def detect_face():
  621.     """检测人脸API"""
  622.     if 'image_data' not in request.form:
  623.         return jsonify({'success': False, 'message': '未提供图像数据'})
  624.    
  625.     # 获取图像数据
  626.     image_data = request.form.get('image_data')
  627.    
  628.     try:
  629.         # 移除base64头部
  630.         if ',' in image_data:
  631.             image_data = image_data.split(',')[1]
  632.         
  633.         # 解码base64图像
  634.         image_bytes = base64.b64decode(image_data)
  635.         nparr = np.frombuffer(image_bytes, np.uint8)
  636.         image = cv2.imdecode(nparr, cv2.IMREAD_COLOR)
  637.         
  638.         # 转换为RGB(OpenCV使用BGR)
  639.         rgb_image = cv2.cvtColor(image, cv2.COLOR_BGR2RGB)
  640.         
  641.         # 检测人脸
  642.         face_locations = face_recognition.face_locations(rgb_image)
  643.         
  644.         return jsonify({
  645.             'success': True,
  646.             'message': '人脸检测完成',
  647.             'face_count': len(face_locations)
  648.         })
  649.    
  650.     except Exception as e:
  651.         app.logger.error(f"人脸检测错误: {str(e)}")
  652.         return jsonify({'success': False, 'message': f'处理图像时出错: {str(e)}'})
  653. @app.route('/recognize-face', methods=['POST'])
  654. def recognize_face():
  655.     """识别人脸API"""
  656.     if 'image_data' not in request.form:
  657.         return jsonify({'success': False, 'message': '未提供图像数据'})
  658.    
  659.     # 获取图像数据
  660.     image_data = request.form.get('image_data')
  661.    
  662.     try:
  663.         # 移除base64头部
  664.         if ',' in image_data:
  665.             image_data = image_data.split(',')[1]
  666.         
  667.         # 解码base64图像
  668.         image_bytes = base64.b64decode(image_data)
  669.         nparr = np.frombuffer(image_bytes, np.uint8)
  670.         image = cv2.imdecode(nparr, cv2.IMREAD_COLOR)
  671.         
  672.         # 转换为RGB(OpenCV使用BGR)
  673.         rgb_image = cv2.cvtColor(image, cv2.COLOR_BGR2RGB)
  674.         
  675.         # 检测人脸
  676.         face_locations = face_recognition.face_locations(rgb_image)
  677.         
  678.         if not face_locations:
  679.             return jsonify({'success': False, 'message': '未检测到人脸,请确保脸部清晰可见'})
  680.         
  681.         if len(face_locations) > 1:
  682.             return jsonify({'success': False, 'message': '检测到多个人脸,请确保画面中只有一个人脸'})
  683.         
  684.         # 提取人脸特征
  685.         face_encoding = face_recognition.face_encodings(rgb_image, face_locations)[0]
  686.         
  687.         # 加载所有已知人脸编码
  688.         known_faces = FaceEncoding.get_all_face_encodings()
  689.         
  690.         if not known_faces:
  691.             return jsonify({'success': False, 'message': '数据库中没有注册的人脸'})
  692.         
  693.         # 比较人脸
  694.         known_encodings = [face['encoding'] for face in known_faces]
  695.         matches = face_recognition.compare_faces(known_encodings, face_encoding)
  696.         face_distances = face_recognition.face_distance(known_encodings, face_encoding)
  697.         
  698.         if True in matches:
  699.             # 找到最佳匹配
  700.             best_match_index = np.argmin(face_distances)
  701.             confidence = 1 - face_distances[best_match_index]
  702.             
  703.             if confidence >= 0.6:  # 置信度阈值
  704.                 matched_user = known_faces[best_match_index]
  705.                
  706.                 # 返回识别结果
  707.                 return jsonify({
  708.                     'success': True,
  709.                     'message': f'成功识别为 {matched_user["name"]}',
  710.                     'user': {
  711.                         'user_id': matched_user['user_id'],
  712.                         'student_id': matched_user['student_id'],
  713.                         'name': matched_user['name']
  714.                     },
  715.                     'confidence': float(confidence)
  716.                 })
  717.             else:
  718.                 return jsonify({'success': False, 'message': '识别置信度过低,请重新尝试'})
  719.         else:
  720.             return jsonify({'success': False, 'message': '无法识别您的身份,请确保您已注册人脸数据'})
  721.    
  722.     except Exception as e:
  723.         app.logger.error(f"人脸识别错误: {str(e)}")
  724.         return jsonify({'success': False, 'message': f'处理图像时出错: {str(e)}'})
  725. @app.route('/record-attendance', methods=['POST'])
  726. def record_attendance():
  727.     """记录考勤API"""
  728.     if 'user_id' not in session:
  729.         return jsonify({'success': False, 'message': '请先登录'})
  730.    
  731.     # 获取请求数据
  732.     data = request.get_json()
  733.    
  734.     if not data or 'user_id' not in data:
  735.         return jsonify({'success': False, 'message': '无效的请求数据'})
  736.    
  737.     user_id = data.get('user_id')
  738.     confidence = data.get('confidence', 0)
  739.    
  740.     # 验证用户身份(确保当前登录用户只能为自己签到)
  741.     if int(session['user_id']) != int(user_id) and session.get('role') != 'admin':
  742.         return jsonify({'success': False, 'message': '无权为其他用户签到'})
  743.    
  744.     # 检查是否已经签到
  745.     today_attendance = Attendance.get_today_attendance(user_id)
  746.     if today_attendance:
  747.         return jsonify({'success': False, 'message': '今天已经签到,无需重复签到'})
  748.    
  749.     # 记录考勤
  750.     attendance_id = Attendance.record_check_in(user_id)
  751.    
  752.     if attendance_id:
  753.         # 获取用户信息
  754.         user = User.get_user_by_id(user_id)
  755.         
  756.         return jsonify({
  757.             'success': True,
  758.             'message': f'签到成功!欢迎 {user["name"]}',
  759.             'attendance_id': attendance_id,
  760.             'check_in_time': datetime.now().strftime('%Y-%m-%d %H:%M:%S')
  761.         })
  762.     else:
  763.         return jsonify({'success': False, 'message': '签到失败,请稍后重试'})
  764. @app.route('/get-recent-attendance', methods=['GET'])
  765. def get_recent_attendance():
  766.     """获取最近考勤记录API"""
  767.     if 'user_id' not in session:
  768.         return jsonify({'success': False, 'message': '请先登录'})
  769.    
  770.     # 获取最近的考勤记录(默认10条)
  771.     limit = request.args.get('limit', 10, type=int)
  772.     records = Attendance.get_recent_attendance(limit)
  773.    
  774.     return jsonify({
  775.         'success': True,
  776.         'records': records
  777.     })
  778. if __name__ == '__main__':
  779.     app.run(debug=True)
复制代码
face_detection.py

  1. import cv2
  2. import face_recognition
  3. import numpy as np
  4. import os
  5. import pickle
  6. from datetime import datetime
  7. import time
  8. import logging
  9. # 配置日志
  10. logging.basicConfig(level=logging.INFO, format='%(asctime)s - %(levelname)s - %(message)s')
  11. logger = logging.getLogger(__name__)
  12. class FaceDetector:
  13.     """人脸检测与识别类"""
  14.    
  15.     def __init__(self, model_type='hog', tolerance=0.6, known_faces=None):
  16.         """
  17.         初始化人脸检测器
  18.         
  19.         参数:
  20.             model_type (str): 使用的模型类型,'hog'(CPU)或'cnn'(GPU)
  21.             tolerance (float): 人脸匹配的容差值,越小越严格
  22.             known_faces (list): 已知人脸编码和对应用户信息的列表
  23.         """
  24.         self.model_type = model_type
  25.         self.tolerance = tolerance
  26.         self.known_faces = known_faces or []
  27.         logger.info(f"人脸检测器初始化完成,使用{model_type}模型,容差值为{tolerance}")
  28.    
  29.     def load_known_faces(self, known_faces):
  30.         """
  31.         加载已知人脸数据
  32.         
  33.         参数:
  34.             known_faces (list): 包含人脸编码和用户信息的列表
  35.         """
  36.         self.known_faces = known_faces
  37.         logger.info(f"已加载{len(known_faces)}个已知人脸")
  38.    
  39.     def detect_faces(self, image):
  40.         """
  41.         检测图像中的人脸位置
  42.         
  43.         参数:
  44.             image: 图像数据,可以是文件路径或图像数组
  45.             
  46.         返回:
  47.             list: 人脸位置列表,每个位置为(top, right, bottom, left)
  48.         """
  49.         # 如果是文件路径,加载图像
  50.         if isinstance(image, str):
  51.             if not os.path.exists(image):
  52.                 logger.error(f"图像文件不存在: {image}")
  53.                 return []
  54.             image = face_recognition.load_image_file(image)
  55.         
  56.         # 检测人脸位置
  57.         start_time = time.time()
  58.         face_locations = face_recognition.face_locations(image, model=self.model_type)
  59.         detection_time = time.time() - start_time
  60.         
  61.         logger.info(f"检测到{len(face_locations)}个人脸,耗时{detection_time:.4f}秒")
  62.         return face_locations
  63.    
  64.     def encode_faces(self, image, face_locations=None):
  65.         """
  66.         提取图像中人脸的编码特征
  67.         
  68.         参数:
  69.             image: 图像数据,可以是文件路径或图像数组
  70.             face_locations: 可选,人脸位置列表
  71.             
  72.         返回:
  73.             list: 人脸编码特征列表
  74.         """
  75.         # 如果是文件路径,加载图像
  76.         if isinstance(image, str):
  77.             if not os.path.exists(image):
  78.                 logger.error(f"图像文件不存在: {image}")
  79.                 return []
  80.             image = face_recognition.load_image_file(image)
  81.         
  82.         # 如果没有提供人脸位置,先检测人脸
  83.         if face_locations is None:
  84.             face_locations = self.detect_faces(image)
  85.         
  86.         if not face_locations:
  87.             logger.warning("未检测到人脸,无法提取特征")
  88.             return []
  89.         
  90.         # 提取人脸编码特征
  91.         start_time = time.time()
  92.         face_encodings = face_recognition.face_encodings(image, face_locations)
  93.         encoding_time = time.time() - start_time
  94.         
  95.         logger.info(f"提取了{len(face_encodings)}个人脸特征,耗时{encoding_time:.4f}秒")
  96.         return face_encodings
  97.    
  98.     def recognize_faces(self, face_encodings):
  99.         """
  100.         识别人脸,匹配已知人脸
  101.         
  102.         参数:
  103.             face_encodings: 待识别的人脸编码特征列表
  104.             
  105.         返回:
  106.             list: 识别结果列表,每个结果为(user_info, confidence)或(None, 0)
  107.         """
  108.         if not self.known_faces:
  109.             logger.warning("没有已知人脸数据,无法进行识别")
  110.             return [(None, 0) for _ in face_encodings]
  111.         
  112.         if not face_encodings:
  113.             logger.warning("没有提供人脸特征,无法进行识别")
  114.             return []
  115.         
  116.         results = []
  117.         
  118.         # 提取已知人脸的编码和用户信息
  119.         known_encodings = [face['encoding'] for face in self.known_faces]
  120.         
  121.         for face_encoding in face_encodings:
  122.             # 计算与已知人脸的距离
  123.             face_distances = face_recognition.face_distance(known_encodings, face_encoding)
  124.             
  125.             if len(face_distances) > 0:
  126.                 # 找到最小距离及其索引
  127.                 best_match_index = np.argmin(face_distances)
  128.                 best_match_distance = face_distances[best_match_index]
  129.                
  130.                 # 计算置信度(1 - 距离)
  131.                 confidence = 1 - best_match_distance
  132.                
  133.                 # 如果距离小于容差,认为匹配成功
  134.                 if best_match_distance <= self.tolerance:
  135.                     user_info = {
  136.                         'user_id': self.known_faces[best_match_index]['user_id'],
  137.                         'student_id': self.known_faces[best_match_index]['student_id'],
  138.                         'name': self.known_faces[best_match_index]['name']
  139.                     }
  140.                     results.append((user_info, confidence))
  141.                     logger.info(f"识别到用户: {user_info['name']},置信度: {confidence:.4f}")
  142.                 else:
  143.                     results.append((None, confidence))
  144.                     logger.info(f"未能识别人脸,最佳匹配置信度: {confidence:.4f},低于阈值")
  145.             else:
  146.                 results.append((None, 0))
  147.                 logger.warning("没有已知人脸数据进行比较")
  148.         
  149.         return results
  150.    
  151.     def process_image(self, image):
  152.         """
  153.         处理图像,检测、编码并识别人脸
  154.         
  155.         参数:
  156.             image: 图像数据,可以是文件路径或图像数组
  157.             
  158.         返回:
  159.             tuple: (face_locations, recognition_results)
  160.         """
  161.         # 检测人脸
  162.         face_locations = self.detect_faces(image)
  163.         
  164.         if not face_locations:
  165.             return [], []
  166.         
  167.         # 提取人脸编码
  168.         face_encodings = self.encode_faces(image, face_locations)
  169.         
  170.         # 识别人脸
  171.         recognition_results = self.recognize_faces(face_encodings)
  172.         
  173.         return face_locations, recognition_results
  174.    
  175.     def process_video_frame(self, frame):
  176.         """
  177.         处理视频帧,检测、编码并识别人脸
  178.         
  179.         参数:
  180.             frame: 视频帧图像数组
  181.             
  182.         返回:
  183.             tuple: (face_locations, recognition_results)
  184.         """
  185.         # 将BGR格式转换为RGB格式(OpenCV使用BGR,face_recognition使用RGB)
  186.         rgb_frame = cv2.cvtColor(frame, cv2.COLOR_BGR2RGB)
  187.         
  188.         # 为提高性能,可以缩小图像
  189.         small_frame = cv2.resize(rgb_frame, (0, 0), fx=0.25, fy=0.25)
  190.         
  191.         # 检测人脸
  192.         face_locations = self.detect_faces(small_frame)
  193.         
  194.         # 调整人脸位置坐标到原始尺寸
  195.         original_face_locations = []
  196.         for top, right, bottom, left in face_locations:
  197.             original_face_locations.append(
  198.                 (top * 4, right * 4, bottom * 4, left * 4)
  199.             )
  200.         
  201.         if not original_face_locations:
  202.             return [], []
  203.         
  204.         # 提取人脸编码(使用原始尺寸的图像)
  205.         face_encodings = self.encode_faces(rgb_frame, original_face_locations)
  206.         
  207.         # 识别人脸
  208.         recognition_results = self.recognize_faces(face_encodings)
  209.         
  210.         return original_face_locations, recognition_results
  211.    
  212.     def draw_results(self, image, face_locations, recognition_results):
  213.         """
  214.         在图像上绘制人脸检测和识别结果
  215.         
  216.         参数:
  217.             image: 图像数组
  218.             face_locations: 人脸位置列表
  219.             recognition_results: 识别结果列表
  220.             
  221.         返回:
  222.             image: 绘制结果后的图像
  223.         """
  224.         # 复制图像,避免修改原图
  225.         result_image = image.copy()
  226.         
  227.         # 遍历每个人脸
  228.         for i, (top, right, bottom, left) in enumerate(face_locations):
  229.             if i < len(recognition_results):
  230.                 user_info, confidence = recognition_results[i]
  231.                
  232.                 # 绘制人脸框
  233.                 if user_info:  # 识别成功
  234.                     color = (0, 255, 0)  # 绿色
  235.                 else:  # 识别失败
  236.                     color = (0, 0, 255)  # 红色
  237.                
  238.                 cv2.rectangle(result_image, (left, top), (right, bottom), color, 2)
  239.                
  240.                 # 绘制文本背景
  241.                 cv2.rectangle(result_image, (left, bottom - 35), (right, bottom), color, cv2.FILLED)
  242.                
  243.                 # 绘制文本
  244.                 if user_info:
  245.                     text = f"{user_info['name']} ({confidence:.2f})"
  246.                 else:
  247.                     text = f"Unknown ({confidence:.2f})"
  248.                
  249.                 cv2.putText(result_image, text, (left + 6, bottom - 6), cv2.FONT_HERSHEY_SIMPLEX, 0.6, (255, 255, 255), 1)
  250.         
  251.         return result_image
  252.    
  253.     @staticmethod
  254.     def save_face_image(image, face_location, output_path):
  255.         """
  256.         保存人脸图像
  257.         
  258.         参数:
  259.             image: 图像数组
  260.             face_location: 人脸位置 (top, right, bottom, left)
  261.             output_path: 输出文件路径
  262.             
  263.         返回:
  264.             bool: 是否保存成功
  265.         """
  266.         try:
  267.             top, right, bottom, left = face_location
  268.             
  269.             # 扩大人脸区域,包含更多背景
  270.             height, width = image.shape[:2]
  271.             margin = int((bottom - top) * 0.5)  # 使用人脸高度的50%作为边距
  272.             
  273.             # 确保不超出图像边界
  274.             top = max(0, top - margin)
  275.             bottom = min(height, bottom + margin)
  276.             left = max(0, left - margin)
  277.             right = min(width, right + margin)
  278.             
  279.             # 裁剪人脸区域
  280.             face_image = image[top:bottom, left:right]
  281.             
  282.             # 保存图像
  283.             cv2.imwrite(output_path, face_image)
  284.             logger.info(f"人脸图像已保存到: {output_path}")
  285.             return True
  286.         except Exception as e:
  287.             logger.error(f"保存人脸图像失败: {e}")
  288.             return False
  289. def test_face_detector():
  290.     """测试人脸检测器功能"""
  291.     # 创建人脸检测器
  292.     detector = FaceDetector()
  293.    
  294.     # 测试图像路径
  295.     test_image_path = "test_image.jpg"
  296.    
  297.     # 检测人脸
  298.     face_locations = detector.detect_faces(test_image_path)
  299.     print(f"检测到 {len(face_locations)} 个人脸")
  300.    
  301.     # 提取人脸编码
  302.     face_encodings = detector.encode_faces(test_image_path, face_locations)
  303.     print(f"提取了 {len(face_encodings)} 个人脸特征")
  304.    
  305.     # 加载图像并绘制结果
  306.     image = cv2.imread(test_image_path)
  307.     result_image = detector.draw_results(image, face_locations, [(None, 0.5) for _ in face_locations])
  308.    
  309.     # 显示结果
  310.     cv2.imshow("Face Detection Results", result_image)
  311.     cv2.waitKey(0)
  312.     cv2.destroyAllWindows()
  313. if __name__ == "__main__":
  314.     test_face_detector()
复制代码
README.md

  1. # 校园人脸识别考勤系统
  2. 基于深度学习的校园人脸识别考勤系统,使用Python、Flask、OpenCV和face_recognition库开发。
  3. ## 功能特点
  4. - 用户管理:注册、登录、编辑和删除用户
  5. - 人脸识别:通过摄像头或上传图片进行人脸识别
  6. - 考勤管理:记录和查询考勤信息
  7. - 课程管理:创建课程和管理课程考勤
  8. - 权限控制:区分管理员和普通用户权限
  9. ## 技术栈
  10. - **后端**:Python、Flask
  11. - **前端**:HTML、CSS、JavaScript、Bootstrap 5
  12. - **数据库**:SQLite
  13. - **人脸识别**:face_recognition、OpenCV
  14. - **其他**:NumPy、Pickle
  15. ## 安装指南
  16. 1. 克隆仓库
  17. ```bash
  18. git clone https://github.com/yourusername/face-attendance-system.git
  19. cd face-attendance-system
复制代码

  • 创建虚拟环境
  1. python -m venv venv
  2. source venv/bin/activate  # Windows: venv\Scripts\activate
复制代码

  • 安装依靠
  1. pip install -r requirements.txt
复制代码

  • 初始化数据库
  1. python database/init_db.py
复制代码

  • 运行应用
  1. python app.py
复制代码

  • 访问应用
    在浏览器中访问 http://localhost:5000
体系要求



  • Python 3.7+
  • 摄像头(用于人脸识别)
  • 现代浏览器(Chrome、Firefox、Edge等)
默认管理员账户



  • 学号:admin
  • 暗码:admin123
项目结构

  1. face_attendance_system/
  2. ├── app.py                  # 主应用入口
  3. ├── face_detection.py       # 人脸检测和识别模块
  4. ├── requirements.txt        # 项目依赖
  5. ├── README.md               # 项目说明
  6. ├── database/               # 数据库相关
  7. │   ├── init_db.py          # 数据库初始化
  8. │   ├── migrate.py          # 数据库迁移
  9. │   └── models.py           # 数据模型
  10. ├── static/                 # 静态资源
  11. │   ├── css/                # CSS样式
  12. │   ├── js/                 # JavaScript脚本
  13. │   └── uploads/            # 上传文件存储
  14. │       └── faces/          # 人脸图像存储
  15. └── templates/              # HTML模板
  16.     ├── base.html           # 基础模板
  17.     ├── login.html          # 登录页面
  18.     ├── register.html       # 注册页面
  19.     ├── user_management.html # 用户管理页面
  20.     ├── edit_user.html      # 编辑用户页面
  21.     ├── face_registration_admin.html # 管理员人脸注册页面
  22.     ├── webcam_registration.html # 摄像头人脸注册页面
  23.     └── face_recognition_attendance.html # 人脸识别考勤页面
复制代码
许可证

MIT License
  1. ### requirements.txt
  2. ```text/plain
  3. Flask==2.0.1
  4. Werkzeug==2.0.1
  5. Jinja2==3.0.1
  6. itsdangerous==2.0.1
  7. MarkupSafe==2.0.1
  8. numpy==1.21.0
  9. opencv-python==4.5.3.56
  10. face-recognition==1.3.0
  11. face-recognition-models==0.3.0
  12. dlib==19.22.1
  13. Pillow==8.3.1
复制代码
database\db_setup.py

  1. import sqlite3
  2. import os
  3. # Database directory
  4. DB_DIR = os.path.dirname(os.path.abspath(__file__))
  5. DB_PATH = os.path.join(DB_DIR, 'attendance.db')
  6. def init_database():
  7.     """Initialize the database with necessary tables"""
  8.     conn = sqlite3.connect(DB_PATH)
  9.     cursor = conn.cursor()
  10.    
  11.     # Create users table
  12.     cursor.execute('''
  13.     CREATE TABLE IF NOT EXISTS users (
  14.         id INTEGER PRIMARY KEY AUTOINCREMENT,
  15.         student_id TEXT UNIQUE NOT NULL,
  16.         name TEXT NOT NULL,
  17.         email TEXT UNIQUE,
  18.         password TEXT NOT NULL,
  19.         registration_date TIMESTAMP DEFAULT CURRENT_TIMESTAMP
  20.     )
  21.     ''')
  22.    
  23.     # Create face_encodings table
  24.     cursor.execute('''
  25.     CREATE TABLE IF NOT EXISTS face_encodings (
  26.         id INTEGER PRIMARY KEY AUTOINCREMENT,
  27.         user_id INTEGER NOT NULL,
  28.         encoding BLOB NOT NULL,
  29.         created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  30.         FOREIGN KEY (user_id) REFERENCES users (id)
  31.     )
  32.     ''')
  33.    
  34.     # Create attendance table
  35.     cursor.execute('''
  36.     CREATE TABLE IF NOT EXISTS attendance (
  37.         id INTEGER PRIMARY KEY AUTOINCREMENT,
  38.         user_id INTEGER NOT NULL,
  39.         check_in_time TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  40.         check_out_time TIMESTAMP,
  41.         date TEXT,
  42.         FOREIGN KEY (user_id) REFERENCES users (id)
  43.     )
  44.     ''')
  45.    
  46.     conn.commit()
  47.     conn.close()
  48.    
  49.     print("Database initialized successfully!")
  50. if __name__ == "__main__":
  51.     init_database()
复制代码
database\init_db.py

  1. import sqlite3
  2. import os
  3. # Database path
  4. DB_DIR = os.path.dirname(os.path.abspath(__file__))
  5. DB_PATH = os.path.join(DB_DIR, 'attendance.db')
  6. def init_database():
  7.     """Initialize database with required tables"""
  8.     print("Initializing database...")
  9.    
  10.     # Connect to database
  11.     conn = sqlite3.connect(DB_PATH)
  12.     cursor = conn.cursor()
  13.    
  14.     try:
  15.         # Create users table
  16.         cursor.execute('''
  17.         CREATE TABLE IF NOT EXISTS users (
  18.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  19.             student_id TEXT UNIQUE NOT NULL,
  20.             name TEXT NOT NULL,
  21.             email TEXT NOT NULL,
  22.             password TEXT NOT NULL,
  23.             registration_date TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  24.             role TEXT DEFAULT 'student',
  25.             is_active INTEGER DEFAULT 1
  26.         )
  27.         ''')
  28.         
  29.         # Create face_encodings table
  30.         cursor.execute('''
  31.         CREATE TABLE IF NOT EXISTS face_encodings (
  32.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  33.             user_id INTEGER NOT NULL,
  34.             encoding BLOB NOT NULL,
  35.             created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  36.             FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
  37.         )
  38.         ''')
  39.         
  40.         # Create attendance table
  41.         cursor.execute('''
  42.         CREATE TABLE IF NOT EXISTS attendance (
  43.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  44.             user_id INTEGER NOT NULL,
  45.             check_in_time TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  46.             check_out_time TIMESTAMP,
  47.             status TEXT DEFAULT 'present',
  48.             FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
  49.         )
  50.         ''')
  51.         
  52.         # Create courses table
  53.         cursor.execute('''
  54.         CREATE TABLE IF NOT EXISTS courses (
  55.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  56.             course_code TEXT UNIQUE NOT NULL,
  57.             course_name TEXT NOT NULL,
  58.             instructor TEXT NOT NULL,
  59.             schedule TEXT,
  60.             created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP
  61.         )
  62.         ''')
  63.         
  64.         # Create course_enrollments table
  65.         cursor.execute('''
  66.         CREATE TABLE IF NOT EXISTS course_enrollments (
  67.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  68.             course_id INTEGER NOT NULL,
  69.             user_id INTEGER NOT NULL,
  70.             enrollment_date TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  71.             FOREIGN KEY (course_id) REFERENCES courses (id) ON DELETE CASCADE,
  72.             FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE,
  73.             UNIQUE(course_id, user_id)
  74.         )
  75.         ''')
  76.         
  77.         # Create course_attendance table
  78.         cursor.execute('''
  79.         CREATE TABLE IF NOT EXISTS course_attendance (
  80.             id INTEGER PRIMARY KEY AUTOINCREMENT,
  81.             course_id INTEGER NOT NULL,
  82.             user_id INTEGER NOT NULL,
  83.             attendance_date TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  84.             status TEXT DEFAULT 'present',
  85.             FOREIGN KEY (course_id) REFERENCES courses (id) ON DELETE CASCADE,
  86.             FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
  87.         )
  88.         ''')
  89.         
  90.         # Create admin user if not exists
  91.         cursor.execute("SELECT id FROM users WHERE role = 'admin' LIMIT 1")
  92.         if not cursor.fetchone():
  93.             import hashlib
  94.             admin_password = hashlib.sha256('admin123'.encode()).hexdigest()
  95.             cursor.execute('''
  96.             INSERT INTO users (student_id, name, email, password, role)
  97.             VALUES (?, ?, ?, ?, ?)
  98.             ''', ('admin', 'System Administrator', 'admin@example.com', admin_password, 'admin'))
  99.             print("Created default admin user (student_id: admin, password: admin123)")
  100.         
  101.         conn.commit()
  102.         print("Database initialized successfully.")
  103.    
  104.     except Exception as e:
  105.         print(f"Error during initialization: {e}")
  106.         conn.rollback()
  107.    
  108.     finally:
  109.         conn.close()
  110. if __name__ == '__main__':
  111.     init_database()
复制代码
database\migrate.py

  1. import sqlite3
  2. import os
  3. import sys
  4. # Database path
  5. DB_DIR = os.path.dirname(os.path.abspath(__file__))
  6. DB_PATH = os.path.join(DB_DIR, 'attendance.db')
  7. def check_column_exists(cursor, table_name, column_name):
  8.     """Check if a column exists in a table"""
  9.     cursor.execute(f"PRAGMA table_info({table_name})")
  10.     columns = cursor.fetchall()
  11.     for column in columns:
  12.         if column[1] == column_name:
  13.             return True
  14.     return False
  15. def migrate_database():
  16.     """Migrate database to latest schema"""
  17.     print("Starting database migration...")
  18.    
  19.     # Connect to database
  20.     conn = sqlite3.connect(DB_PATH)
  21.     cursor = conn.cursor()
  22.    
  23.     try:
  24.         # Check if database exists
  25.         cursor.execute("SELECT name FROM sqlite_master WHERE type='table' AND name='users'")
  26.         if not cursor.fetchone():
  27.             print("Database not initialized. Please run init_db.py first.")
  28.             conn.close()
  29.             sys.exit(1)
  30.         
  31.         # Add role column to users table if it doesn't exist
  32.         if not check_column_exists(cursor, 'users', 'role'):
  33.             print("Adding 'role' column to users table...")
  34.             cursor.execute("ALTER TABLE users ADD COLUMN role TEXT DEFAULT 'student'")
  35.             conn.commit()
  36.             print("Added 'role' column to users table.")
  37.         
  38.         # Add is_active column to users table if it doesn't exist
  39.         if not check_column_exists(cursor, 'users', 'is_active'):
  40.             print("Adding 'is_active' column to users table...")
  41.             cursor.execute("ALTER TABLE users ADD COLUMN is_active INTEGER DEFAULT 1")
  42.             conn.commit()
  43.             print("Added 'is_active' column to users table.")
  44.         
  45.         # Check if face_encodings table has the correct schema
  46.         cursor.execute("PRAGMA table_info(face_encodings)")
  47.         columns = cursor.fetchall()
  48.         encoding_column_type = None
  49.         for column in columns:
  50.             if column[1] == 'encoding':
  51.                 encoding_column_type = column[2]
  52.                 break
  53.         
  54.         # If encoding column is not BLOB, we need to recreate the table
  55.         if encoding_column_type != 'BLOB':
  56.             print("Updating face_encodings table schema...")
  57.             
  58.             # Create a backup of the face_encodings table
  59.             cursor.execute("CREATE TABLE IF NOT EXISTS face_encodings_backup AS SELECT * FROM face_encodings")
  60.             
  61.             # Drop the original table
  62.             cursor.execute("DROP TABLE face_encodings")
  63.             
  64.             # Create the table with the correct schema
  65.             cursor.execute('''
  66.             CREATE TABLE face_encodings (
  67.                 id INTEGER PRIMARY KEY AUTOINCREMENT,
  68.                 user_id INTEGER NOT NULL,
  69.                 encoding BLOB NOT NULL,
  70.                 created_at TIMESTAMP DEFAULT CURRENT_TIMESTAMP,
  71.                 FOREIGN KEY (user_id) REFERENCES users (id) ON DELETE CASCADE
  72.             )
  73.             ''')
  74.             
  75.             # Note: We can't restore the data because the encoding format has changed
  76.             # from numpy array bytes to pickle serialized data
  77.             
  78.             print("Updated face_encodings table schema. Note: Previous face encodings have been backed up but not restored.")
  79.             print("Users will need to re-register their faces.")
  80.         
  81.         print("Database migration completed successfully.")
  82.    
  83.     except Exception as e:
  84.         print(f"Error during migration: {e}")
  85.         conn.rollback()
  86.    
  87.     finally:
  88.         conn.close()
  89. if __name__ == '__main__':
  90.     migrate_database()
复制代码
database\models.py

  1. import sqlite3
  2. import os
  3. import numpy as np
  4. import hashlib
  5. import pickle
  6. from datetime import datetime
  7. # Database path
  8. DB_DIR = os.path.dirname(os.path.abspath(__file__))
  9. DB_PATH = os.path.join(DB_DIR, 'attendance.db')
  10. class User:
  11.     """User model for handling user-related database operations"""
  12.    
  13.     @staticmethod
  14.     def create_user(student_id, name, email, password):
  15.         """Create a new user"""
  16.         conn = sqlite3.connect(DB_PATH)
  17.         cursor = conn.cursor()
  18.         
  19.         # Hash the password
  20.         hashed_password = hashlib.sha256(password.encode()).hexdigest()
  21.         
  22.         try:
  23.             cursor.execute('''
  24.             INSERT INTO users (student_id, name, email, password)
  25.             VALUES (?, ?, ?, ?)
  26.             ''', (student_id, name, email, hashed_password))
  27.             
  28.             conn.commit()
  29.             user_id = cursor.lastrowid
  30.             conn.close()
  31.             
  32.             return user_id
  33.         except sqlite3.IntegrityError:
  34.             conn.close()
  35.             return None
  36.    
  37.     @staticmethod
  38.     def get_user_by_id(user_id):
  39.         """Get user by ID"""
  40.         conn = sqlite3.connect(DB_PATH)
  41.         cursor = conn.cursor()
  42.         
  43.         cursor.execute('''
  44.         SELECT id, student_id, name, email, registration_date, role, is_active
  45.         FROM users
  46.         WHERE id = ?
  47.         ''', (user_id,))
  48.         
  49.         user = cursor.fetchone()
  50.         conn.close()
  51.         
  52.         if user:
  53.             return {
  54.                 'id': user[0],
  55.                 'student_id': user[1],
  56.                 'name': user[2],
  57.                 'email': user[3],
  58.                 'registration_date': user[4],
  59.                 'role': user[5] if len(user) > 5 else 'student',
  60.                 'is_active': bool(user[6]) if len(user) > 6 else True
  61.             }
  62.         return None
  63.    
  64.     @staticmethod
  65.     def get_user_by_student_id(student_id):
  66.         """Get user by student ID"""
  67.         conn = sqlite3.connect(DB_PATH)
  68.         cursor = conn.cursor()
  69.         
  70.         cursor.execute('''
  71.         SELECT id, student_id, name, email, registration_date, role, is_active
  72.         FROM users
  73.         WHERE student_id = ?
  74.         ''', (student_id,))
  75.         
  76.         user = cursor.fetchone()
  77.         conn.close()
  78.         
  79.         if user:
  80.             return {
  81.                 'id': user[0],
  82.                 'student_id': user[1],
  83.                 'name': user[2],
  84.                 'email': user[3],
  85.                 'registration_date': user[4],
  86.                 'role': user[5] if len(user) > 5 else 'student',
  87.                 'is_active': bool(user[6]) if len(user) > 6 else True
  88.             }
  89.         return None
  90.    
  91.     @staticmethod
  92.     def authenticate(student_id, password):
  93.         """Authenticate a user"""
  94.         conn = sqlite3.connect(DB_PATH)
  95.         cursor = conn.cursor()
  96.         
  97.         # Hash the password
  98.         hashed_password = hashlib.sha256(password.encode()).hexdigest()
  99.         
  100.         cursor.execute('''
  101.         SELECT id, student_id, name, email, registration_date, role, is_active
  102.         FROM users
  103.         WHERE student_id = ? AND password = ?
  104.         ''', (student_id, hashed_password))
  105.         
  106.         user = cursor.fetchone()
  107.         conn.close()
  108.         
  109.         if user:
  110.             return {
  111.                 'id': user[0],
  112.                 'student_id': user[1],
  113.                 'name': user[2],
  114.                 'email': user[3],
  115.                 'registration_date': user[4],
  116.                 'role': user[5] if len(user) > 5 else 'student',
  117.                 'is_active': bool(user[6]) if len(user) > 6 else True
  118.             }
  119.         return None
  120.    
  121.     @staticmethod
  122.     def get_all_users(page=1, per_page=10):
  123.         """Get all users"""
  124.         conn = sqlite3.connect(DB_PATH)
  125.         cursor = conn.cursor()
  126.         
  127.         offset = (page - 1) * per_page
  128.         cursor.execute('''
  129.         SELECT id, student_id, name, email, registration_date, role, is_active
  130.         FROM users
  131.         ORDER BY id DESC
  132.         LIMIT ? OFFSET ?
  133.         ''', (per_page, offset))
  134.         
  135.         users = cursor.fetchall()
  136.         conn.close()
  137.         
  138.         result = []
  139.         for user in users:
  140.             result.append({
  141.                 'id': user[0],
  142.                 'student_id': user[1],
  143.                 'name': user[2],
  144.                 'email': user[3],
  145.                 'registration_date': user[4],
  146.                 'role': user[5] if len(user) > 5 else 'student',
  147.                 'is_active': bool(user[6]) if len(user) > 6 else True
  148.             })
  149.         
  150.         return result
  151.    
  152.     @staticmethod
  153.     def count_all_users():
  154.         """Count all users"""
  155.         conn = sqlite3.connect(DB_PATH)
  156.         cursor = conn.cursor()
  157.         
  158.         cursor.execute('''
  159.         SELECT COUNT(*)
  160.         FROM users
  161.         ''')
  162.         
  163.         count = cursor.fetchone()[0]
  164.         conn.close()
  165.         
  166.         return count
  167.    
  168.     @staticmethod
  169.     def search_users(query, page=1, per_page=10):
  170.         """Search users"""
  171.         conn = sqlite3.connect(DB_PATH)
  172.         cursor = conn.cursor()
  173.         
  174.         offset = (page - 1) * per_page
  175.         search_query = f"%{query}%"
  176.         cursor.execute('''
  177.         SELECT id, student_id, name, email, registration_date, role, is_active
  178.         FROM users
  179.         WHERE student_id LIKE ? OR name LIKE ?
  180.         ORDER BY id DESC
  181.         LIMIT ? OFFSET ?
  182.         ''', (search_query, search_query, per_page, offset))
  183.         
  184.         users = cursor.fetchall()
  185.         conn.close()
  186.         
  187.         result = []
  188.         for user in users:
  189.             result.append({
  190.                 'id': user[0],
  191.                 'student_id': user[1],
  192.                 'name': user[2],
  193.                 'email': user[3],
  194.                 'registration_date': user[4],
  195.                 'role': user[5] if len(user) > 5 else 'student',
  196.                 'is_active': bool(user[6]) if len(user) > 6 else True
  197.             })
  198.         
  199.         return result
  200.    
  201.     @staticmethod
  202.     def count_search_results(query):
  203.         """Count search results"""
  204.         conn = sqlite3.connect(DB_PATH)
  205.         cursor = conn.cursor()
  206.         
  207.         search_query = f"%{query}%"
  208.         cursor.execute('''
  209.         SELECT COUNT(*)
  210.         FROM users
  211.         WHERE student_id LIKE ? OR name LIKE ?
  212.         ''', (search_query, search_query))
  213.         
  214.         count = cursor.fetchone()[0]
  215.         conn.close()
  216.         
  217.         return count
  218.    
  219.     @staticmethod
  220.     def update_user(user_id, student_id, name, email, password=None, role='student', is_active=True):
  221.         """Update user"""
  222.         conn = sqlite3.connect(DB_PATH)
  223.         cursor = conn.cursor()
  224.         
  225.         try:
  226.             if password:
  227.                 hashed_password = hashlib.sha256(password.encode()).hexdigest()
  228.                 cursor.execute('''
  229.                 UPDATE users
  230.                 SET student_id = ?, name = ?, email = ?, password = ?, role = ?, is_active = ?
  231.                 WHERE id = ?
  232.                 ''', (student_id, name, email, hashed_password, role, is_active, user_id))
  233.             else:
  234.                 cursor.execute('''
  235.                 UPDATE users
  236.                 SET student_id = ?, name = ?, email = ?, role = ?, is_active = ?
  237.                 WHERE id = ?
  238.                 ''', (student_id, name, email, role, is_active, user_id))
  239.             
  240.             conn.commit()
  241.             return True
  242.         except Exception as e:
  243.             print(f"Error updating user: {e}")
  244.             return False
  245.    
  246.     @staticmethod
  247.     def delete_user(user_id):
  248.         """Delete user"""
  249.         conn = sqlite3.connect(DB_PATH)
  250.         cursor = conn.cursor()
  251.         
  252.         try:
  253.             # Delete user's face encodings
  254.             cursor.execute('''
  255.             DELETE FROM face_encodings
  256.             WHERE user_id = ?
  257.             ''', (user_id,))
  258.             
  259.             # Delete user's attendance records
  260.             cursor.execute('''
  261.             DELETE FROM attendance
  262.             WHERE user_id = ?
  263.             ''', (user_id,))
  264.             
  265.             # Delete user
  266.             cursor.execute('''
  267.             DELETE FROM users
  268.             WHERE id = ?
  269.             ''', (user_id,))
  270.             
  271.             conn.commit()
  272.             return True
  273.         except Exception as e:
  274.             print(f"Error deleting user: {e}")
  275.             return False
  276. class FaceEncoding:
  277.     """Face encoding model for handling face-related database operations"""
  278.    
  279.     @staticmethod
  280.     def save_face_encoding(user_id, face_encoding):
  281.         """Save a face encoding for a user"""
  282.         conn = sqlite3.connect(DB_PATH)
  283.         cursor = conn.cursor()
  284.         
  285.         # Convert numpy array to bytes for storage
  286.         encoding_bytes = pickle.dumps(face_encoding)
  287.         
  288.         cursor.execute('''
  289.         INSERT INTO face_encodings (user_id, encoding)
  290.         VALUES (?, ?)
  291.         ''', (user_id, encoding_bytes))
  292.         
  293.         conn.commit()
  294.         encoding_id = cursor.lastrowid
  295.         conn.close()
  296.         
  297.         return encoding_id
  298.    
  299.     @staticmethod
  300.     def get_face_encodings_by_user_id(user_id):
  301.         """Get face encodings for a specific user"""
  302.         conn = sqlite3.connect(DB_PATH)
  303.         cursor = conn.cursor()
  304.         
  305.         cursor.execute('''
  306.         SELECT id, user_id, encoding
  307.         FROM face_encodings
  308.         WHERE user_id = ?
  309.         ''', (user_id,))
  310.         
  311.         encodings = cursor.fetchall()
  312.         conn.close()
  313.         
  314.         result = []
  315.         for encoding in encodings:
  316.             # Convert bytes back to numpy array
  317.             face_encoding = pickle.loads(encoding[2])
  318.             result.append({
  319.                 'id': encoding[0],
  320.                 'user_id': encoding[1],
  321.                 'encoding': face_encoding
  322.             })
  323.         
  324.         return result
  325.    
  326.     @staticmethod
  327.     def get_all_face_encodings():
  328.         """Get all face encodings with user information"""
  329.         conn = sqlite3.connect(DB_PATH)
  330.         cursor = conn.cursor()
  331.         
  332.         cursor.execute('''
  333.         SELECT f.id, f.user_id, f.encoding, u.student_id, u.name
  334.         FROM face_encodings f
  335.         JOIN users u ON f.user_id = u.id
  336.         ''')
  337.         
  338.         encodings = cursor.fetchall()
  339.         conn.close()
  340.         
  341.         result = []
  342.         for encoding in encodings:
  343.             # Convert bytes back to numpy array
  344.             face_encoding = pickle.loads(encoding[2])
  345.             result.append({
  346.                 'id': encoding[0],
  347.                 'user_id': encoding[1],
  348.                 'encoding': face_encoding,
  349.                 'student_id': encoding[3],
  350.                 'name': encoding[4]
  351.             })
  352.         
  353.         return result
  354.    
  355.     @staticmethod
  356.     def delete_face_encodings_by_user_id(user_id):
  357.         """Delete face encodings for a specific user"""
  358.         conn = sqlite3.connect(DB_PATH)
  359.         cursor = conn.cursor()
  360.         
  361.         try:
  362.             cursor.execute('''
  363.             DELETE FROM face_encodings
  364.             WHERE user_id = ?
  365.             ''', (user_id,))
  366.             
  367.             conn.commit()
  368.             return True
  369.         except Exception as e:
  370.             print(f"Error deleting face encodings: {e}")
  371.             return False
  372. class Attendance:
  373.     """Attendance model for handling attendance-related database operations"""
  374.    
  375.     @staticmethod
  376.     def record_check_in(user_id):
  377.         """Record attendance check-in"""
  378.         conn = sqlite3.connect(DB_PATH)
  379.         cursor = conn.cursor()
  380.         
  381.         today = datetime.now().strftime('%Y-%m-%d')
  382.         
  383.         # Check if user already checked in today
  384.         cursor.execute('''
  385.         SELECT id FROM attendance
  386.         WHERE user_id = ? AND date = ? AND check_out_time IS NULL
  387.         ''', (user_id, today))
  388.         
  389.         existing = cursor.fetchone()
  390.         
  391.         if existing:
  392.             conn.close()
  393.             return False
  394.         
  395.         cursor.execute('''
  396.         INSERT INTO attendance (user_id, date)
  397.         VALUES (?, ?)
  398.         ''', (user_id, today))
  399.         
  400.         conn.commit()
  401.         attendance_id = cursor.lastrowid
  402.         conn.close()
  403.         
  404.         return attendance_id
  405.    
  406.     @staticmethod
  407.     def record_check_out(user_id):
  408.         """Record attendance check-out"""
  409.         conn = sqlite3.connect(DB_PATH)
  410.         cursor = conn.cursor()
  411.         
  412.         today = datetime.now().strftime('%Y-%m-%d')
  413.         now = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
  414.         
  415.         cursor.execute('''
  416.         UPDATE attendance
  417.         SET check_out_time = ?
  418.         WHERE user_id = ? AND date = ? AND check_out_time IS NULL
  419.         ''', (now, user_id, today))
  420.         
  421.         affected = cursor.rowcount
  422.         conn.commit()
  423.         conn.close()
  424.         
  425.         return affected > 0
  426.    
  427.     @staticmethod
  428.     def get_attendance_by_date(date):
  429.         """Get attendance records for a specific date"""
  430.         conn = sqlite3.connect(DB_PATH)
  431.         cursor = conn.cursor()
  432.         
  433.         cursor.execute('''
  434.         SELECT a.id, a.user_id, u.student_id, u.name, a.check_in_time, a.check_out_time
  435.         FROM attendance a
  436.         JOIN users u ON a.user_id = u.id
  437.         WHERE a.date = ?
  438.         ORDER BY a.check_in_time DESC
  439.         ''', (date,))
  440.         
  441.         records = cursor.fetchall()
  442.         conn.close()
  443.         
  444.         result = []
  445.         for record in records:
  446.             result.append({
  447.                 'id': record[0],
  448.                 'user_id': record[1],
  449.                 'student_id': record[2],
  450.                 'name': record[3],
  451.                 'check_in_time': record[4],
  452.                 'check_out_time': record[5]
  453.             })
  454.         
  455.         return result
  456.    
  457.     @staticmethod
  458.     def get_attendance_by_user(user_id):
  459.         """Get attendance records for a specific user"""
  460.         conn = sqlite3.connect(DB_PATH)
  461.         cursor = conn.cursor()
  462.         
  463.         cursor.execute('''
  464.         SELECT id, date, check_in_time, check_out_time
  465.         FROM attendance
  466.         WHERE user_id = ?
  467.         ORDER BY date DESC, check_in_time DESC
  468.         ''', (user_id,))
  469.         
  470.         records = cursor.fetchall()
  471.         conn.close()
  472.         
  473.         result = []
  474.         for record in records:
  475.             result.append({
  476.                 'id': record[0],
  477.                 'date': record[1],
  478.                 'check_in_time': record[2],
  479.                 'check_out_time': record[3]
  480.             })
  481.         
  482.         return result
  483.    
  484.     @staticmethod
  485.     def get_today_attendance(user_id):
  486.         """Get user's attendance for today"""
  487.         conn = sqlite3.connect(DB_PATH)
  488.         cursor = conn.cursor()
  489.         
  490.         # Get today's date (format: YYYY-MM-DD)
  491.         today = datetime.now().strftime('%Y-%m-%d')
  492.         
  493.         cursor.execute('''
  494.         SELECT id, user_id, check_in_time, check_out_time, status
  495.         FROM attendance
  496.         WHERE user_id = ? AND date(check_in_time) = ?
  497.         ''', (user_id, today))
  498.         
  499.         attendance = cursor.fetchone()
  500.         conn.close()
  501.         
  502.         if attendance:
  503.             return {
  504.                 'id': attendance[0],
  505.                 'user_id': attendance[1],
  506.                 'check_in_time': attendance[2],
  507.                 'check_out_time': attendance[3],
  508.                 'status': attendance[4]
  509.             }
  510.         return None
  511.    
  512.     @staticmethod
  513.     def get_recent_attendance(limit=10):
  514.         """Get recent attendance records"""
  515.         conn = sqlite3.connect(DB_PATH)
  516.         cursor = conn.cursor()
  517.         
  518.         cursor.execute('''
  519.         SELECT a.id, a.user_id, a.check_in_time, a.status, u.student_id, u.name
  520.         FROM attendance a
  521.         JOIN users u ON a.user_id = u.id
  522.         ORDER BY a.check_in_time DESC
  523.         LIMIT ?
  524.         ''', (limit,))
  525.         
  526.         attendances = cursor.fetchall()
  527.         conn.close()
  528.         
  529.         result = []
  530.         for attendance in attendances:
  531.             result.append({
  532.                 'id': attendance[0],
  533.                 'user_id': attendance[1],
  534.                 'check_in_time': attendance[2],
  535.                 'status': attendance[3],
  536.                 'student_id': attendance[4],
  537.                 'name': attendance[5]
  538.             })
  539.         
  540.         return result
复制代码
static\css\style.css

  1. /* 全局样式 */
  2. body {
  3.     background-color: #f8f9fa;
  4.     font-family: 'Segoe UI', Tahoma, Geneva, Verdana, sans-serif;
  5. }
  6. /* 导航栏样式 */
  7. .navbar {
  8.     box-shadow: 0 2px 4px rgba(0, 0, 0, 0.1);
  9. }
  10. .navbar-brand {
  11.     font-weight: 600;
  12. }
  13. /* 卡片样式 */
  14. .card {
  15.     border: none;
  16.     border-radius: 10px;
  17.     overflow: hidden;
  18.     margin-bottom: 20px;
  19.     transition: transform 0.3s, box-shadow 0.3s;
  20. }
  21. .card:hover {
  22.     transform: translateY(-5px);
  23.     box-shadow: 0 10px 20px rgba(0, 0, 0, 0.1);
  24. }
  25. .card-header {
  26.     font-weight: 600;
  27.     border-bottom: none;
  28. }
  29. /* 按钮样式 */
  30. .btn {
  31.     border-radius: 5px;
  32.     font-weight: 500;
  33.     padding: 8px 16px;
  34.     transition: all 0.3s;
  35. }
  36. .btn-primary {
  37.     background-color: #4e73df;
  38.     border-color: #4e73df;
  39. }
  40. .btn-primary:hover {
  41.     background-color: #2e59d9;
  42.     border-color: #2e59d9;
  43. }
  44. .btn-success {
  45.     background-color: #1cc88a;
  46.     border-color: #1cc88a;
  47. }
  48. .btn-success:hover {
  49.     background-color: #17a673;
  50.     border-color: #17a673;
  51. }
  52. .btn-info {
  53.     background-color: #36b9cc;
  54.     border-color: #36b9cc;
  55. }
  56. .btn-info:hover {
  57.     background-color: #2c9faf;
  58.     border-color: #2c9faf;
  59. }
  60. /* 表单样式 */
  61. .form-control {
  62.     border-radius: 5px;
  63.     padding: 10px 15px;
  64.     border: 1px solid #d1d3e2;
  65. }
  66. .form-control:focus {
  67.     border-color: #4e73df;
  68.     box-shadow: 0 0 0 0.25rem rgba(78, 115, 223, 0.25);
  69. }
  70. .input-group-text {
  71.     background-color: #f8f9fc;
  72.     border: 1px solid #d1d3e2;
  73. }
  74. /* 摄像头容器 */
  75. #camera-container, #captured-container {
  76.     position: relative;
  77.     width: 100%;
  78.     max-width: 640px;
  79.     margin: 0 auto;
  80.     border-radius: 10px;
  81.     overflow: hidden;
  82. }
  83. #webcam, #captured-image {
  84.     width: 100%;
  85.     height: auto;
  86.     border-radius: 10px;
  87. }
  88. /* 考勤信息样式 */
  89. #attendance-info, #recognition-result {
  90.     transition: all 0.3s ease;
  91. }
  92. /* 动画效果 */
  93. .fade-in {
  94.     animation: fadeIn 0.5s;
  95. }
  96. @keyframes fadeIn {
  97.     from { opacity: 0; }
  98.     to { opacity: 1; }
  99. }
  100. /* 响应式调整 */
  101. @media (max-width: 768px) {
  102.     .card-body {
  103.         padding: 1rem;
  104.     }
  105.    
  106.     .btn {
  107.         padding: 6px 12px;
  108.     }
  109. }
  110. /* 页脚样式 */
  111. footer {
  112.     margin-top: 3rem;
  113.     padding: 1.5rem 0;
  114.     color: #6c757d;
  115.     border-top: 1px solid #e3e6f0;
  116. }
复制代码
static\js\main.js

  1. // 全局工具函数
  2. // 格式化日期时间
  3. function formatDateTime(dateString) {
  4.     const date = new Date(dateString);
  5.     return date.toLocaleString();
  6. }
  7. // 格式化日期
  8. function formatDate(dateString) {
  9.     const date = new Date(dateString);
  10.     return date.toLocaleDateString();
  11. }
  12. // 格式化时间
  13. function formatTime(dateString) {
  14.     const date = new Date(dateString);
  15.     return date.toLocaleTimeString();
  16. }
  17. // 显示加载中状态
  18. function showLoading(element, message = '加载中...') {
  19.     element.innerHTML = `
  20.         <div class="text-center py-4">
  21.             <div class="spinner-border text-primary" role="status">
  22.                 <span class="visually-hidden">Loading...</span>
  23.             </div>
  24.             <p class="mt-2">${message}</p>
  25.         </div>
  26.     `;
  27. }
  28. // 显示错误消息
  29. function showError(element, message) {
  30.     element.innerHTML = `
  31.         <div class="alert alert-danger" role="alert">
  32.             <i class="fas fa-exclamation-circle me-2"></i>${message}
  33.         </div>
  34.     `;
  35. }
  36. // 显示成功消息
  37. function showSuccess(element, message) {
  38.     element.innerHTML = `
  39.         <div class="alert alert-success" role="alert">
  40.             <i class="fas fa-check-circle me-2"></i>${message}
  41.         </div>
  42.     `;
  43. }
  44. // 显示警告消息
  45. function showWarning(element, message) {
  46.     element.innerHTML = `
  47.         <div class="alert alert-warning" role="alert">
  48.             <i class="fas fa-exclamation-triangle me-2"></i>${message}
  49.         </div>
  50.     `;
  51. }
  52. // 显示信息消息
  53. function showInfo(element, message) {
  54.     element.innerHTML = `
  55.         <div class="alert alert-info" role="alert">
  56.             <i class="fas fa-info-circle me-2"></i>${message}
  57.         </div>
  58.     `;
  59. }
  60. // 复制文本到剪贴板
  61. function copyToClipboard(text) {
  62.     const textarea = document.createElement('textarea');
  63.     textarea.value = text;
  64.     document.body.appendChild(textarea);
  65.     textarea.select();
  66.     document.execCommand('copy');
  67.     document.body.removeChild(textarea);
  68. }
  69. // 防抖函数
  70. function debounce(func, wait) {
  71.     let timeout;
  72.     return function(...args) {
  73.         const context = this;
  74.         clearTimeout(timeout);
  75.         timeout = setTimeout(() => func.apply(context, args), wait);
  76.     };
  77. }
  78. // 节流函数
  79. function throttle(func, limit) {
  80.     let inThrottle;
  81.     return function(...args) {
  82.         const context = this;
  83.         if (!inThrottle) {
  84.             func.apply(context, args);
  85.             inThrottle = true;
  86.             setTimeout(() => inThrottle = false, limit);
  87.         }
  88.     };
  89. }
  90. // 文档就绪事件
  91. document.addEventListener('DOMContentLoaded', function() {
  92.     // 初始化工具提示
  93.     const tooltipTriggerList = [].slice.call(document.querySelectorAll('[data-bs-toggle="tooltip"]'));
  94.     tooltipTriggerList.map(function(tooltipTriggerEl) {
  95.         return new bootstrap.Tooltip(tooltipTriggerEl);
  96.     });
  97.    
  98.     // 初始化弹出框
  99.     const popoverTriggerList = [].slice.call(document.querySelectorAll('[data-bs-toggle="popover"]'));
  100.     popoverTriggerList.map(function(popoverTriggerEl) {
  101.         return new bootstrap.Popover(popoverTriggerEl);
  102.     });
  103.    
  104.     // 处理闪现消息自动消失
  105.     const flashMessages = document.querySelectorAll('.alert-dismissible');
  106.     flashMessages.forEach(function(message) {
  107.         setTimeout(function() {
  108.             const alert = bootstrap.Alert.getInstance(message);
  109.             if (alert) {
  110.                 alert.close();
  111.             } else {
  112.                 message.classList.add('fade');
  113.                 setTimeout(() => message.remove(), 500);
  114.             }
  115.         }, 5000);
  116.     });
  117.    
  118.     // 处理表单验证
  119.     const forms = document.querySelectorAll('.needs-validation');
  120.     Array.from(forms).forEach(function(form) {
  121.         form.addEventListener('submit', function(event) {
  122.             if (!form.checkValidity()) {
  123.                 event.preventDefault();
  124.                 event.stopPropagation();
  125.             }
  126.             form.classList.add('was-validated');
  127.         }, false);
  128.     });
  129.    
  130.     // 处理返回顶部按钮
  131.     const backToTopButton = document.getElementById('back-to-top');
  132.     if (backToTopButton) {
  133.         window.addEventListener('scroll', function() {
  134.             if (window.pageYOffset > 300) {
  135.                 backToTopButton.classList.add('show');
  136.             } else {
  137.                 backToTopButton.classList.remove('show');
  138.             }
  139.         });
  140.         
  141.         backToTopButton.addEventListener('click', function() {
  142.             window.scrollTo({
  143.                 top: 0,
  144.                 behavior: 'smooth'
  145.             });
  146.         });
  147.     }
  148.    
  149.     // 处理侧边栏切换
  150.     const sidebarToggle = document.getElementById('sidebar-toggle');
  151.     if (sidebarToggle) {
  152.         sidebarToggle.addEventListener('click', function() {
  153.             document.body.classList.toggle('sidebar-collapsed');
  154.             localStorage.setItem('sidebar-collapsed', document.body.classList.contains('sidebar-collapsed'));
  155.         });
  156.         
  157.         // 从本地存储恢复侧边栏状态
  158.         if (localStorage.getItem('sidebar-collapsed') === 'true') {
  159.             document.body.classList.add('sidebar-collapsed');
  160.         }
  161.     }
  162.    
  163.     // 处理暗黑模式切换
  164.     const darkModeToggle = document.getElementById('dark-mode-toggle');
  165.     if (darkModeToggle) {
  166.         darkModeToggle.addEventListener('click', function() {
  167.             document.body.classList.toggle('dark-mode');
  168.             localStorage.setItem('dark-mode', document.body.classList.contains('dark-mode'));
  169.         });
  170.         
  171.         // 从本地存储恢复暗黑模式状态
  172.         if (localStorage.getItem('dark-mode') === 'true') {
  173.             document.body.classList.add('dark-mode');
  174.         }
  175.     }
  176. });
复制代码
templates\attendance.html

  1. {% extends 'base.html' %}
  2. {% block title %}考勤记录 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="card shadow">
  5.     <div class="card-header bg-primary text-white">
  6.         <h4 class="mb-0"><i class="fas fa-clipboard-list me-2"></i>考勤记录</h4>
  7.     </div>
  8.     <div class="card-body">
  9.         <div class="row mb-4">
  10.             <div class="col-md-6">
  11.                 <form method="GET" action="{{ url_for('attendance') }}" class="d-flex">
  12.                     <input type="date" class="form-control me-2" name="date" value="{{ selected_date }}" required>
  13.                     <button type="submit" class="btn btn-primary">
  14.                         <i class="fas fa-search me-1"></i>查询
  15.                     </button>
  16.                 </form>
  17.             </div>
  18.             <div class="col-md-6 text-md-end mt-3 mt-md-0">
  19.                 <a href="{{ url_for('face_recognition_attendance') }}" class="btn btn-success">
  20.                     <i class="fas fa-camera me-1"></i>人脸识别考勤
  21.                 </a>
  22.             </div>
  23.         </div>
  24.         
  25.         {% if attendance_records %}
  26.             <div class="table-responsive">
  27.                 <table class="table table-hover table-striped">
  28.                     <thead class="table-light">
  29.                         <tr>
  30.                             <th>学号</th>
  31.                             <th>姓名</th>
  32.                             <th>签到时间</th>
  33.                             <th>签退时间</th>
  34.                             <th>状态</th>
  35.                             <th>时长</th>
  36.                         </tr>
  37.                     </thead>
  38.                     <tbody>
  39.                         {% for record in attendance_records %}
  40.                             <tr>
  41.                                 <td>{{ record.student_id }}</td>
  42.                                 <td>{{ record.name }}</td>
  43.                                 <td>{{ record.check_in_time }}</td>
  44.                                 <td>{{ record.check_out_time if record.check_out_time else '未签退' }}</td>
  45.                                 <td>
  46.                                     {% if record.check_out_time %}
  47.                                         <span class="badge bg-success">已完成</span>
  48.                                     {% else %}
  49.                                         <span class="badge bg-warning">进行中</span>
  50.                                     {% endif %}
  51.                                 </td>
  52.                                 <td>
  53.                                     {% if record.check_out_time %}
  54.                                         {% set check_in = record.check_in_time.split(' ')[1] %}
  55.                                         {% set check_out = record.check_out_time.split(' ')[1] %}
  56.                                         {% set hours = (check_out.split(':')[0]|int - check_in.split(':')[0]|int) %}
  57.                                         {% set minutes = (check_out.split(':')[1]|int - check_in.split(':')[1]|int) %}
  58.                                         {% if minutes < 0 %}
  59.                                             {% set hours = hours - 1 %}
  60.                                             {% set minutes = minutes + 60 %}
  61.                                         {% endif %}
  62.                                         {{ hours }}小时{{ minutes }}分钟
  63.                                     {% else %}
  64.                                         -
  65.                                     {% endif %}
  66.                                 </td>
  67.                             </tr>
  68.                         {% endfor %}
  69.                     </tbody>
  70.                 </table>
  71.             </div>
  72.             
  73.             <div class="row mt-4">
  74.                 <div class="col-md-6">
  75.                     <div class="card">
  76.                         <div class="card-header bg-light">
  77.                             <h5 class="mb-0">考勤统计</h5>
  78.                         </div>
  79.                         <div class="card-body">
  80.                             <div class="row text-center">
  81.                                 <div class="col-4">
  82.                                     <div class="border-end">
  83.                                         <h3 class="text-primary">{{ attendance_records|length }}</h3>
  84.                                         <p class="text-muted">总人数</p>
  85.                                     </div>
  86.                                 </div>
  87.                                 <div class="col-4">
  88.                                     <div class="border-end">
  89.                                         <h3 class="text-success">
  90.                                             {% set completed = 0 %}
  91.                                             {% for record in attendance_records %}
  92.                                                 {% if record.check_out_time %}
  93.                                                     {% set completed = completed + 1 %}
  94.                                                 {% endif %}
  95.                                             {% endfor %}
  96.                                             {{ completed }}
  97.                                         </h3>
  98.                                         <p class="text-muted">已完成</p>
  99.                                     </div>
  100.                                 </div>
  101.                                 <div class="col-4">
  102.                                     <h3 class="text-warning">
  103.                                         {% set in_progress = 0 %}
  104.                                         {% for record in attendance_records %}
  105.                                             {% if not record.check_out_time %}
  106.                                                 {% set in_progress = in_progress + 1 %}
  107.                                             {% endif %}
  108.                                         {% endfor %}
  109.                                         {{ in_progress }}
  110.                                     </h3>
  111.                                     <p class="text-muted">进行中</p>
  112.                                 </div>
  113.                             </div>
  114.                         </div>
  115.                     </div>
  116.                 </div>
  117.                 <div class="col-md-6 mt-3 mt-md-0">
  118.                     <div class="card">
  119.                         <div class="card-header bg-light">
  120.                             <h5 class="mb-0">图表统计</h5>
  121.                         </div>
  122.                         <div class="card-body">
  123.                             <canvas id="attendanceChart" width="100%" height="200"></canvas>
  124.                         </div>
  125.                     </div>
  126.                 </div>
  127.             </div>
  128.         {% else %}
  129.             <div class="alert alert-info">
  130.                 <i class="fas fa-info-circle me-2"></i>{{ selected_date }} 没有考勤记录
  131.             </div>
  132.         {% endif %}
  133.     </div>
  134.     <div class="card-footer">
  135.         <div class="row">
  136.             <div class="col-md-6">
  137.                 <button class="btn btn-outline-primary" onclick="window.print()">
  138.                     <i class="fas fa-print me-1"></i>打印记录
  139.                 </button>
  140.             </div>
  141.             <div class="col-md-6 text-md-end mt-2 mt-md-0">
  142.                 <a href="#" class="btn btn-outline-success" id="exportBtn">
  143.                     <i class="fas fa-file-excel me-1"></i>导出Excel
  144.                 </a>
  145.             </div>
  146.         </div>
  147.     </div>
  148. </div>
  149. {% endblock %}
  150. {% block extra_js %}
  151. <script src="https://cdn.jsdelivr.net/npm/chart.js"></script>
  152. <script>
  153.     // 考勤统计图表
  154.     {% if attendance_records %}
  155.         const ctx = document.getElementById('attendanceChart').getContext('2d');
  156.         
  157.         // 计算已完成和进行中的数量
  158.         let completed = 0;
  159.         let inProgress = 0;
  160.         
  161.         {% for record in attendance_records %}
  162.             {% if record.check_out_time %}
  163.                 completed++;
  164.             {% else %}
  165.                 inProgress++;
  166.             {% endif %}
  167.         {% endfor %}
  168.         
  169.         const attendanceChart = new Chart(ctx, {
  170.             type: 'pie',
  171.             data: {
  172.                 labels: ['已完成', '进行中'],
  173.                 datasets: [{
  174.                     data: [completed, inProgress],
  175.                     backgroundColor: [
  176.                         'rgba(40, 167, 69, 0.7)',
  177.                         'rgba(255, 193, 7, 0.7)'
  178.                     ],
  179.                     borderColor: [
  180.                         'rgba(40, 167, 69, 1)',
  181.                         'rgba(255, 193, 7, 1)'
  182.                     ],
  183.                     borderWidth: 1
  184.                 }]
  185.             },
  186.             options: {
  187.                 responsive: true,
  188.                 maintainAspectRatio: false,
  189.                 plugins: {
  190.                     legend: {
  191.                         position: 'bottom'
  192.                     }
  193.                 }
  194.             }
  195.         });
  196.     {% endif %}
  197.    
  198.     // 导出Excel功能
  199.     document.getElementById('exportBtn').addEventListener('click', function(e) {
  200.         e.preventDefault();
  201.         alert('导出功能将在完整版中提供');
  202.     });
  203. </script>
  204. {% endblock %}
复制代码
templates\base.html

  1. <!DOCTYPE html>
  2. <html lang="zh-CN">
  3. <head>
  4.     <meta charset="UTF-8">
  5.     <meta name="viewport" content="width=device-width, initial-scale=1.0">
  6.     <title>{% block title %}校园人脸识别考勤系统{% endblock %}</title>
  7.     <!-- Bootstrap CSS -->
  8.     <link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0-alpha1/dist/css/bootstrap.min.css" rel="stylesheet">
  9.     <!-- Font Awesome -->
  10.     <link rel="stylesheet" href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.0.0/css/all.min.css">
  11.     <!-- Custom CSS -->
  12.     <link rel="stylesheet" href="{{ url_for('static', filename='css/style.css') }}">
  13.     {% block extra_css %}{% endblock %}
  14. </head>
  15. <body>
  16.     <!-- Navigation -->
  17.     <nav class="navbar navbar-expand-lg navbar-dark bg-primary">
  18.         <div class="container">
  19.             <a class="navbar-brand" href="{{ url_for('index') }}">
  20.                 <i class="fas fa-user-check me-2"></i>校园人脸识别考勤系统
  21.             </a>
  22.             <button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav"
  23.                     aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
  24.                 <span class="navbar-toggler-icon"></span>
  25.             </button>
  26.             <div class="collapse navbar-collapse" id="navbarNav">
  27.                 <ul class="navbar-nav ms-auto">
  28.                     <li class="nav-item">
  29.                         <a class="nav-link" href="{{ url_for('index') }}">首页</a>
  30.                     </li>
  31.                     {% if session.get('user_id') %}
  32.                         <li class="nav-item">
  33.                             <a class="nav-link" href="{{ url_for('dashboard') }}">控制面板</a>
  34.                         </li>
  35.                         <li class="nav-item">
  36.                             <a class="nav-link" href="{{ url_for('face_recognition_attendance') }}">人脸识别考勤</a>
  37.                         </li>
  38.                         <li class="nav-item">
  39.                             <a class="nav-link" href="{{ url_for('attendance') }}">考勤记录</a>
  40.                         </li>
  41.                         <li class="nav-item dropdown">
  42.                             <a class="nav-link dropdown-toggle" href="#" id="navbarDropdown" role="button"
  43.                                data-bs-toggle="dropdown" aria-expanded="false">
  44.                                 <i class="fas fa-user-circle me-1"></i>{{ session.get('name') }}
  45.                             </a>
  46.                             <ul class="dropdown-menu" aria-labelledby="navbarDropdown">
  47.                                 <li><a class="dropdown-item" href="{{ url_for('dashboard') }}">个人信息</a></li>
  48.                                 <li><a class="dropdown-item" href="{{ url_for('face_registration') }}">人脸注册</a></li>
  49.                                 <li>
  50.                                     <hr class="dropdown-divider">
  51.                                 </li>
  52.                                 <li><a class="dropdown-item" href="{{ url_for('logout') }}">退出登录</a></li>
  53.                             </ul>
  54.                         </li>
  55.                     {% else %}
  56.                         <li class="nav-item">
  57.                             <a class="nav-link" href="{{ url_for('login') }}">登录</a>
  58.                         </li>
  59.                         <li class="nav-item">
  60.                             <a class="nav-link" href="{{ url_for('register') }}">注册</a>
  61.                         </li>
  62.                     {% endif %}
  63.                 </ul>
  64.             </div>
  65.         </div>
  66.     </nav>
  67.     <!-- Flash Messages -->
  68.     <div class="container mt-3">
  69.         {% with messages = get_flashed_messages(with_categories=true) %}
  70.             {% if messages %}
  71.                 {% for category, message in messages %}
  72.                     <div class="alert alert-{{ category }} alert-dismissible fade show" role="alert">
  73.                         {{ message }}
  74.                         <button type="button" class="btn-close" data-bs-dismiss="alert" aria-label="Close"></button>
  75.                     </div>
  76.                 {% endfor %}
  77.             {% endif %}
  78.         {% endwith %}
  79.     </div>
  80.     <!-- Main Content -->
  81.     <main class="container my-4">
  82.         {% block content %}{% endblock %}
  83.     </main>
  84.     <!-- Footer -->
  85.     <footer class="bg-light py-4 mt-5">
  86.         <div class="container text-center">
  87.             <p class="mb-0">&copy; {{ now.year }} 校园人脸识别考勤系统 | 基于深度学习的智能考勤解决方案</p>
  88.         </div>
  89.     </footer>
  90.     <!-- Bootstrap JS Bundle with Popper -->
  91.     <script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0-alpha1/dist/js/bootstrap.bundle.min.js"></script>
  92.     <!-- jQuery -->
  93.     <script src="https://code.jquery.com/jquery-3.6.0.min.js"></script>
  94.     <!-- Custom JS -->
  95.     <script src="{{ url_for('static', filename='js/main.js') }}"></script>
  96.     {% block extra_js %}{% endblock %}
  97. </body>
  98. </html>
复制代码
templates\dashboard.html

  1. {% extends 'base.html' %}
  2. {% block title %}控制面板 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row">
  5.     <div class="col-md-4">
  6.         <div class="card shadow mb-4">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h5 class="mb-0"><i class="fas fa-user me-2"></i>个人信息</h5>
  9.             </div>
  10.             <div class="card-body">
  11.                 <div class="text-center mb-3">
  12.                     {% if has_face_data %}
  13.                         <div class="avatar-container mb-3">
  14.                             <i class="fas fa-user-circle fa-6x text-primary"></i>
  15.                             <span class="badge bg-success position-absolute bottom-0 end-0">
  16.                                 <i class="fas fa-check"></i>
  17.                             </span>
  18.                         </div>
  19.                         <p class="text-success"><i class="fas fa-check-circle me-1"></i>人脸数据已注册</p>
  20.                     {% else %}
  21.                         <div class="avatar-container mb-3">
  22.                             <i class="fas fa-user-circle fa-6x text-secondary"></i>
  23.                             <span class="badge bg-warning position-absolute bottom-0 end-0">
  24.                                 <i class="fas fa-exclamation"></i>
  25.                             </span>
  26.                         </div>
  27.                         <p class="text-warning"><i class="fas fa-exclamation-circle me-1"></i>尚未注册人脸数据</p>
  28.                         <a href="{{ url_for('face_registration') }}" class="btn btn-primary btn-sm">
  29.                             <i class="fas fa-camera me-1"></i>立即注册
  30.                         </a>
  31.                     {% endif %}
  32.                 </div>
  33.                
  34.                 <table class="table">
  35.                     <tbody>
  36.                         <tr>
  37.                             <th scope="row"><i class="fas fa-id-card me-2"></i>学号</th>
  38.                             <td>{{ user.student_id }}</td>
  39.                         </tr>
  40.                         <tr>
  41.                             <th scope="row"><i class="fas fa-user me-2"></i>姓名</th>
  42.                             <td>{{ user.name }}</td>
  43.                         </tr>
  44.                         <tr>
  45.                             <th scope="row"><i class="fas fa-envelope me-2"></i>邮箱</th>
  46.                             <td>{{ user.email }}</td>
  47.                         </tr>
  48.                         <tr>
  49.                             <th scope="row"><i class="fas fa-calendar-alt me-2"></i>注册日期</th>
  50.                             <td>{{ user.registration_date }}</td>
  51.                         </tr>
  52.                     </tbody>
  53.                 </table>
  54.             </div>
  55.         </div>
  56.         
  57.         <div class="card shadow mb-4">
  58.             <div class="card-header bg-info text-white">
  59.                 <h5 class="mb-0"><i class="fas fa-clock me-2"></i>快速考勤</h5>
  60.             </div>
  61.             <div class="card-body text-center">
  62.                 <div class="row">
  63.                     <div class="col-6">
  64.                         <button id="check-in-btn" class="btn btn-success btn-lg w-100 mb-2">
  65.                             <i class="fas fa-sign-in-alt me-2"></i>签到
  66.                         </button>
  67.                     </div>
  68.                     <div class="col-6">
  69.                         <button id="check-out-btn" class="btn btn-danger btn-lg w-100 mb-2">
  70.                             <i class="fas fa-sign-out-alt me-2"></i>签退
  71.                         </button>
  72.                     </div>
  73.                 </div>
  74.                 <div id="attendance-status" class="mt-2"></div>
  75.                 <div class="mt-3">
  76.                     <a href="{{ url_for('face_recognition_attendance') }}" class="btn btn-primary w-100">
  77.                         <i class="fas fa-camera me-2"></i>人脸识别考勤
  78.                     </a>
  79.                 </div>
  80.             </div>
  81.         </div>
  82.     </div>
  83.    
  84.     <div class="col-md-8">
  85.         <div class="card shadow mb-4">
  86.             <div class="card-header bg-primary text-white">
  87.                 <h5 class="mb-0"><i class="fas fa-history me-2"></i>考勤记录</h5>
  88.             </div>
  89.             <div class="card-body">
  90.                 {% if attendance_records %}
  91.                     <div class="table-responsive">
  92.                         <table class="table table-hover">
  93.                             <thead>
  94.                                 <tr>
  95.                                     <th>日期</th>
  96.                                     <th>签到时间</th>
  97.                                     <th>签退时间</th>
  98.                                     <th>状态</th>
  99.                                 </tr>
  100.                             </thead>
  101.                             <tbody>
  102.                                 {% for record in attendance_records %}
  103.                                     <tr>
  104.                                         <td>{{ record.date }}</td>
  105.                                         <td>{{ record.check_in_time }}</td>
  106.                                         <td>{{ record.check_out_time if record.check_out_time else '未签退' }}</td>
  107.                                         <td>
  108.                                             {% if record.check_out_time %}
  109.                                                 <span class="badge bg-success">已完成</span>
  110.                                             {% else %}
  111.                                                 <span class="badge bg-warning">进行中</span>
  112.                                             {% endif %}
  113.                                         </td>
  114.                                     </tr>
  115.                                 {% endfor %}
  116.                             </tbody>
  117.                         </table>
  118.                     </div>
  119.                 {% else %}
  120.                     <div class="alert alert-info">
  121.                         <i class="fas fa-info-circle me-2"></i>暂无考勤记录
  122.                     </div>
  123.                 {% endif %}
  124.             </div>
  125.             <div class="card-footer text-end">
  126.                 <a href="{{ url_for('attendance') }}" class="btn btn-outline-primary btn-sm">
  127.                     <i class="fas fa-list me-1"></i>查看全部记录
  128.                 </a>
  129.             </div>
  130.         </div>
  131.         
  132.         <div class="row">
  133.             <div class="col-md-6">
  134.                 <div class="card shadow mb-4">
  135.                     <div class="card-header bg-success text-white">
  136.                         <h5 class="mb-0"><i class="fas fa-chart-bar me-2"></i>本月统计</h5>
  137.                     </div>
  138.                     <div class="card-body">
  139.                         <canvas id="monthlyChart" width="100%" height="200"></canvas>
  140.                     </div>
  141.                 </div>
  142.             </div>
  143.             <div class="col-md-6">
  144.                 <div class="card shadow mb-4">
  145.                     <div class="card-header bg-warning text-white">
  146.                         <h5 class="mb-0"><i class="fas fa-bell me-2"></i>通知</h5>
  147.                     </div>
  148.                     <div class="card-body">
  149.                         <div class="list-group">
  150.                             <a href="#" class="list-group-item list-group-item-action">
  151.                                 <div class="d-flex w-100 justify-content-between">
  152.                                     <h6 class="mb-1">系统更新通知</h6>
  153.                                     <small>3天前</small>
  154.                                 </div>
  155.                                 <p class="mb-1">系统已更新到最新版本,新增人脸识别算法...</p>
  156.                             </a>
  157.                             <a href="#" class="list-group-item list-group-item-action">
  158.                                 <div class="d-flex w-100 justify-content-between">
  159.                                     <h6 class="mb-1">考勤规则变更</h6>
  160.                                     <small>1周前</small>
  161.                                 </div>
  162.                                 <p class="mb-1">根据学校规定,考勤时间调整为8:30-17:30...</p>
  163.                             </a>
  164.                         </div>
  165.                     </div>
  166.                 </div>
  167.             </div>
  168.         </div>
  169.     </div>
  170. </div>
  171. {% endblock %}
  172. {% block extra_css %}
  173. <style>
  174.     .avatar-container {
  175.         position: relative;
  176.         display: inline-block;
  177.     }
  178.    
  179.     .avatar-container .badge {
  180.         width: 25px;
  181.         height: 25px;
  182.         border-radius: 50%;
  183.         display: flex;
  184.         align-items: center;
  185.         justify-content: center;
  186.     }
  187. </style>
  188. {% endblock %}
  189. {% block extra_js %}
  190. <script src="https://cdn.jsdelivr.net/npm/chart.js"></script>
  191. <script>
  192.     // 考勤按钮功能
  193.     document.getElementById('check-in-btn').addEventListener('click', function() {
  194.         const statusDiv = document.getElementById('attendance-status');
  195.         statusDiv.innerHTML = '<div class="spinner-border spinner-border-sm text-primary" role="status"><span class="visually-hidden">Loading...</span></div> 处理中...';
  196.         
  197.         fetch('{{ url_for("process_check_in") }}', {
  198.             method: 'POST',
  199.             headers: {
  200.                 'Content-Type': 'application/json',
  201.             }
  202.         })
  203.         .then(response => response.json())
  204.         .then(data => {
  205.             if (data.success) {
  206.                 statusDiv.innerHTML = '<div class="alert alert-success">' + data.message + '</div>';
  207.                 setTimeout(() => {
  208.                     window.location.reload();
  209.                 }, 2000);
  210.             } else {
  211.                 statusDiv.innerHTML = '<div class="alert alert-warning">' + data.message + '</div>';
  212.             }
  213.         })
  214.         .catch(error => {
  215.             console.error('Error:', error);
  216.             statusDiv.innerHTML = '<div class="alert alert-danger">服务器错误,请稍后重试</div>';
  217.         });
  218.     });
  219.    
  220.     document.getElementById('check-out-btn').addEventListener('click', function() {
  221.         const statusDiv = document.getElementById('attendance-status');
  222.         statusDiv.innerHTML = '<div class="spinner-border spinner-border-sm text-primary" role="status"><span class="visually-hidden">Loading...</span></div> 处理中...';
  223.         
  224.         fetch('{{ url_for("check_out") }}', {
  225.             method: 'POST',
  226.             headers: {
  227.                 'Content-Type': 'application/json',
  228.             }
  229.         })
  230.         .then(response => response.json())
  231.         .then(data => {
  232.             if (data.success) {
  233.                 statusDiv.innerHTML = '<div class="alert alert-success">' + data.message + '</div>';
  234.                 setTimeout(() => {
  235.                     window.location.reload();
  236.                 }, 2000);
  237.             } else {
  238.                 statusDiv.innerHTML = '<div class="alert alert-warning">' + data.message + '</div>';
  239.             }
  240.         })
  241.         .catch(error => {
  242.             console.error('Error:', error);
  243.             statusDiv.innerHTML = '<div class="alert alert-danger">服务器错误,请稍后重试</div>';
  244.         });
  245.     });
  246.    
  247.     // 月度统计图表
  248.     const ctx = document.getElementById('monthlyChart').getContext('2d');
  249.     const monthlyChart = new Chart(ctx, {
  250.         type: 'bar',
  251.         data: {
  252.             labels: ['1日', '2日', '3日', '4日', '5日', '6日', '7日', '8日', '9日', '10日'],
  253.             datasets: [{
  254.                 label: '考勤时长(小时)',
  255.                 data: [8, 8.5, 7.5, 8, 8, 0, 0, 8.5, 8, 7],
  256.                 backgroundColor: 'rgba(75, 192, 192, 0.2)',
  257.                 borderColor: 'rgba(75, 192, 192, 1)',
  258.                 borderWidth: 1
  259.             }]
  260.         },
  261.         options: {
  262.             scales: {
  263.                 y: {
  264.                     beginAtZero: true,
  265.                     max: 10
  266.                 }
  267.             },
  268.             plugins: {
  269.                 legend: {
  270.                     display: false
  271.                 }
  272.             },
  273.             maintainAspectRatio: false
  274.         }
  275.     });
  276. </script>
  277. {% endblock %}
复制代码
templates\edit_user.html

  1. {% extends 'base.html' %}
  2. {% block title %}编辑用户 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-8">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-user-edit me-2"></i>编辑用户</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <form method="POST" action="{{ url_for('edit_user', user_id=user.id) }}">
  12.                     <div class="row">
  13.                         <div class="col-md-6 mb-3">
  14.                             <label for="student_id" class="form-label">学号 <span class="text-danger">*</span></label>
  15.                             <div class="input-group">
  16.                                 <span class="input-group-text"><i class="fas fa-id-card"></i></span>
  17.                                 <input type="text" class="form-control" id="student_id" name="student_id" value="{{ user.student_id }}" required>
  18.                             </div>
  19.                         </div>
  20.                         <div class="col-md-6 mb-3">
  21.                             <label for="name" class="form-label">姓名 <span class="text-danger">*</span></label>
  22.                             <div class="input-group">
  23.                                 <span class="input-group-text"><i class="fas fa-user"></i></span>
  24.                                 <input type="text" class="form-control" id="name" name="name" value="{{ user.name }}" required>
  25.                             </div>
  26.                         </div>
  27.                     </div>
  28.                     
  29.                     <div class="mb-3">
  30.                         <label for="email" class="form-label">电子邮箱 <span class="text-danger">*</span></label>
  31.                         <div class="input-group">
  32.                             <span class="input-group-text"><i class="fas fa-envelope"></i></span>
  33.                             <input type="email" class="form-control" id="email" name="email" value="{{ user.email }}" required>
  34.                         </div>
  35.                     </div>
  36.                     
  37.                     <div class="mb-3">
  38.                         <label for="password" class="form-label">重置密码 <small class="text-muted">(留空表示不修改)</small></label>
  39.                         <div class="input-group">
  40.                             <span class="input-group-text"><i class="fas fa-lock"></i></span>
  41.                             <input type="password" class="form-control" id="password" name="password">
  42.                         </div>
  43.                         <div class="form-text">如需重置密码,请在此输入新密码</div>
  44.                     </div>
  45.                     
  46.                     <div class="mb-3">
  47.                         <label for="role" class="form-label">用户角色</label>
  48.                         <div class="input-group">
  49.                             <span class="input-group-text"><i class="fas fa-user-tag"></i></span>
  50.                             <select class="form-select" id="role" name="role">
  51.                                 <option value="student" {% if user.role == 'student' %}selected{% endif %}>学生</option>
  52.                                 <option value="teacher" {% if user.role == 'teacher' %}selected{% endif %}>教师</option>
  53.                                 <option value="admin" {% if user.role == 'admin' %}selected{% endif %}>管理员</option>
  54.                             </select>
  55.                         </div>
  56.                     </div>
  57.                     
  58.                     <div class="mb-3">
  59.                         <div class="form-check form-switch">
  60.                             <input class="form-check-input" type="checkbox" id="is_active" name="is_active" {% if user.is_active %}checked{% endif %}>
  61.                             <label class="form-check-label" for="is_active">账号状态(启用/禁用)</label>
  62.                         </div>
  63.                     </div>
  64.                     
  65.                     <div class="d-grid gap-2">
  66.                         <button type="submit" class="btn btn-primary">保存修改</button>
  67.                     </div>
  68.                 </form>
  69.             </div>
  70.             <div class="card-footer">
  71.                 <div class="row">
  72.                     <div class="col-md-6">
  73.                         <a href="{{ url_for('user_management') }}" class="btn btn-outline-secondary">
  74.                             <i class="fas fa-arrow-left me-1"></i>返回用户列表
  75.                         </a>
  76.                     </div>
  77.                     <div class="col-md-6 text-md-end mt-2 mt-md-0">
  78.                         {% if user.has_face_data %}
  79.                             <button type="button" class="btn btn-outline-danger" data-bs-toggle="modal" data-bs-target="#resetFaceModal">
  80.                                 <i class="fas fa-trash-alt me-1"></i>重置人脸数据
  81.                             </button>
  82.                         {% else %}
  83.                             <a href="{{ url_for('face_registration_admin', user_id=user.id) }}" class="btn btn-outline-success">
  84.                                 <i class="fas fa-camera me-1"></i>注册人脸数据
  85.                             </a>
  86.                         {% endif %}
  87.                     </div>
  88.                 </div>
  89.             </div>
  90.         </div>
  91.     </div>
  92. </div>
  93. <!-- Reset Face Data Modal -->
  94. <div class="modal fade" id="resetFaceModal" tabindex="-1" aria-labelledby="resetFaceModalLabel" aria-hidden="true">
  95.     <div class="modal-dialog">
  96.         <div class="modal-content">
  97.             <div class="modal-header">
  98.                 <h5 class="modal-title" id="resetFaceModalLabel">确认重置人脸数据</h5>
  99.                 <button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
  100.             </div>
  101.             <div class="modal-body">
  102.                 <p>确定要重置用户 <strong>{{ user.name }}</strong> 的人脸数据吗?</p>
  103.                 <p class="text-danger">此操作不可逆,用户将需要重新注册人脸数据才能使用人脸识别功能。</p>
  104.             </div>
  105.             <div class="modal-footer">
  106.                 <button type="button" class="btn btn-secondary" data-bs-dismiss="modal">取消</button>
  107.                 <form action="{{ url_for('reset_face_data', user_id=user.id) }}" method="POST" style="display: inline;">
  108.                     <button type="submit" class="btn btn-danger">确认重置</button>
  109.                 </form>
  110.             </div>
  111.         </div>
  112.     </div>
  113. </div>
  114. {% endblock %}
复制代码
templates\face_recognition_attendance.html

  1. {% extends 'base.html' %}
  2. {% block title %}人脸识别考勤 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-8">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-camera me-2"></i>人脸识别考勤</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <div class="text-center mb-4">
  12.                     <h5 class="mb-3">请面向摄像头,系统将自动识别您的身份</h5>
  13.                     <div class="alert alert-info">
  14.                         <i class="fas fa-info-circle me-2"></i>请确保光线充足,面部无遮挡
  15.                     </div>
  16.                 </div>
  17.                
  18.                 <div class="row">
  19.                     <div class="col-md-8 mx-auto">
  20.                         <div id="camera-container" class="position-relative">
  21.                             <video id="webcam" autoplay playsinline width="100%" class="rounded border"></video>
  22.                             <div id="face-overlay" class="position-absolute top-0 start-0 w-100 h-100"></div>
  23.                             <canvas id="canvas" class="d-none"></canvas>
  24.                         </div>
  25.                         
  26.                         <div id="recognition-status" class="text-center mt-3">
  27.                             <div class="alert alert-secondary">
  28.                                 <i class="fas fa-spinner fa-spin me-2"></i>准备中...
  29.                             </div>
  30.                         </div>
  31.                         
  32.                         <div id="recognition-result" class="text-center mt-3 d-none">
  33.                             <div class="card">
  34.                                 <div class="card-body">
  35.                                     <h5 id="result-name" class="card-title mb-2"></h5>
  36.                                     <p id="result-id" class="card-text text-muted"></p>
  37.                                     <p id="result-time" class="card-text"></p>
  38.                                 </div>
  39.                             </div>
  40.                         </div>
  41.                     </div>
  42.                 </div>
  43.                
  44.                 <div class="row mt-4">
  45.                     <div class="col-md-8 mx-auto">
  46.                         <div class="d-grid gap-2">
  47.                             <button id="start-camera" class="btn btn-primary">
  48.                                 <i class="fas fa-video me-2"></i>启动摄像头
  49.                             </button>
  50.                             <button id="capture-photo" class="btn btn-success d-none">
  51.                                 <i class="fas fa-camera me-2"></i>拍摄并识别
  52.                             </button>
  53.                             <button id="retry-button" class="btn btn-secondary d-none">
  54.                                 <i class="fas fa-redo me-2"></i>重新识别
  55.                             </button>
  56.                         </div>
  57.                     </div>
  58.                 </div>
  59.             </div>
  60.             <div class="card-footer">
  61.                 <div class="row">
  62.                     <div class="col-md-6">
  63.                         <a href="{{ url_for('dashboard') }}" class="btn btn-outline-secondary">
  64.                             <i class="fas fa-arrow-left me-1"></i>返回控制面板
  65.                         </a>
  66.                     </div>
  67.                     <div class="col-md-6 text-md-end mt-2 mt-md-0">
  68.                         <a href="{{ url_for('check_in') }}" class="btn btn-outline-primary">
  69.                             <i class="fas fa-clipboard-check me-1"></i>手动考勤
  70.                         </a>
  71.                     </div>
  72.                 </div>
  73.             </div>
  74.         </div>
  75.     </div>
  76. </div>
  77. {% endblock %}
  78. {% block extra_css %}
  79. <style>
  80.     #camera-container {
  81.         max-width: 640px;
  82.         margin: 0 auto;
  83.         border-radius: 0.25rem;
  84.         overflow: hidden;
  85.     }
  86.    
  87.     #face-overlay {
  88.         pointer-events: none;
  89.     }
  90.    
  91.     .face-box {
  92.         position: absolute;
  93.         border: 2px solid #28a745;
  94.         border-radius: 4px;
  95.     }
  96.    
  97.     .face-label {
  98.         position: absolute;
  99.         background-color: rgba(40, 167, 69, 0.8);
  100.         color: white;
  101.         padding: 2px 6px;
  102.         border-radius: 2px;
  103.         font-size: 12px;
  104.         top: -20px;
  105.         left: 0;
  106.     }
  107.    
  108.     .unknown-face {
  109.         border-color: #dc3545;
  110.     }
  111.    
  112.     .unknown-face .face-label {
  113.         background-color: rgba(220, 53, 69, 0.8);
  114.     }
  115.    
  116.     .processing-indicator {
  117.         position: absolute;
  118.         top: 50%;
  119.         left: 50%;
  120.         transform: translate(-50%, -50%);
  121.         background-color: rgba(0, 0, 0, 0.7);
  122.         color: white;
  123.         padding: 10px 20px;
  124.         border-radius: 4px;
  125.         font-size: 14px;
  126.     }
  127.    
  128.     @keyframes pulse {
  129.         0% { box-shadow: 0 0 0 0 rgba(40, 167, 69, 0.7); }
  130.         70% { box-shadow: 0 0 0 10px rgba(40, 167, 69, 0); }
  131.         100% { box-shadow: 0 0 0 0 rgba(40, 167, 69, 0); }
  132.     }
  133.    
  134.     .pulse {
  135.         animation: pulse 1.5s infinite;
  136.     }
  137. </style>
  138. {% endblock %}
  139. {% block extra_js %}
  140. <script>
  141.     const startCameraBtn = document.getElementById('start-camera');
  142.     const capturePhotoBtn = document.getElementById('capture-photo');
  143.     const retryButton = document.getElementById('retry-button');
  144.     const webcamVideo = document.getElementById('webcam');
  145.     const canvas = document.getElementById('canvas');
  146.     const faceOverlay = document.getElementById('face-overlay');
  147.     const recognitionStatus = document.getElementById('recognition-status');
  148.     const recognitionResult = document.getElementById('recognition-result');
  149.     const resultName = document.getElementById('result-name');
  150.     const resultId = document.getElementById('result-id');
  151.     const resultTime = document.getElementById('result-time');
  152.    
  153.     let stream = null;
  154.     let isProcessing = false;
  155.    
  156.     // 启动摄像头
  157.     startCameraBtn.addEventListener('click', async function() {
  158.         try {
  159.             stream = await navigator.mediaDevices.getUserMedia({
  160.                 video: {
  161.                     width: { ideal: 640 },
  162.                     height: { ideal: 480 },
  163.                     facingMode: 'user'
  164.                 }
  165.             });
  166.             webcamVideo.srcObject = stream;
  167.             
  168.             startCameraBtn.classList.add('d-none');
  169.             capturePhotoBtn.classList.remove('d-none');
  170.             recognitionStatus.innerHTML = '<div class="alert alert-success"><i class="fas fa-check-circle me-2"></i>摄像头已启动,请面向摄像头</div>';
  171.             
  172.             // 添加脉冲效果
  173.             webcamVideo.classList.add('pulse');
  174.         } catch (err) {
  175.             console.error('摄像头访问失败:', err);
  176.             recognitionStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>无法访问摄像头: ' + err.message + '</div>';
  177.         }
  178.     });
  179.    
  180.     // 拍摄照片并识别
  181.     capturePhotoBtn.addEventListener('click', function() {
  182.         if (isProcessing) return;
  183.         isProcessing = true;
  184.         
  185.         // 显示处理中状态
  186.         faceOverlay.innerHTML = '<div class="processing-indicator"><i class="fas fa-spinner fa-spin me-2"></i>正在识别...</div>';
  187.         recognitionStatus.innerHTML = '<div class="alert alert-info"><i class="fas fa-spinner fa-spin me-2"></i>正在处理,请稍候...</div>';
  188.         
  189.         // 拍摄照片
  190.         canvas.width = webcamVideo.videoWidth;
  191.         canvas.height = webcamVideo.videoHeight;
  192.         const ctx = canvas.getContext('2d');
  193.         ctx.drawImage(webcamVideo, 0, 0, canvas.width, canvas.height);
  194.         
  195.         // 获取图像数据
  196.         const imageData = canvas.toDataURL('image/jpeg');
  197.         
  198.         // 发送到服务器进行人脸识别
  199.         fetch('{{ url_for("process_face_attendance") }}', {
  200.             method: 'POST',
  201.             headers: {
  202.                 'Content-Type': 'application/x-www-form-urlencoded',
  203.             },
  204.             body: 'image_data=' + encodeURIComponent(imageData)
  205.         })
  206.         .then(response => response.json())
  207.         .then(data => {
  208.             isProcessing = false;
  209.             faceOverlay.innerHTML = '';
  210.             
  211.             if (data.success) {
  212.                 // 识别成功
  213.                 recognitionStatus.innerHTML = '<div class="alert alert-success"><i class="fas fa-check-circle me-2"></i>' + data.message + '</div>';
  214.                
  215.                 // 显示结果
  216.                 resultName.textContent = data.user.name;
  217.                 resultId.textContent = '学号: ' + data.user.student_id;
  218.                 resultTime.textContent = '考勤时间: ' + new Date().toLocaleString();
  219.                 recognitionResult.classList.remove('d-none');
  220.                
  221.                 // 更新按钮状态
  222.                 capturePhotoBtn.classList.add('d-none');
  223.                 retryButton.classList.remove('d-none');
  224.                
  225.                 // 绘制人脸框
  226.                 drawFaceBox(true, data.user.name);
  227.                
  228.                 // 移除脉冲效果
  229.                 webcamVideo.classList.remove('pulse');
  230.             } else {
  231.                 // 识别失败
  232.                 recognitionStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>' + data.message + '</div>';
  233.                
  234.                 // 绘制未知人脸框
  235.                 drawFaceBox(false);
  236.             }
  237.         })
  238.         .catch(error => {
  239.             console.error('Error:', error);
  240.             isProcessing = false;
  241.             faceOverlay.innerHTML = '';
  242.             recognitionStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>服务器错误,请稍后重试</div>';
  243.         });
  244.     });
  245.    
  246.     // 重新识别
  247.     retryButton.addEventListener('click', function() {
  248.         recognitionResult.classList.add('d-none');
  249.         capturePhotoBtn.classList.remove('d-none');
  250.         retryButton.classList.add('d-none');
  251.         faceOverlay.innerHTML = '';
  252.         recognitionStatus.innerHTML = '<div class="alert alert-secondary"><i class="fas fa-info-circle me-2"></i>请面向摄像头,准备重新识别</div>';
  253.         
  254.         // 添加脉冲效果
  255.         webcamVideo.classList.add('pulse');
  256.     });
  257.    
  258.     // 绘制人脸框
  259.     function drawFaceBox(isRecognized, name) {
  260.         // 模拟人脸位置
  261.         const videoWidth = webcamVideo.videoWidth;
  262.         const videoHeight = webcamVideo.videoHeight;
  263.         const scale = webcamVideo.offsetWidth / videoWidth;
  264.         
  265.         // 人脸框位置(居中)
  266.         const faceWidth = videoWidth * 0.4;
  267.         const faceHeight = videoHeight * 0.5;
  268.         const faceLeft = (videoWidth - faceWidth) / 2;
  269.         const faceTop = (videoHeight - faceHeight) / 2;
  270.         
  271.         // 创建人脸框元素
  272.         const faceBox = document.createElement('div');
  273.         faceBox.className = 'face-box' + (isRecognized ? '' : ' unknown-face');
  274.         faceBox.style.left = (faceLeft * scale) + 'px';
  275.         faceBox.style.top = (faceTop * scale) + 'px';
  276.         faceBox.style.width = (faceWidth * scale) + 'px';
  277.         faceBox.style.height = (faceHeight * scale) + 'px';
  278.         
  279.         // 添加标签
  280.         const faceLabel = document.createElement('div');
  281.         faceLabel.className = 'face-label';
  282.         faceLabel.textContent = isRecognized ? name : '未识别';
  283.         faceBox.appendChild(faceLabel);
  284.         
  285.         faceOverlay.appendChild(faceBox);
  286.     }
  287.    
  288.     // 页面卸载时停止摄像头
  289.     window.addEventListener('beforeunload', function() {
  290.         if (stream) {
  291.             stream.getTracks().forEach(track => track.stop());
  292.         }
  293.     });
  294. </script>
  295. {% endblock %}
复制代码
templates\face_registration.html

  1. {% extends 'base.html' %}
  2. {% block title %}人脸注册 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-10">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-camera me-2"></i>人脸注册</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <div class="row">
  12.                     <div class="col-md-6">
  13.                         <div class="card mb-4">
  14.                             <div class="card-header bg-light">
  15.                                 <h5 class="mb-0">上传照片</h5>
  16.                             </div>
  17.                             <div class="card-body">
  18.                                 <form method="POST" action="{{ url_for('face_registration') }}" enctype="multipart/form-data">
  19.                                     <div class="mb-3">
  20.                                         <label for="face_image" class="form-label">选择照片</label>
  21.                                         <input class="form-control" type="file" id="face_image" name="face_image" accept="image/jpeg,image/png,image/jpg" required>
  22.                                         <div class="form-text">请上传清晰的正面照片,确保光线充足,面部无遮挡</div>
  23.                                     </div>
  24.                                     <div class="mb-3">
  25.                                         <div id="image-preview" class="text-center d-none">
  26.                                             <img id="preview-img" src="#" alt="预览图" class="img-fluid rounded mb-2" style="max-height: 300px;">
  27.                                             <button type="button" id="clear-preview" class="btn btn-sm btn-outline-danger">
  28.                                                 <i class="fas fa-times"></i> 清除
  29.                                             </button>
  30.                                         </div>
  31.                                     </div>
  32.                                     <div class="d-grid">
  33.                                         <button type="submit" class="btn btn-primary">
  34.                                             <i class="fas fa-upload me-2"></i>上传并注册
  35.                                         </button>
  36.                                     </div>
  37.                                 </form>
  38.                             </div>
  39.                         </div>
  40.                     </div>
  41.                     <div class="col-md-6">
  42.                         <div class="card">
  43.                             <div class="card-header bg-light">
  44.                                 <h5 class="mb-0">使用摄像头</h5>
  45.                             </div>
  46.                             <div class="card-body">
  47.                                 <div class="text-center mb-3">
  48.                                     <div id="camera-container">
  49.                                         <video id="webcam" autoplay playsinline width="100%" class="rounded"></video>
  50.                                         <canvas id="canvas" class="d-none"></canvas>
  51.                                     </div>
  52.                                     <div id="captured-container" class="d-none">
  53.                                         <img id="captured-image" src="#" alt="已拍摄照片" class="img-fluid rounded mb-2">
  54.                                     </div>
  55.                                 </div>
  56.                                 <div class="d-grid gap-2">
  57.                                     <button id="start-camera" class="btn btn-info">
  58.                                         <i class="fas fa-video me-2"></i>打开摄像头
  59.                                     </button>
  60.                                     <button id="capture-photo" class="btn btn-primary d-none">
  61.                                         <i class="fas fa-camera me-2"></i>拍摄照片
  62.                                     </button>
  63.                                     <button id="retake-photo" class="btn btn-outline-secondary d-none">
  64.                                         <i class="fas fa-redo me-2"></i>重新拍摄
  65.                                     </button>
  66.                                     <button id="save-photo" class="btn btn-success d-none">
  67.                                         <i class="fas fa-save me-2"></i>保存并注册
  68.                                     </button>
  69.                                 </div>
  70.                                 <div id="webcam-status" class="mt-2 text-center"></div>
  71.                             </div>
  72.                         </div>
  73.                     </div>
  74.                 </div>
  75.             </div>
  76.             <div class="card-footer">
  77.                 <div class="alert alert-info mb-0">
  78.                     <h5><i class="fas fa-info-circle me-2"></i>人脸注册说明</h5>
  79.                     <ul>
  80.                         <li>请确保面部清晰可见,无遮挡物(如口罩、墨镜等)</li>
  81.                         <li>保持自然表情,正面面对摄像头或照片中心</li>
  82.                         <li>避免强烈的侧光或背光,确保光线均匀</li>
  83.                         <li>注册成功后,您可以使用人脸识别功能进行考勤</li>
  84.                         <li>如遇注册失败,请尝试调整光线或姿势后重新尝试</li>
  85.                     </ul>
  86.                 </div>
  87.             </div>
  88.         </div>
  89.     </div>
  90. </div>
  91. {% endblock %}
  92. {% block extra_js %}
  93. <script>
  94.     // 照片上传预览
  95.     document.getElementById('face_image').addEventListener('change', function(e) {
  96.         const file = e.target.files[0];
  97.         if (file) {
  98.             const reader = new FileReader();
  99.             reader.onload = function(event) {
  100.                 const previewImg = document.getElementById('preview-img');
  101.                 previewImg.src = event.target.result;
  102.                 document.getElementById('image-preview').classList.remove('d-none');
  103.             };
  104.             reader.readAsDataURL(file);
  105.         }
  106.     });
  107.    
  108.     document.getElementById('clear-preview').addEventListener('click', function() {
  109.         document.getElementById('face_image').value = '';
  110.         document.getElementById('image-preview').classList.add('d-none');
  111.     });
  112.    
  113.     // 摄像头功能
  114.     const startCameraBtn = document.getElementById('start-camera');
  115.     const capturePhotoBtn = document.getElementById('capture-photo');
  116.     const retakePhotoBtn = document.getElementById('retake-photo');
  117.     const savePhotoBtn = document.getElementById('save-photo');
  118.     const webcamVideo = document.getElementById('webcam');
  119.     const canvas = document.getElementById('canvas');
  120.     const capturedImage = document.getElementById('captured-image');
  121.     const webcamContainer = document.getElementById('camera-container');
  122.     const capturedContainer = document.getElementById('captured-container');
  123.     const webcamStatus = document.getElementById('webcam-status');
  124.    
  125.     let stream = null;
  126.    
  127.     // 启动摄像头
  128.     startCameraBtn.addEventListener('click', async function() {
  129.         try {
  130.             stream = await navigator.mediaDevices.getUserMedia({
  131.                 video: {
  132.                     width: { ideal: 640 },
  133.                     height: { ideal: 480 },
  134.                     facingMode: 'user'
  135.                 }
  136.             });
  137.             webcamVideo.srcObject = stream;
  138.             
  139.             startCameraBtn.classList.add('d-none');
  140.             capturePhotoBtn.classList.remove('d-none');
  141.             webcamStatus.innerHTML = '<span class="text-success">摄像头已启动</span>';
  142.         } catch (err) {
  143.             console.error('摄像头访问失败:', err);
  144.             webcamStatus.innerHTML = '<span class="text-danger">无法访问摄像头: ' + err.message + '</span>';
  145.         }
  146.     });
  147.    
  148.     // 拍摄照片
  149.     capturePhotoBtn.addEventListener('click', function() {
  150.         canvas.width = webcamVideo.videoWidth;
  151.         canvas.height = webcamVideo.videoHeight;
  152.         const ctx = canvas.getContext('2d');
  153.         ctx.drawImage(webcamVideo, 0, 0, canvas.width, canvas.height);
  154.         
  155.         capturedImage.src = canvas.toDataURL('image/jpeg');
  156.         
  157.         webcamContainer.classList.add('d-none');
  158.         capturedContainer.classList.remove('d-none');
  159.         capturePhotoBtn.classList.add('d-none');
  160.         retakePhotoBtn.classList.remove('d-none');
  161.         savePhotoBtn.classList.remove('d-none');
  162.     });
  163.    
  164.     // 重新拍摄
  165.     retakePhotoBtn.addEventListener('click', function() {
  166.         webcamContainer.classList.remove('d-none');
  167.         capturedContainer.classList.add('d-none');
  168.         capturePhotoBtn.classList.remove('d-none');
  169.         retakePhotoBtn.classList.add('d-none');
  170.         savePhotoBtn.classList.add('d-none');
  171.     });
  172.    
  173.     // 保存照片并注册
  174.     savePhotoBtn.addEventListener('click', function() {
  175.         const imageData = capturedImage.src;
  176.         
  177.         // 显示加载状态
  178.         savePhotoBtn.disabled = true;
  179.         savePhotoBtn.innerHTML = '<span class="spinner-border spinner-border-sm" role="status" aria-hidden="true"></span> 处理中...';
  180.         
  181.         // 发送到服务器
  182.         fetch('{{ url_for("webcam_registration") }}', {
  183.             method: 'POST',
  184.             headers: {
  185.                 'Content-Type': 'application/x-www-form-urlencoded',
  186.             },
  187.             body: 'image_data=' + encodeURIComponent(imageData)
  188.         })
  189.         .then(response => response.json())
  190.         .then(data => {
  191.             if (data.success) {
  192.                 // 注册成功
  193.                 webcamStatus.innerHTML = '<div class="alert alert-success">' + data.message + '</div>';
  194.                
  195.                 // 停止摄像头
  196.                 if (stream) {
  197.                     stream.getTracks().forEach(track => track.stop());
  198.                 }
  199.                
  200.                 // 3秒后跳转到控制面板
  201.                 setTimeout(() => {
  202.                     window.location.href = '{{ url_for("dashboard") }}';
  203.                 }, 3000);
  204.             } else {
  205.                 // 注册失败
  206.                 webcamStatus.innerHTML = '<div class="alert alert-danger">' + data.message + '</div>';
  207.                 savePhotoBtn.disabled = false;
  208.                 savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  209.                
  210.                 // 重置为拍摄状态
  211.                 setTimeout(() => {
  212.                     retakePhotoBtn.click();
  213.                 }, 2000);
  214.             }
  215.         })
  216.         .catch(error => {
  217.             console.error('Error:', error);
  218.             webcamStatus.innerHTML = '<div class="alert alert-danger">服务器错误,请稍后重试</div>';
  219.             savePhotoBtn.disabled = false;
  220.             savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  221.         });
  222.     });
  223.    
  224.     // 页面卸载时停止摄像头
  225.     window.addEventListener('beforeunload', function() {
  226.         if (stream) {
  227.             stream.getTracks().forEach(track => track.stop());
  228.         }
  229.     });
  230. </script>
  231. {% endblock %}
复制代码
templates\face_registration_admin.html

  1. {% extends 'base.html' %}
  2. {% block title %}管理员人脸注册 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-8">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-camera me-2"></i>为用户注册人脸数据</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <div class="alert alert-info mb-4">
  12.                     <h5 class="mb-2"><i class="fas fa-info-circle me-2"></i>用户信息</h5>
  13.                     <div class="row">
  14.                         <div class="col-md-6">
  15.                             <p><strong>学号:</strong> {{ user.student_id }}</p>
  16.                             <p><strong>姓名:</strong> {{ user.name }}</p>
  17.                         </div>
  18.                         <div class="col-md-6">
  19.                             <p><strong>邮箱:</strong> {{ user.email }}</p>
  20.                             <p><strong>注册日期:</strong> {{ user.registration_date }}</p>
  21.                         </div>
  22.                     </div>
  23.                 </div>
  24.                
  25.                 <div class="row">
  26.                     <div class="col-md-6">
  27.                         <div class="card mb-4">
  28.                             <div class="card-header bg-light">
  29.                                 <h5 class="mb-0">上传照片</h5>
  30.                             </div>
  31.                             <div class="card-body">
  32.                                 <form method="POST" action="{{ url_for('face_registration_admin', user_id=user.id) }}" enctype="multipart/form-data">
  33.                                     <div class="mb-3">
  34.                                         <label for="face_image" class="form-label">选择照片</label>
  35.                                         <input class="form-control" type="file" id="face_image" name="face_image" accept="image/jpeg,image/png,image/jpg" required>
  36.                                         <div class="form-text">请上传清晰的正面照片,确保光线充足,面部无遮挡</div>
  37.                                     </div>
  38.                                     <div class="mb-3">
  39.                                         <div id="image-preview" class="text-center d-none">
  40.                                             <img id="preview-img" src="#" alt="预览图" class="img-fluid rounded mb-2" style="max-height: 300px;">
  41.                                             <button type="button" id="clear-preview" class="btn btn-sm btn-outline-danger">
  42.                                                 <i class="fas fa-times"></i> 清除
  43.                                             </button>
  44.                                         </div>
  45.                                     </div>
  46.                                     <div class="d-grid">
  47.                                         <button type="submit" class="btn btn-primary">
  48.                                             <i class="fas fa-upload me-2"></i>上传并注册
  49.                                         </button>
  50.                                     </div>
  51.                                 </form>
  52.                             </div>
  53.                         </div>
  54.                     </div>
  55.                     <div class="col-md-6">
  56.                         <div class="card">
  57.                             <div class="card-header bg-light">
  58.                                 <h5 class="mb-0">使用摄像头</h5>
  59.                             </div>
  60.                             <div class="card-body">
  61.                                 <div class="text-center mb-3">
  62.                                     <div id="camera-container">
  63.                                         <video id="webcam" autoplay playsinline width="100%" class="rounded"></video>
  64.                                         <canvas id="canvas" class="d-none"></canvas>
  65.                                     </div>
  66.                                     <div id="captured-container" class="d-none">
  67.                                         <img id="captured-image" src="#" alt="已拍摄照片" class="img-fluid rounded mb-2">
  68.                                     </div>
  69.                                 </div>
  70.                                 <div class="d-grid gap-2">
  71.                                     <button id="start-camera" class="btn btn-info">
  72.                                         <i class="fas fa-video me-2"></i>打开摄像头
  73.                                     </button>
  74.                                     <button id="capture-photo" class="btn btn-primary d-none">
  75.                                         <i class="fas fa-camera me-2"></i>拍摄照片
  76.                                     </button>
  77.                                     <button id="retake-photo" class="btn btn-outline-secondary d-none">
  78.                                         <i class="fas fa-redo me-2"></i>重新拍摄
  79.                                     </button>
  80.                                     <button id="save-photo" class="btn btn-success d-none">
  81.                                         <i class="fas fa-save me-2"></i>保存并注册
  82.                                     </button>
  83.                                 </div>
  84.                                 <div id="webcam-status" class="mt-2 text-center"></div>
  85.                             </div>
  86.                         </div>
  87.                     </div>
  88.                 </div>
  89.             </div>
  90.             <div class="card-footer">
  91.                 <div class="row">
  92.                     <div class="col-md-6">
  93.                         <a href="{{ url_for('edit_user', user_id=user.id) }}" class="btn btn-outline-secondary">
  94.                             <i class="fas fa-arrow-left me-1"></i>返回用户编辑
  95.                         </a>
  96.                     </div>
  97.                     <div class="col-md-6 text-md-end mt-2 mt-md-0">
  98.                         <a href="{{ url_for('user_management') }}" class="btn btn-outline-primary">
  99.                             <i class="fas fa-users me-1"></i>返回用户列表
  100.                         </a>
  101.                     </div>
  102.                 </div>
  103.             </div>
  104.         </div>
  105.     </div>
  106. </div>
  107. {% endblock %}
  108. {% block extra_js %}
  109. <script>
  110.     // 照片上传预览
  111.     document.getElementById('face_image').addEventListener('change', function(e) {
  112.         const file = e.target.files[0];
  113.         if (file) {
  114.             const reader = new FileReader();
  115.             reader.onload = function(event) {
  116.                 const previewImg = document.getElementById('preview-img');
  117.                 previewImg.src = event.target.result;
  118.                 document.getElementById('image-preview').classList.remove('d-none');
  119.             };
  120.             reader.readAsDataURL(file);
  121.         }
  122.     });
  123.    
  124.     document.getElementById('clear-preview').addEventListener('click', function() {
  125.         document.getElementById('face_image').value = '';
  126.         document.getElementById('image-preview').classList.add('d-none');
  127.     });
  128.    
  129.     // 摄像头功能
  130.     const startCameraBtn = document.getElementById('start-camera');
  131.     const capturePhotoBtn = document.getElementById('capture-photo');
  132.     const retakePhotoBtn = document.getElementById('retake-photo');
  133.     const savePhotoBtn = document.getElementById('save-photo');
  134.     const webcamVideo = document.getElementById('webcam');
  135.     const canvas = document.getElementById('canvas');
  136.     const capturedImage = document.getElementById('captured-image');
  137.     const webcamContainer = document.getElementById('camera-container');
  138.     const capturedContainer = document.getElementById('captured-container');
  139.     const webcamStatus = document.getElementById('webcam-status');
  140.    
  141.     let stream = null;
  142.    
  143.     // 启动摄像头
  144.     startCameraBtn.addEventListener('click', async function() {
  145.         try {
  146.             stream = await navigator.mediaDevices.getUserMedia({
  147.                 video: {
  148.                     width: { ideal: 640 },
  149.                     height: { ideal: 480 },
  150.                     facingMode: 'user'
  151.                 }
  152.             });
  153.             webcamVideo.srcObject = stream;
  154.             
  155.             startCameraBtn.classList.add('d-none');
  156.             capturePhotoBtn.classList.remove('d-none');
  157.             webcamStatus.innerHTML = '<span class="text-success">摄像头已启动</span>';
  158.         } catch (err) {
  159.             console.error('摄像头访问失败:', err);
  160.             webcamStatus.innerHTML = '<span class="text-danger">无法访问摄像头: ' + err.message + '</span>';
  161.         }
  162.     });
  163.    
  164.     // 拍摄照片
  165.     capturePhotoBtn.addEventListener('click', function() {
  166.         canvas.width = webcamVideo.videoWidth;
  167.         canvas.height = webcamVideo.videoHeight;
  168.         const ctx = canvas.getContext('2d');
  169.         ctx.drawImage(webcamVideo, 0, 0, canvas.width, canvas.height);
  170.         
  171.         capturedImage.src = canvas.toDataURL('image/jpeg');
  172.         
  173.         webcamContainer.classList.add('d-none');
  174.         capturedContainer.classList.remove('d-none');
  175.         capturePhotoBtn.classList.add('d-none');
  176.         retakePhotoBtn.classList.remove('d-none');
  177.         savePhotoBtn.classList.remove('d-none');
  178.     });
  179.    
  180.     // 重新拍摄
  181.     retakePhotoBtn.addEventListener('click', function() {
  182.         webcamContainer.classList.remove('d-none');
  183.         capturedContainer.classList.add('d-none');
  184.         capturePhotoBtn.classList.remove('d-none');
  185.         retakePhotoBtn.classList.add('d-none');
  186.         savePhotoBtn.classList.add('d-none');
  187.     });
  188.    
  189.     // 保存照片并注册
  190.     savePhotoBtn.addEventListener('click', function() {
  191.         const imageData = capturedImage.src;
  192.         
  193.         // 显示加载状态
  194.         savePhotoBtn.disabled = true;
  195.         savePhotoBtn.innerHTML = '<span class="spinner-border spinner-border-sm" role="status" aria-hidden="true"></span> 处理中...';
  196.         
  197.         // 发送到服务器
  198.         fetch('{{ url_for("webcam_registration") }}', {
  199.             method: 'POST',
  200.             headers: {
  201.                 'Content-Type': 'application/x-www-form-urlencoded',
  202.             },
  203.             body: 'image_data=' + encodeURIComponent(imageData) + '&user_id={{ user.id }}'
  204.         })
  205.         .then(response => response.json())
  206.         .then(data => {
  207.             if (data.success) {
  208.                 // 注册成功
  209.                 webcamStatus.innerHTML = '<div class="alert alert-success">' + data.message + '</div>';
  210.                
  211.                 // 停止摄像头
  212.                 if (stream) {
  213.                     stream.getTracks().forEach(track => track.stop());
  214.                 }
  215.                
  216.                 // 3秒后跳转到用户编辑页面
  217.                 setTimeout(() => {
  218.                     window.location.href = '{{ url_for("edit_user", user_id=user.id) }}';
  219.                 }, 3000);
  220.             } else {
  221.                 // 注册失败
  222.                 webcamStatus.innerHTML = '<div class="alert alert-danger">' + data.message + '</div>';
  223.                 savePhotoBtn.disabled = false;
  224.                 savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  225.                
  226.                 // 重置为拍摄状态
  227.                 setTimeout(() => {
  228.                     retakePhotoBtn.click();
  229.                 }, 2000);
  230.             }
  231.         })
  232.         .catch(error => {
  233.             console.error('Error:', error);
  234.             webcamStatus.innerHTML = '<div class="alert alert-danger">服务器错误,请稍后重试</div>';
  235.             savePhotoBtn.disabled = false;
  236.             savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  237.         });
  238.     });
  239.    
  240.     // 页面卸载时停止摄像头
  241.     window.addEventListener('beforeunload', function() {
  242.         if (stream) {
  243.             stream.getTracks().forEach(track => track.stop());
  244.         }
  245.     });
  246. </script>
  247. {% endblock %}
复制代码
templates\index.html

  1. {% extends 'base.html' %}
  2. {% block title %}首页 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row align-items-center">
  5.     <div class="col-lg-6">
  6.         <h1 class="display-4 fw-bold mb-4">智能校园考勤系统</h1>
  7.         <p class="lead mb-4">基于深度学习的人脸识别技术,为校园考勤带来全新体验。告别传统签到方式,实现快速、准确、高效的智能考勤管理。</p>
  8.         <div class="d-grid gap-2 d-md-flex justify-content-md-start mb-4">
  9.             {% if session.get('user_id') %}
  10.                 <a href="{{ url_for('face_recognition_attendance') }}" class="btn btn-primary btn-lg px-4 me-md-2">开始考勤</a>
  11.                 <a href="{{ url_for('dashboard') }}" class="btn btn-outline-secondary btn-lg px-4">控制面板</a>
  12.             {% else %}
  13.                 <a href="{{ url_for('login') }}" class="btn btn-primary btn-lg px-4 me-md-2">登录系统</a>
  14.                 <a href="{{ url_for('register') }}" class="btn btn-outline-secondary btn-lg px-4">注册账号</a>
  15.             {% endif %}
  16.         </div>
  17.     </div>
  18.     <div class="col-lg-6">
  19.         <img src="https://source.unsplash.com/random/600x400/?face,technology" class="img-fluid rounded shadow" alt="人脸识别技术">
  20.     </div>
  21. </div>
  22. <div class="row mt-5 pt-5">
  23.     <div class="col-12 text-center">
  24.         <h2 class="mb-4">系统特点</h2>
  25.     </div>
  26. </div>
  27. <div class="row g-4 py-3">
  28.     <div class="col-md-4">
  29.         <div class="card h-100 shadow-sm">
  30.             <div class="card-body text-center">
  31.                 <i class="fas fa-bolt text-primary fa-3x mb-3"></i>
  32.                 <h3 class="card-title">快速识别</h3>
  33.                 <p class="card-text">采用先进的深度学习算法,实现毫秒级人脸识别,大幅提高考勤效率。</p>
  34.             </div>
  35.         </div>
  36.     </div>
  37.     <div class="col-md-4">
  38.         <div class="card h-100 shadow-sm">
  39.             <div class="card-body text-center">
  40.                 <i class="fas fa-shield-alt text-primary fa-3x mb-3"></i>
  41.                 <h3 class="card-title">安全可靠</h3>
  42.                 <p class="card-text">人脸特征加密存储,确保用户隐私安全,防止冒名顶替,提高考勤准确性。</p>
  43.             </div>
  44.         </div>
  45.     </div>
  46.     <div class="col-md-4">
  47.         <div class="card h-100 shadow-sm">
  48.             <div class="card-body text-center">
  49.                 <i class="fas fa-chart-line text-primary fa-3x mb-3"></i>
  50.                 <h3 class="card-title">数据分析</h3>
  51.                 <p class="card-text">自动生成考勤统计报表,提供直观的数据可视化,辅助教学管理决策。</p>
  52.             </div>
  53.         </div>
  54.     </div>
  55. </div>
  56. <div class="row mt-5 pt-3">
  57.     <div class="col-12 text-center">
  58.         <h2 class="mb-4">使用流程</h2>
  59.     </div>
  60. </div>
  61. <div class="row">
  62.     <div class="col-12">
  63.         <div class="steps">
  64.             <div class="step-item">
  65.                 <div class="step-number">1</div>
  66.                 <div class="step-content">
  67.                     <h4>注册账号</h4>
  68.                     <p>创建个人账号,填写基本信息</p>
  69.                 </div>
  70.             </div>
  71.             <div class="step-item">
  72.                 <div class="step-number">2</div>
  73.                 <div class="step-content">
  74.                     <h4>人脸录入</h4>
  75.                     <p>上传照片或使用摄像头采集人脸数据</p>
  76.                 </div>
  77.             </div>
  78.             <div class="step-item">
  79.                 <div class="step-number">3</div>
  80.                 <div class="step-content">
  81.                     <h4>日常考勤</h4>
  82.                     <p>通过人脸识别快速完成签到签退</p>
  83.                 </div>
  84.             </div>
  85.             <div class="step-item">
  86.                 <div class="step-number">4</div>
  87.                 <div class="step-content">
  88.                     <h4>查看记录</h4>
  89.                     <p>随时查看个人考勤记录和统计数据</p>
  90.                 </div>
  91.             </div>
  92.         </div>
  93.     </div>
  94. </div>
  95. {% endblock %}
  96. {% block extra_css %}
  97. <style>
  98.     .steps {
  99.         display: flex;
  100.         justify-content: space-between;
  101.         margin: 2rem 0;
  102.         position: relative;
  103.     }
  104.    
  105.     .steps:before {
  106.         content: '';
  107.         position: absolute;
  108.         top: 30px;
  109.         left: 0;
  110.         right: 0;
  111.         height: 2px;
  112.         background: #e9ecef;
  113.         z-index: -1;
  114.     }
  115.    
  116.     .step-item {
  117.         text-align: center;
  118.         flex: 1;
  119.         position: relative;
  120.     }
  121.    
  122.     .step-number {
  123.         width: 60px;
  124.         height: 60px;
  125.         border-radius: 50%;
  126.         background: #0d6efd;
  127.         color: white;
  128.         font-size: 1.5rem;
  129.         font-weight: bold;
  130.         display: flex;
  131.         align-items: center;
  132.         justify-content: center;
  133.         margin: 0 auto 1rem;
  134.     }
  135.    
  136.     .step-content h4 {
  137.         margin-bottom: 0.5rem;
  138.     }
  139.    
  140.     .step-content p {
  141.         color: #6c757d;
  142.     }
  143. </style>
  144. {% endblock %}
复制代码
templates\login.html

  1. {% extends 'base.html' %}
  2. {% block title %}登录 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-6">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-sign-in-alt me-2"></i>用户登录</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <form method="POST" action="{{ url_for('login') }}">
  12.                     <div class="mb-3">
  13.                         <label for="student_id" class="form-label">学号</label>
  14.                         <div class="input-group">
  15.                             <span class="input-group-text"><i class="fas fa-id-card"></i></span>
  16.                             <input type="text" class="form-control" id="student_id" name="student_id" required autofocus>
  17.                         </div>
  18.                     </div>
  19.                     <div class="mb-3">
  20.                         <label for="password" class="form-label">密码</label>
  21.                         <div class="input-group">
  22.                             <span class="input-group-text"><i class="fas fa-lock"></i></span>
  23.                             <input type="password" class="form-control" id="password" name="password" required>
  24.                         </div>
  25.                     </div>
  26.                     <div class="d-grid gap-2">
  27.                         <button type="submit" class="btn btn-primary">登录</button>
  28.                     </div>
  29.                 </form>
  30.             </div>
  31.             <div class="card-footer text-center">
  32.                 <p class="mb-0">还没有账号? <a href="{{ url_for('register') }}">立即注册</a></p>
  33.             </div>
  34.         </div>
  35.         
  36.         <div class="card mt-4 shadow">
  37.             <div class="card-header bg-info text-white">
  38.                 <h5 class="mb-0"><i class="fas fa-info-circle me-2"></i>人脸识别登录</h5>
  39.             </div>
  40.             <div class="card-body text-center">
  41.                 <p>您也可以使用人脸识别功能直接考勤</p>
  42.                 <a href="{{ url_for('face_recognition_attendance') }}" class="btn btn-info">
  43.                     <i class="fas fa-camera me-2"></i>人脸识别考勤
  44.                 </a>
  45.             </div>
  46.         </div>
  47.     </div>
  48. </div>
  49. {% endblock %}
复制代码
templates\register.html

  1. {% extends 'base.html' %}
  2. {% block title %}注册 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-8">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-user-plus me-2"></i>用户注册</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <form method="POST" action="{{ url_for('register') }}">
  12.                     <div class="row">
  13.                         <div class="col-md-6 mb-3">
  14.                             <label for="student_id" class="form-label">学号 <span class="text-danger">*</span></label>
  15.                             <div class="input-group">
  16.                                 <span class="input-group-text"><i class="fas fa-id-card"></i></span>
  17.                                 <input type="text" class="form-control" id="student_id" name="student_id" required autofocus>
  18.                             </div>
  19.                             <div class="form-text">请输入您的学号,将作为登录账号使用</div>
  20.                         </div>
  21.                         <div class="col-md-6 mb-3">
  22.                             <label for="name" class="form-label">姓名 <span class="text-danger">*</span></label>
  23.                             <div class="input-group">
  24.                                 <span class="input-group-text"><i class="fas fa-user"></i></span>
  25.                                 <input type="text" class="form-control" id="name" name="name" required>
  26.                             </div>
  27.                         </div>
  28.                     </div>
  29.                     
  30.                     <div class="mb-3">
  31.                         <label for="email" class="form-label">电子邮箱 <span class="text-danger">*</span></label>
  32.                         <div class="input-group">
  33.                             <span class="input-group-text"><i class="fas fa-envelope"></i></span>
  34.                             <input type="email" class="form-control" id="email" name="email" required>
  35.                         </div>
  36.                         <div class="form-text">请输入有效的电子邮箱,用于接收系统通知</div>
  37.                     </div>
  38.                     
  39.                     <div class="row">
  40.                         <div class="col-md-6 mb-3">
  41.                             <label for="password" class="form-label">密码 <span class="text-danger">*</span></label>
  42.                             <div class="input-group">
  43.                                 <span class="input-group-text"><i class="fas fa-lock"></i></span>
  44.                                 <input type="password" class="form-control" id="password" name="password" required>
  45.                             </div>
  46.                             <div class="form-text">密码长度至少为6位,包含字母和数字</div>
  47.                         </div>
  48.                         <div class="col-md-6 mb-3">
  49.                             <label for="confirm_password" class="form-label">确认密码 <span class="text-danger">*</span></label>
  50.                             <div class="input-group">
  51.                                 <span class="input-group-text"><i class="fas fa-lock"></i></span>
  52.                                 <input type="password" class="form-control" id="confirm_password" name="confirm_password" required>
  53.                             </div>
  54.                             <div class="form-text">请再次输入密码进行确认</div>
  55.                         </div>
  56.                     </div>
  57.                     
  58.                     <div class="mb-3 form-check">
  59.                         <input type="checkbox" class="form-check-input" id="terms" required>
  60.                         <label class="form-check-label" for="terms">我已阅读并同意 <a href="#" data-bs-toggle="modal" data-bs-target="#termsModal">用户协议</a> 和 <a href="#" data-bs-toggle="modal" data-bs-target="#privacyModal">隐私政策</a></label>
  61.                     </div>
  62.                     
  63.                     <div class="d-grid gap-2">
  64.                         <button type="submit" class="btn btn-primary btn-lg">注册账号</button>
  65.                     </div>
  66.                 </form>
  67.             </div>
  68.             <div class="card-footer text-center">
  69.                 <p class="mb-0">已有账号? <a href="{{ url_for('login') }}">立即登录</a></p>
  70.             </div>
  71.         </div>
  72.     </div>
  73. </div>
  74. <!-- Terms Modal -->
  75. <div class="modal fade" id="termsModal" tabindex="-1" aria-labelledby="termsModalLabel" aria-hidden="true">
  76.     <div class="modal-dialog modal-lg">
  77.         <div class="modal-content">
  78.             <div class="modal-header">
  79.                 <h5 class="modal-title" id="termsModalLabel">用户协议</h5>
  80.                 <button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
  81.             </div>
  82.             <div class="modal-body">
  83.                 <h5>校园人脸识别考勤系统用户协议</h5>
  84.                 <p>欢迎使用校园人脸识别考勤系统。请仔细阅读以下条款,注册即表示您同意接受本协议的所有条款。</p>
  85.                
  86.                 <h6>1. 服务说明</h6>
  87.                 <p>校园人脸识别考勤系统(以下简称"本系统")是一款基于深度学习的人脸识别考勤系统,为用户提供自动化考勤服务。</p>
  88.                
  89.                 <h6>2. 用户注册与账号安全</h6>
  90.                 <p>2.1 用户在注册时需要提供真实、准确、完整的个人资料。<br>
  91.                 2.2 用户应妥善保管账号和密码,因账号和密码泄露导致的一切损失由用户自行承担。<br>
  92.                 2.3 用户注册成功后,需要上传本人的人脸数据用于识别。</p>
  93.                
  94.                 <h6>3. 用户行为规范</h6>
  95.                 <p>3.1 用户不得利用本系统进行任何违法或不当的活动。<br>
  96.                 3.2 用户不得尝试破解、篡改或干扰本系统的正常运行。<br>
  97.                 3.3 用户不得上传非本人的人脸数据,或尝试冒充他人进行考勤。</p>
  98.                
  99.                 <h6>4. 隐私保护</h6>
  100.                 <p>4.1 本系统重视用户隐私保护,收集的个人信息和人脸数据仅用于考勤目的。<br>
  101.                 4.2 未经用户同意,本系统不会向第三方披露用户个人信息。<br>
  102.                 4.3 详细隐私政策请参阅《隐私政策》。</p>
  103.                
  104.                 <h6>5. 免责声明</h6>
  105.                 <p>5.1 本系统不保证服务不会中断,对系统的及时性、安全性、准确性也不作保证。<br>
  106.                 5.2 因网络状况、通讯线路、第三方网站或管理部门的要求等任何原因而导致的服务中断或其他缺陷,本系统不承担任何责任。</p>
  107.                
  108.                 <h6>6. 协议修改</h6>
  109.                 <p>本系统有权在必要时修改本协议条款,修改后的协议一旦公布即代替原协议。用户可在本系统查阅最新版协议条款。</p>
  110.                
  111.                 <h6>7. 适用法律</h6>
  112.                 <p>本协议的订立、执行和解释及争议的解决均应适用中国法律。</p>
  113.             </div>
  114.             <div class="modal-footer">
  115.                 <button type="button" class="btn btn-secondary" data-bs-dismiss="modal">关闭</button>
  116.             </div>
  117.         </div>
  118.     </div>
  119. </div>
  120. <!-- Privacy Modal -->
  121. <div class="modal fade" id="privacyModal" tabindex="-1" aria-labelledby="privacyModalLabel" aria-hidden="true">
  122.     <div class="modal-dialog modal-lg">
  123.         <div class="modal-content">
  124.             <div class="modal-header">
  125.                 <h5 class="modal-title" id="privacyModalLabel">隐私政策</h5>
  126.                 <button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
  127.             </div>
  128.             <div class="modal-body">
  129.                 <h5>校园人脸识别考勤系统隐私政策</h5>
  130.                 <p>本隐私政策说明了我们如何收集、使用、存储和保护您的个人信息。请在使用本系统前仔细阅读本政策。</p>
  131.                
  132.                 <h6>1. 信息收集</h6>
  133.                 <p>1.1 基本信息:我们收集您的学号、姓名、电子邮箱等基本信息。<br>
  134.                 1.2 人脸数据:我们收集您的人脸图像并提取特征向量用于身份识别。<br>
  135.                 1.3 考勤记录:我们记录您的考勤时间和考勤状态。</p>
  136.                
  137.                 <h6>2. 信息使用</h6>
  138.                 <p>2.1 您的个人信息和人脸数据仅用于身份验证和考勤记录目的。<br>
  139.                 2.2 我们不会将您的个人信息用于与考勤无关的其他目的。<br>
  140.                 2.3 未经您的明确许可,我们不会向任何第三方提供您的个人信息。</p>
  141.                
  142.                 <h6>3. 信息存储与保护</h6>
  143.                 <p>3.1 您的人脸特征数据以加密形式存储在我们的数据库中。<br>
  144.                 3.2 我们采取适当的技术和组织措施来保护您的个人信息不被未经授权的访问、使用或泄露。<br>
  145.                 3.3 我们定期审查我们的信息收集、存储和处理实践,以防止未经授权的访问和使用。</p>
  146.                
  147.                 <h6>4. 信息保留</h6>
  148.                 <p>4.1 我们仅在必要的时间内保留您的个人信息,以实现本政策中所述的目的。<br>
  149.                 4.2 当您不再使用本系统时,您可以要求我们删除您的个人信息和人脸数据。</p>
  150.                
  151.                 <h6>5. 您的权利</h6>
  152.                 <p>5.1 您有权访问、更正或删除您的个人信息。<br>
  153.                 5.2 您有权随时撤回您对收集和使用您个人信息的同意。<br>
  154.                 5.3 如需行使上述权利,请联系系统管理员。</p>
  155.                
  156.                 <h6>6. 政策更新</h6>
  157.                 <p>我们可能会不时更新本隐私政策。任何重大变更都会通过电子邮件或系统通知的形式通知您。</p>
  158.                
  159.                 <h6>7. 联系我们</h6>
  160.                 <p>如果您对本隐私政策有任何疑问或建议,请联系系统管理员。</p>
  161.             </div>
  162.             <div class="modal-footer">
  163.                 <button type="button" class="btn btn-secondary" data-bs-dismiss="modal">关闭</button>
  164.             </div>
  165.         </div>
  166.     </div>
  167. </div>
  168. {% endblock %}
  169. {% block extra_js %}
  170. <script>
  171.     // 密码一致性验证
  172.     document.getElementById('confirm_password').addEventListener('input', function() {
  173.         const password = document.getElementById('password').value;
  174.         const confirmPassword = this.value;
  175.         
  176.         if (password !== confirmPassword) {
  177.             this.setCustomValidity('两次输入的密码不一致');
  178.         } else {
  179.             this.setCustomValidity('');
  180.         }
  181.     });
  182.    
  183.     // 密码强度验证
  184.     document.getElementById('password').addEventListener('input', function() {
  185.         const password = this.value;
  186.         const hasLetter = /[a-zA-Z]/.test(password);
  187.         const hasNumber = /[0-9]/.test(password);
  188.         const isLongEnough = password.length >= 6;
  189.         
  190.         if (!hasLetter || !hasNumber || !isLongEnough) {
  191.             this.setCustomValidity('密码必须至少包含6个字符,包括字母和数字');
  192.         } else {
  193.             this.setCustomValidity('');
  194.         }
  195.     });
  196. </script>
  197. {% endblock %}
复制代码
templates\user_management.html

  1. {% extends 'base.html' %}
  2. {% block title %}用户管理 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="card shadow">
  5.     <div class="card-header bg-primary text-white">
  6.         <h4 class="mb-0"><i class="fas fa-users-cog me-2"></i>用户管理</h4>
  7.     </div>
  8.     <div class="card-body">
  9.         <div class="row mb-4">
  10.             <div class="col-md-6">
  11.                 <form method="GET" action="{{ url_for('user_management') }}" class="d-flex">
  12.                     <input type="text" class="form-control me-2" name="search" placeholder="搜索学号或姓名" value="{{ search_query }}">
  13.                     <button type="submit" class="btn btn-primary">
  14.                         <i class="fas fa-search me-1"></i>搜索
  15.                     </button>
  16.                 </form>
  17.             </div>
  18.             <div class="col-md-6 text-md-end mt-3 mt-md-0">
  19.                 <a href="{{ url_for('register') }}" class="btn btn-success">
  20.                     <i class="fas fa-user-plus me-1"></i>添加用户
  21.                 </a>
  22.             </div>
  23.         </div>
  24.         
  25.         {% if users %}
  26.             <div class="table-responsive">
  27.                 <table class="table table-hover table-striped">
  28.                     <thead class="table-light">
  29.                         <tr>
  30.                             <th>学号</th>
  31.                             <th>姓名</th>
  32.                             <th>邮箱</th>
  33.                             <th>注册日期</th>
  34.                             <th>人脸数据</th>
  35.                             <th>操作</th>
  36.                         </tr>
  37.                     </thead>
  38.                     <tbody>
  39.                         {% for user in users %}
  40.                             <tr>
  41.                                 <td>{{ user.student_id }}</td>
  42.                                 <td>{{ user.name }}</td>
  43.                                 <td>{{ user.email }}</td>
  44.                                 <td>{{ user.registration_date }}</td>
  45.                                 <td>
  46.                                     {% if user.has_face_data %}
  47.                                         <span class="badge bg-success">已注册</span>
  48.                                     {% else %}
  49.                                         <span class="badge bg-warning">未注册</span>
  50.                                     {% endif %}
  51.                                 </td>
  52.                                 <td>
  53.                                     <div class="btn-group btn-group-sm">
  54.                                         <a href="{{ url_for('edit_user', user_id=user.id) }}" class="btn btn-outline-primary">
  55.                                             <i class="fas fa-edit"></i>
  56.                                         </a>
  57.                                         <button type="button" class="btn btn-outline-danger" data-bs-toggle="modal" data-bs-target="#deleteModal{{ user.id }}">
  58.                                             <i class="fas fa-trash-alt"></i>
  59.                                         </button>
  60.                                         {% if not user.has_face_data %}
  61.                                             <a href="{{ url_for('face_registration_admin', user_id=user.id) }}" class="btn btn-outline-success">
  62.                                                 <i class="fas fa-camera"></i>
  63.                                             </a>
  64.                                         {% endif %}
  65.                                     </div>
  66.                                     
  67.                                     <!-- Delete Modal -->
  68.                                     <div class="modal fade" id="deleteModal{{ user.id }}" tabindex="-1" aria-labelledby="deleteModalLabel{{ user.id }}" aria-hidden="true">
  69.                                         <div class="modal-dialog">
  70.                                             <div class="modal-content">
  71.                                                 <div class="modal-header">
  72.                                                     <h5 class="modal-title" id="deleteModalLabel{{ user.id }}">确认删除</h5>
  73.                                                     <button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
  74.                                                 </div>
  75.                                                 <div class="modal-body">
  76.                                                     <p>确定要删除用户 <strong>{{ user.name }}</strong> ({{ user.student_id }}) 吗?</p>
  77.                                                     <p class="text-danger">此操作不可逆,用户的所有数据(包括考勤记录和人脸数据)将被永久删除。</p>
  78.                                                 </div>
  79.                                                 <div class="modal-footer">
  80.                                                     <button type="button" class="btn btn-secondary" data-bs-dismiss="modal">取消</button>
  81.                                                     <form action="{{ url_for('delete_user', user_id=user.id) }}" method="POST" style="display: inline;">
  82.                                                         <button type="submit" class="btn btn-danger">确认删除</button>
  83.                                                     </form>
  84.                                                 </div>
  85.                                             </div>
  86.                                         </div>
  87.                                     </div>
  88.                                 </td>
  89.                             </tr>
  90.                         {% endfor %}
  91.                     </tbody>
  92.                 </table>
  93.             </div>
  94.             
  95.             <!-- Pagination -->
  96.             {% if total_pages > 1 %}
  97.                 <nav aria-label="Page navigation">
  98.                     <ul class="pagination justify-content-center">
  99.                         <li class="page-item {{ 'disabled' if current_page == 1 else '' }}">
  100.                             <a class="page-link" href="{{ url_for('user_management', page=current_page-1, search=search_query) }}" aria-label="Previous">
  101.                                 <span aria-hidden="true">&laquo;</span>
  102.                             </a>
  103.                         </li>
  104.                         
  105.                         {% for i in range(1, total_pages + 1) %}
  106.                             <li class="page-item {{ 'active' if i == current_page else '' }}">
  107.                                 <a class="page-link" href="{{ url_for('user_management', page=i, search=search_query) }}">{{ i }}</a>
  108.                             </li>
  109.                         {% endfor %}
  110.                         
  111.                         <li class="page-item {{ 'disabled' if current_page == total_pages else '' }}">
  112.                             <a class="page-link" href="{{ url_for('user_management', page=current_page+1, search=search_query) }}" aria-label="Next">
  113.                                 <span aria-hidden="true">&raquo;</span>
  114.                             </a>
  115.                         </li>
  116.                     </ul>
  117.                 </nav>
  118.             {% endif %}
  119.         {% else %}
  120.             <div class="alert alert-info">
  121.                 <i class="fas fa-info-circle me-2"></i>没有找到用户记录
  122.             </div>
  123.         {% endif %}
  124.     </div>
  125.     <div class="card-footer">
  126.         <div class="row">
  127.             <div class="col-md-6">
  128.                 <button class="btn btn-outline-primary" onclick="window.print()">
  129.                     <i class="fas fa-print me-1"></i>打印用户列表
  130.                 </button>
  131.             </div>
  132.             <div class="col-md-6 text-md-end mt-2 mt-md-0">
  133.                 <a href="#" class="btn btn-outline-success" id="exportBtn">
  134.                     <i class="fas fa-file-excel me-1"></i>导出Excel
  135.                 </a>
  136.             </div>
  137.         </div>
  138.     </div>
  139. </div>
  140. {% endblock %}
  141. {% block extra_js %}
  142. <script>
  143.     // 导出Excel功能
  144.     document.getElementById('exportBtn').addEventListener('click', function(e) {
  145.         e.preventDefault();
  146.         alert('导出功能将在完整版中提供');
  147.     });
  148. </script>
  149. {% endblock %}
复制代码
templates\webcam_registration.html

  1. {% extends 'base.html' %}
  2. {% block title %}摄像头人脸注册 - 校园人脸识别考勤系统{% endblock %}
  3. {% block content %}
  4. <div class="row justify-content-center">
  5.     <div class="col-md-8">
  6.         <div class="card shadow">
  7.             <div class="card-header bg-primary text-white">
  8.                 <h4 class="mb-0"><i class="fas fa-camera me-2"></i>摄像头人脸注册</h4>
  9.             </div>
  10.             <div class="card-body">
  11.                 <div class="text-center mb-4">
  12.                     <h5 class="mb-3">请面向摄像头,确保光线充足,面部清晰可见</h5>
  13.                     <div class="alert alert-info">
  14.                         <i class="fas fa-info-circle me-2"></i>请保持自然表情,正面面对摄像头
  15.                     </div>
  16.                 </div>
  17.                
  18.                 <div class="row">
  19.                     <div class="col-md-8 mx-auto">
  20.                         <div id="camera-container" class="position-relative">
  21.                             <video id="webcam" autoplay playsinline width="100%" class="rounded border"></video>
  22.                             <div id="face-overlay" class="position-absolute top-0 start-0 w-100 h-100"></div>
  23.                             <canvas id="canvas" class="d-none"></canvas>
  24.                         </div>
  25.                         
  26.                         <div id="captured-container" class="d-none text-center mt-3">
  27.                             <img id="captured-image" src="#" alt="已拍摄照片" class="img-fluid rounded border" style="max-height: 300px;">
  28.                         </div>
  29.                         
  30.                         <div id="registration-status" class="text-center mt-3">
  31.                             <div class="alert alert-secondary">
  32.                                 <i class="fas fa-info-circle me-2"></i>请点击下方按钮启动摄像头
  33.                             </div>
  34.                         </div>
  35.                     </div>
  36.                 </div>
  37.                
  38.                 <div class="row mt-4">
  39.                     <div class="col-md-8 mx-auto">
  40.                         <div class="d-grid gap-2">
  41.                             <button id="start-camera" class="btn btn-primary">
  42.                                 <i class="fas fa-video me-2"></i>启动摄像头
  43.                             </button>
  44.                             <button id="capture-photo" class="btn btn-success d-none">
  45.                                 <i class="fas fa-camera me-2"></i>拍摄照片
  46.                             </button>
  47.                             <button id="retake-photo" class="btn btn-outline-secondary d-none">
  48.                                 <i class="fas fa-redo me-2"></i>重新拍摄
  49.                             </button>
  50.                             <button id="save-photo" class="btn btn-primary d-none">
  51.                                 <i class="fas fa-save me-2"></i>保存并注册
  52.                             </button>
  53.                         </div>
  54.                     </div>
  55.                 </div>
  56.             </div>
  57.             <div class="card-footer">
  58.                 <div class="row">
  59.                     <div class="col-md-6">
  60.                         <a href="{{ url_for('face_registration') }}" class="btn btn-outline-secondary">
  61.                             <i class="fas fa-arrow-left me-1"></i>返回上传方式
  62.                         </a>
  63.                     </div>
  64.                     <div class="col-md-6 text-md-end mt-2 mt-md-0">
  65.                         <a href="{{ url_for('dashboard') }}" class="btn btn-outline-primary">
  66.                             <i class="fas fa-home me-1"></i>返回控制面板
  67.                         </a>
  68.                     </div>
  69.                 </div>
  70.             </div>
  71.         </div>
  72.     </div>
  73. </div>
  74. {% endblock %}
  75. {% block extra_css %}
  76. <style>
  77.     #camera-container {
  78.         max-width: 640px;
  79.         margin: 0 auto;
  80.         border-radius: 0.25rem;
  81.         overflow: hidden;
  82.     }
  83.    
  84.     #face-overlay {
  85.         pointer-events: none;
  86.     }
  87.    
  88.     .face-box {
  89.         position: absolute;
  90.         border: 2px solid #28a745;
  91.         border-radius: 4px;
  92.     }
  93.    
  94.     .face-label {
  95.         position: absolute;
  96.         background-color: rgba(40, 167, 69, 0.8);
  97.         color: white;
  98.         padding: 2px 6px;
  99.         border-radius: 2px;
  100.         font-size: 12px;
  101.         top: -20px;
  102.         left: 0;
  103.     }
  104.    
  105.     .processing-indicator {
  106.         position: absolute;
  107.         top: 50%;
  108.         left: 50%;
  109.         transform: translate(-50%, -50%);
  110.         background-color: rgba(0, 0, 0, 0.7);
  111.         color: white;
  112.         padding: 10px 20px;
  113.         border-radius: 4px;
  114.         font-size: 14px;
  115.     }
  116.    
  117.     @keyframes pulse {
  118.         0% { box-shadow: 0 0 0 0 rgba(40, 167, 69, 0.7); }
  119.         70% { box-shadow: 0 0 0 10px rgba(40, 167, 69, 0); }
  120.         100% { box-shadow: 0 0 0 0 rgba(40, 167, 69, 0); }
  121.     }
  122.    
  123.     .pulse {
  124.         animation: pulse 1.5s infinite;
  125.     }
  126. </style>
  127. {% endblock %}
  128. {% block extra_js %}
  129. <script>
  130.     const startCameraBtn = document.getElementById('start-camera');
  131.     const capturePhotoBtn = document.getElementById('capture-photo');
  132.     const retakePhotoBtn = document.getElementById('retake-photo');
  133.     const savePhotoBtn = document.getElementById('save-photo');
  134.     const webcamVideo = document.getElementById('webcam');
  135.     const canvas = document.getElementById('canvas');
  136.     const capturedImage = document.getElementById('captured-image');
  137.     const cameraContainer = document.getElementById('camera-container');
  138.     const capturedContainer = document.getElementById('captured-container');
  139.     const faceOverlay = document.getElementById('face-overlay');
  140.     const registrationStatus = document.getElementById('registration-status');
  141.    
  142.     let stream = null;
  143.    
  144.     // 启动摄像头
  145.     startCameraBtn.addEventListener('click', async function() {
  146.         try {
  147.             stream = await navigator.mediaDevices.getUserMedia({
  148.                 video: {
  149.                     width: { ideal: 640 },
  150.                     height: { ideal: 480 },
  151.                     facingMode: 'user'
  152.                 }
  153.             });
  154.             webcamVideo.srcObject = stream;
  155.             
  156.             startCameraBtn.classList.add('d-none');
  157.             capturePhotoBtn.classList.remove('d-none');
  158.             registrationStatus.innerHTML = '<div class="alert alert-success"><i class="fas fa-check-circle me-2"></i>摄像头已启动,请面向摄像头</div>';
  159.             
  160.             // 添加脉冲效果
  161.             webcamVideo.classList.add('pulse');
  162.             
  163.             // 检测人脸
  164.             detectFace();
  165.         } catch (err) {
  166.             console.error('摄像头访问失败:', err);
  167.             registrationStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>无法访问摄像头: ' + err.message + '</div>';
  168.         }
  169.     });
  170.    
  171.     // 模拟人脸检测
  172.     function detectFace() {
  173.         // 这里仅作为UI示例,实际人脸检测应在服务器端进行
  174.         setTimeout(() => {
  175.             if (stream && stream.active) {
  176.                 const videoWidth = webcamVideo.videoWidth;
  177.                 const videoHeight = webcamVideo.videoHeight;
  178.                 const scale = webcamVideo.offsetWidth / videoWidth;
  179.                
  180.                 // 人脸框位置(居中)
  181.                 const faceWidth = videoWidth * 0.4;
  182.                 const faceHeight = videoHeight * 0.5;
  183.                 const faceLeft = (videoWidth - faceWidth) / 2;
  184.                 const faceTop = (videoHeight - faceHeight) / 2;
  185.                
  186.                 // 创建人脸框元素
  187.                 const faceBox = document.createElement('div');
  188.                 faceBox.className = 'face-box';
  189.                 faceBox.style.left = (faceLeft * scale) + 'px';
  190.                 faceBox.style.top = (faceTop * scale) + 'px';
  191.                 faceBox.style.width = (faceWidth * scale) + 'px';
  192.                 faceBox.style.height = (faceHeight * scale) + 'px';
  193.                
  194.                 faceOverlay.innerHTML = '';
  195.                 faceOverlay.appendChild(faceBox);
  196.                
  197.                 registrationStatus.innerHTML = '<div class="alert alert-success"><i class="fas fa-check-circle me-2"></i>检测到人脸,可以进行拍摄</div>';
  198.             }
  199.         }, 1500);
  200.     }
  201.    
  202.     // 拍摄照片
  203.     capturePhotoBtn.addEventListener('click', function() {
  204.         canvas.width = webcamVideo.videoWidth;
  205.         canvas.height = webcamVideo.videoHeight;
  206.         const ctx = canvas.getContext('2d');
  207.         ctx.drawImage(webcamVideo, 0, 0, canvas.width, canvas.height);
  208.         
  209.         capturedImage.src = canvas.toDataURL('image/jpeg');
  210.         
  211.         cameraContainer.classList.add('d-none');
  212.         capturedContainer.classList.remove('d-none');
  213.         capturePhotoBtn.classList.add('d-none');
  214.         retakePhotoBtn.classList.remove('d-none');
  215.         savePhotoBtn.classList.remove('d-none');
  216.         
  217.         registrationStatus.innerHTML = '<div class="alert alert-info"><i class="fas fa-info-circle me-2"></i>请确认照片清晰可见,如不满意可重新拍摄</div>';
  218.     });
  219.    
  220.     // 重新拍摄
  221.     retakePhotoBtn.addEventListener('click', function() {
  222.         cameraContainer.classList.remove('d-none');
  223.         capturedContainer.classList.add('d-none');
  224.         capturePhotoBtn.classList.remove('d-none');
  225.         retakePhotoBtn.classList.add('d-none');
  226.         savePhotoBtn.classList.add('d-none');
  227.         faceOverlay.innerHTML = '';
  228.         
  229.         registrationStatus.innerHTML = '<div class="alert alert-secondary"><i class="fas fa-info-circle me-2"></i>请重新面向摄像头</div>';
  230.         
  231.         // 重新检测人脸
  232.         detectFace();
  233.     });
  234.    
  235.     // 保存照片并注册
  236.     savePhotoBtn.addEventListener('click', function() {
  237.         const imageData = capturedImage.src;
  238.         
  239.         // 显示加载状态
  240.         savePhotoBtn.disabled = true;
  241.         savePhotoBtn.innerHTML = '<span class="spinner-border spinner-border-sm" role="status" aria-hidden="true"></span> 处理中...';
  242.         
  243.         // 发送到服务器
  244.         fetch('{{ url_for("webcam_registration") }}', {
  245.             method: 'POST',
  246.             headers: {
  247.                 'Content-Type': 'application/x-www-form-urlencoded',
  248.             },
  249.             body: 'image_data=' + encodeURIComponent(imageData)
  250.         })
  251.         .then(response => response.json())
  252.         .then(data => {
  253.             if (data.success) {
  254.                 // 注册成功
  255.                 registrationStatus.innerHTML = '<div class="alert alert-success"><i class="fas fa-check-circle me-2"></i>' + data.message + '</div>';
  256.                
  257.                 // 停止摄像头
  258.                 if (stream) {
  259.                     stream.getTracks().forEach(track => track.stop());
  260.                 }
  261.                
  262.                 // 禁用所有按钮
  263.                 retakePhotoBtn.disabled = true;
  264.                 savePhotoBtn.disabled = true;
  265.                
  266.                 // 3秒后跳转到控制面板
  267.                 setTimeout(() => {
  268.                     window.location.href = '{{ url_for("dashboard") }}';
  269.                 }, 3000);
  270.             } else {
  271.                 // 注册失败
  272.                 registrationStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>' + data.message + '</div>';
  273.                 savePhotoBtn.disabled = false;
  274.                 savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  275.                
  276.                 // 重置为拍摄状态
  277.                 setTimeout(() => {
  278.                     retakePhotoBtn.click();
  279.                 }, 2000);
  280.             }
  281.         })
  282.         .catch(error => {
  283.             console.error('Error:', error);
  284.             registrationStatus.innerHTML = '<div class="alert alert-danger"><i class="fas fa-exclamation-circle me-2"></i>服务器错误,请稍后重试</div>';
  285.             savePhotoBtn.disabled = false;
  286.             savePhotoBtn.innerHTML = '<i class="fas fa-save me-2"></i>保存并注册';
  287.         });
  288.     });
  289.    
  290.     // 页面卸载时停止摄像头
  291.     window.addEventListener('beforeunload', function() {
  292.         if (stream) {
  293.             stream.getTracks().forEach(track => track.stop());
  294.         }
  295.     });
  296. </script>
  297. {% endblock %}
复制代码
免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

去皮卡多

论坛元老
这个人很懒什么都没写!
快速回复 返回顶部 返回列表