DEV Community

Cover image for Technical Documentation: Student Attendance Tracking with API Integration for Parental Notifications
Emmanuel Joseph
Emmanuel Joseph

Posted on

Technical Documentation: Student Attendance Tracking with API Integration for Parental Notifications

Overview

This project is designed to track student attendance and integrate with an API to notify parents or guardians about their child's absence from school. The system leverages Python, and SQLite for database management, Flask for the web interface, and Twilio API for SMS notifications. The primary goal is to ensure that parents are promptly informed about their child's attendance status, enhancing communication and accountability.

Prerequisite

  • Python: The main programming language used for the entire project.
  • SQLite: A lightweight, serverless database engine to store student and attendance records.
  • Flask: A micro web framework for building the web interface.
  • Twilio API: A communication API used to send SMS notifications to parents/guardians.

Project Structure

  1. Database Design:

    • Students Table: Stores student details including ID, name, class, and parent's contact information.
    • Attendance Table: Records daily attendance status for each student.
  2. Web Interface:

    • Built using Flask to manage student data and mark attendance.
    • HTML templates for user interaction.
  3. API Integration:

    • Twilio API for sending SMS notifications to parents/guardians.
  4. Business Logic:

    • Functions for managing database operations.
    • Logic to determine absent students and trigger notifications.

Implementation Steps

1. Setting Up the Project

Initialize the project directory and create a virtual environment:

mkdir student_attendance
cd student_attendance
python3 -m venv venv
source venv/bin/activate
pip install flask twilio pandas
Enter fullscreen mode Exit fullscreen mode
2. Database Setup

Create an SQLite database and define the schema for students and attendance records.

import sqlite3

def create_database():
    conn = sqlite3.connect('attendance.db')
    cursor = conn.cursor()

    cursor.execute('''
        CREATE TABLE IF NOT EXISTS students (
            id INTEGER PRIMARY KEY,
            name TEXT NOT NULL,
            class TEXT NOT NULL,
            parent_contact TEXT NOT NULL
        )
    ''')

    cursor.execute('''
        CREATE TABLE IF NOT EXISTS attendance (
            id INTEGER PRIMARY KEY,
            student_id INTEGER,
            date TEXT,
            status TEXT,
            FOREIGN KEY(student_id) REFERENCES students(id)
        )
    ''')

    conn.commit()
    conn.close()

create_database()
Enter fullscreen mode Exit fullscreen mode
3. Web Interface with Flask

Develop the Flask application to manage student records and mark attendance.

from flask import Flask, request, render_template
import sqlite3

app = Flask(__name__)

def query_db(query, args=(), one=False):
    conn = sqlite3.connect('attendance.db')
    cursor = conn.cursor()
    cursor.execute(query, args)
    rv = cursor.fetchall()
    conn.close()
    return (rv[0] if rv else None) if one else rv

@app.route('/')
def index():
    students = query_db('SELECT * FROM students')
    return render_template('index.html', students=students)

@app.route('/add_student', methods=['POST'])
def add_student():
    name = request.form['name']
    class_name = request.form['class']
    parent_contact = request.form['parent_contact']
    query_db('INSERT INTO students (name, class, parent_contact) VALUES (?, ?, ?)', (name, class_name, parent_contact))
    return 'Student added!'

@app.route('/mark_attendance', methods=['POST'])
def mark_attendance():
    student_id = request.form['student_id']
    date = request.form['date']
    status = request.form['status']
    query_db('INSERT INTO attendance (student_id, date, status) VALUES (?, ?, ?)', (student_id, date, status))
    if status.lower() == "absent":
        notify_parent(student_id)
    return 'Attendance marked!'

if __name__ == '__main__':
    app.run(debug=True)
Enter fullscreen mode Exit fullscreen mode

Create the HTML template (templates/index.html):

<!doctype html>
<html lang="en">
  <head>
    <meta charset="utf-8">
    <title>Student Attendance</title>
  </head>
  <body>
    <h1>Student Attendance</h1>
    <form method="post" action="/add_student">
      <input type="text" name="name" placeholder="Student Name" required>
      <input type="text" name="class" placeholder="Class" required>
      <input type="text" name="parent_contact" placeholder="Parent Contact" required>
      <button type="submit">Add Student</button>
    </form>

    <h2>Mark Attendance</h2>
    <form method="post" action="/mark_attendance">
      <input type="number" name="student_id" placeholder="Student ID" required>
      <input type="date" name="date" required>
      <select name="status">
        <option value="Present">Present</option>
        <option value="Absent">Absent</option>
      </select>
      <button type="submit">Mark Attendance</button>
    </form>
  </body>
</html>
Enter fullscreen mode Exit fullscreen mode
4. Twilio API Integration

Install and set up the Twilio client to send SMS notifications.

pip install twilio
Enter fullscreen mode Exit fullscreen mode

Integrate Twilio into your Flask application.

from twilio.rest import Client

# Twilio configuration
account_sid = 'your_account_sid'
auth_token = 'your_auth_token'
twilio_number = 'your_twilio_number'

client = Client(account_sid, auth_token)

def notify_parent(student_id):
    conn = sqlite3.connect('attendance.db')
    cursor = conn.cursor()
    cursor.execute('SELECT name, parent_contact FROM students WHERE id = ?', (student_id,))
    student = cursor.fetchone()
    conn.close()

    if student:
        name, parent_contact = student
        message = client.messages.create(
            body=f"Dear Parent, your child {name} was absent today.",
            from_=twilio_number,
            to=parent_contact
        )
        print(f"Notification sent to {parent_contact}")
Enter fullscreen mode Exit fullscreen mode
5. Business Logic

Add logic to manage the database and handle attendance recording and notifications.

def add_student(name, class_name, parent_contact):
    conn = sqlite3.connect('attendance.db')
    cursor = conn.cursor()
    cursor.execute('INSERT INTO students (name, class, parent_contact) VALUES (?, ?, ?)', (name, class_name, parent_contact))
    conn.commit()
    conn.close()

def mark_attendance(student_id, date, status):
    conn = sqlite3.connect('attendance.db')
    cursor = conn.cursor()
    cursor.execute('INSERT INTO attendance (student_id, date, status) VALUES (?, ?, ?)', (student_id, date, status))
    conn.commit()
    conn.close()
    if status.lower() == "absent":
        notify_parent(student_id)
Enter fullscreen mode Exit fullscreen mode

Discussion and Opinion

Benefits

  1. Enhanced Communication: The integration of SMS notifications ensures that parents or guardians are promptly informed about their child's attendance status. This real-time communication can help parents take immediate action if necessary.

  2. Accountability: By automating the notification process, the system ensures that no absences go unnoticed. This can significantly improve student accountability and attendance rates.

  3. Scalability: The use of a web-based interface and an API for notifications means the system can be easily scaled to accommodate a larger number of students and additional functionalities in the future.

  4. Ease of Use: The simple web interface built with Flask allows for easy interaction, making it accessible for school administrators without requiring extensive technical knowledge.

Potential Challenges

  1. Data Privacy: Handling and storing personal information, especially contact details, requires strict adherence to data privacy regulations. Ensuring secure storage and transmission of data is crucial.

  2. Reliability: The system's reliance on external APIs like Twilio means that its functionality depends on these services' availability and reliability. Any downtime or issues with the API can disrupt notifications.

  3. Initial Setup: The project involves several steps, including configuring the database, setting up the Flask application, and integrating with the Twilio API. This initial setup might require technical expertise.

In Summary

The project to track student attendance with API integration for parental notifications provides a robust solution to enhance school-parent communication and student accountability. By leveraging modern web technologies and communication APIs, the system offers a scalable and efficient way to manage attendance and ensure that parents are always informed about their child's attendance status.

However, it is essential to address potential data privacy challenges and external services' reliability. With careful planning and implementation, this project can significantly benefit educational institutions by improving attendance tracking and fostering better communication between schools and parents.

Top comments (1)

Collapse
 
emmanuelj profile image
Emmanuel Joseph

This is a proposed coursework for my team, please everyone well tell me what you think and what features you think will be great to add and helpful for both parents and teachers. thank you for your honest contribution.