KEMBAR78
New Code | PDF | Debits And Credits | Accounting
0% found this document useful (0 votes)
15 views62 pages

New Code

The document outlines a PHP application for uploading student and marks data using Excel files, integrating with a MySQL database. It includes error handling for file uploads, data validation, and SQL statements for inserting or updating records in the 'students' and 'marks' tables. Additionally, it provides HTML forms for user interaction and displays a dashboard with student information.

Uploaded by

samuel asefa
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
15 views62 pages

New Code

The document outlines a PHP application for uploading student and marks data using Excel files, integrating with a MySQL database. It includes error handling for file uploads, data validation, and SQL statements for inserting or updating records in the 'students' and 'marks' tables. Additionally, it provides HTML forms for user interaction and displays a dashboard with student information.

Uploaded by

samuel asefa
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOCX, PDF, TXT or read online on Scribd
You are on page 1/ 62

<?

php

require 'db.php';

require 'vendor/autoload.php';

use PhpOffice\PhpSpreadsheet\IOFactory;

$message = '';

if ($_SERVER['REQUEST_METHOD'] == 'POST' && isset($_FILES['student_file'])) {

if ($_FILES['student_file']['error'] !== UPLOAD_ERR_OK) {

$message = "Error: File upload error.";

} else {

$file = $_FILES['student_file']['tmp_name'];

try {

$spreadsheet = IOFactory::load($file);

$sheet = $spreadsheet->getActiveSheet();

$data = $sheet->toArray();

$successfulUploads = 0;

$failedUploads = 0;

$stmt = $conn->prepare("

INSERT INTO students (student_id, student_name, sex, age, grade, section)

VALUES (?, ?, ?, ?, ?, ?)
ON DUPLICATE KEY UPDATE

student_name = VALUES(student_name),

sex = VALUES(sex),

age = VALUES(age),

grade = VALUES(grade),

section = VALUES(section)

");

foreach ($data as $index => $row) {

if ($index === 0) continue; // Skip header row

$student_id = trim($row[0]);

$student_name = trim($row[1]);

$sex = trim($row[2]);

$age = (int) $row[3];

$grade = trim($row[4]);

$section = trim($row[5]);

if ($student_id && $student_name && $sex && $age && $grade && $section) {

$stmt->execute([$student_id, $student_name, $sex, $age, $grade, $section]);

$successfulUploads++;

} else {

$failedUploads++;

}
$message = "Uploaded successfully: $successfulUploads records.<br>Failed uploads:
$failedUploads records.";

} catch (Exception $e) {

$message = "Error processing file: " . $e->getMessage();

?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>Upload Students</title>

</head>

<body>

<h2>Upload Students</h2>

<?php if (!empty($message)): ?>

<p><?php echo $message; ?></p>

<?php endif; ?>

<form method="POST" enctype="multipart/form-data">

<label for="student_file">Excel File:</label>

<input type="file" name="student_file" accept=".xls, .xlsx" required>

<button type="submit">Upload Students</button>


</form>

</body>

</html>

<?php

require 'db.php';

require 'vendor/autoload.php';

use PhpOffice\PhpSpreadsheet\IOFactory;

$message = '';

if ($_SERVER['REQUEST_METHOD'] == 'POST' && isset($_FILES['marks_file'])) {

if ($_FILES['marks_file']['error'] !== UPLOAD_ERR_OK) {

$message = "Error: File upload error.";

} else {

$file = $_FILES['marks_file']['tmp_name'];

$semester = $_POST['semester'];
$grade = $_POST['grade'];

$section = $_POST['section'];

try {

$spreadsheet = IOFactory::load($file);

$sheetData = $spreadsheet->getActiveSheet()->toArray();

$successfulUploads = 0;

$failedUploads = 0;

foreach ($sheetData as $index => $row) {

if ($index === 0) continue; // Skip header row

$student_id = trim($row[0]);

$marks = [

'Amharic' => (int)$row[1],

'English' => (int)$row[2],

'Mathes' => (int)$row[3],

'Geo' => (int)$row[4],

'History' => (int)$row[5],

'Chemistry' => (int)$row[6],

'Physics' => (int)$row[7],

'Biology' => (int)$row[8],

'ICT' => (int)$row[9],


'Citizenship' => (int)$row[10],

'Afan_Oromo' => (int)$row[11],

'Somali' => (int)$row[12],

];

// Check if marks already exist for the student in this semester

$checkStmt = $conn->prepare("SELECT id FROM marks WHERE student_id = ?


AND semester = ?");

$checkStmt->execute([$student_id, $semester]);

$existingMarkId = $checkStmt->fetchColumn();

if ($existingMarkId) {

// Update existing marks

$updateStmt = $conn->prepare("

UPDATE marks SET grade = ?, section = ?, Amharic = ?, English = ?, Mathes


= ?, Geo = ?, History = ?, Chemistry = ?, Physics = ?, Biology = ?, ICT = ?, Citizenship = ?,
Afan_Oromo = ?, Somali = ?

WHERE id = ?

");

$updateStmt->execute([

$grade, $section, $marks['Amharic'], $marks['English'], $marks['Mathes'],


$marks['Geo'], $marks['History'], $marks['Chemistry'], $marks['Physics'], $marks['Biology'],
$marks['ICT'], $marks['Citizenship'], $marks['Afan_Oromo'], $marks['Somali'], $existingMarkId

]);

} else {

// Insert new marks

$insertStmt = $conn->prepare("
INSERT INTO marks (student_id, semester, grade, section, Amharic, English,
Mathes, Geo, History, Chemistry, Physics, Biology, ICT, Citizenship, Afan_Oromo, Somali)

VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)

");

$insertStmt->execute([

$student_id, $semester, $grade, $section, $marks['Amharic'], $marks['English'],


$marks['Mathes'], $marks['Geo'], $marks['History'], $marks['Chemistry'], $marks['Physics'],
$marks['Biology'], $marks['ICT'], $marks['Citizenship'], $marks['Afan_Oromo'],
$marks['Somali']

]);

$successfulUploads++;

$message = "Uploaded successfully: $successfulUploads records.";

} catch (Exception $e) {

$message = "Error processing file: " . $e->getMessage();

?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">
<title>Upload Marks</title>

</head>

<body>

<h2>Upload Marks</h2>

<?php if (!empty($message)): ?>

<p><?php echo $message; ?></p>

<?php endif; ?>

<form method="POST" enctype="multipart/form-data">

<label for="semester">Semester:</label>

<select name="semester" required>

<option value="Semester 1">Semester 1</option>

<option value="Semester 2">Semester 2</option>

</select>

<label for="grade">Grade:</label>

<input type="text" name="grade" required>

<label for="section">Section:</label>

<input type="text" name="section" required>

<label for="marks_file">Excel File:</label>

<input type="file" name="marks_file" accept=".xls, .xlsx" required>

<button type="submit">Upload Marks</button>

</form>

</body>

</html>
CREATE DATABASE IF NOT EXISTS webs;

USE webs;

-- 1. Students Table

CREATE TABLE IF NOT EXISTS students (

student_id VARCHAR(20) PRIMARY KEY,

student_name VARCHAR(100),

sex ENUM('Male', 'Female'),

age INT,

grade VARCHAR(10),

section VARCHAR(10)

);

-- 2. Marks Table

CREATE TABLE IF NOT EXISTS marks (

id INT AUTO_INCREMENT PRIMARY KEY,

student_id VARCHAR(20),

semester ENUM('Semester 1', 'Semester 2'),

grade VARCHAR(10),

section VARCHAR(10),

Amharic INT DEFAULT 0,

English INT DEFAULT 0,

Mathes INT DEFAULT 0,

Geo INT DEFAULT 0,

History INT DEFAULT 0,


Chemistry INT DEFAULT 0,

Physics INT DEFAULT 0,

Biology INT DEFAULT 0,

ICT INT DEFAULT 0,

Citizenship INT DEFAULT 0,

Afan_Oromo INT DEFAULT 0,

Somali INT DEFAULT 0,

total INT GENERATED ALWAYS AS (

Amharic + English + Mathes + Geo + History + Chemistry + Physics + Biology + ICT +


Citizenship + Afan_Oromo + Somali

) STORED,

average DECIMAL(5, 2) GENERATED ALWAYS AS (total / 13) STORED,

rank INT DEFAULT NULL,

first_semester_total INT DEFAULT 0,

cumulative_total INT DEFAULT 0,

FOREIGN KEY (student_id) REFERENCES students(student_id) ON DELETE CASCADE

);

-- 3. User Accounts Table

CREATE TABLE IF NOT EXISTS users (

user_id INT AUTO_INCREMENT PRIMARY KEY,

username VARCHAR(50) UNIQUE,

password VARCHAR(255),

role ENUM('Admin', 'Teacher', 'Student')

);
Occupation : Accounting & Finance

Level IV

Individual Assignment

Unit of Compitence : Preparing Financial Reports Based on IFRS

Prepared By : Ketemash Aklilu

Submitted To Birelew
Date 27/05/2017E.C Dire Dawa, Ethiopia

Summary of Preparing Financial Reports Based on IFRS

Inventory Adjustment (IAS 2)

- Perpetual System: No adjusting entry needed as it's continuously updated.


- Periodic System: Requires adjusting entries to match actual inventory:
- Inventory Decrease: Debit Cost of Goods Sold (COGS), Credit Inventory.
- Inventory Increase: Debit Inventory, Credit COGS.
- Valuation Methods:
- FIFO (First-In, First-Out) and Weighted Average are IFRS-compliant.
- LIFO (Last-In, First-Out) is not permitted under IFRS.
- Measurement: Inventories are measured at the lower of cost and net realizable value.

Final General Ledger Preparation

- Formats:
- T-Account Format: Simple visualization with debit (left) and credit (right).
- Columnar Format: Includes date, description, reference, debit, credit, and balance.
- Processes:
- Posting: Transferring journal entries to the ledger.
- Balancing: Ensuring total debits equal total credits, determining closing balances.

End-of-Period Financial Reports

- Components:
- Adjusted Trial Balance: Lists account balances after adjustments.
- Revenue (Income) Statement: Shows income, expenses, and net profit/loss.
- Revenue - COGS = Gross Profit
- Operating Profit = Gross Profit - Operating Expenses
- Balance Sheet (Statement of Financial Position): Displays assets, liabilities, and equity.
- Assets: Current, Fixed, and Intangible
- Liabilities: Current and Long-term
- Equity: Owner’s capital, retained earnings
- Closing Entries: Transfers balances from temporary to permanent accounts (e.g.,
revenues and expenses to retained earnings).
- Post-Closing Trial Balance: Confirms accounts are balanced after closing entries.
Accounting Errors

- Types of Errors:
- Original Entry Error: Wrong amount posted.
- Duplication Error: Entry recorded twice.
- Omission Error: Transaction not recorded.
- Reversal Error: Debit/Credit recorded incorrectly.
- Principle Error: Incorrect accounting principle applied.
- Commission Error: Correct account but wrong subsidiary ledger.
- Compensating Error: One error offsets another.
- Corrections: Done via adjusting journal entries and reconciliations (e.g., bank
reconciliation).

CREATE TABLE students (

id INT AUTO_INCREMENT PRIMARY KEY,

student_ID VARCHAR(20) UNIQUE,

student_Name VARCHAR(100),

sex ENUM('Male', 'Female'),

age INT,

grade VARCHAR(10),

section VARCHAR(10)

);

CREATE TABLE marks (

id INT AUTO_INCREMENT PRIMARY KEY,


student_ID VARCHAR(20),

subject VARCHAR(50),

mark INT,

FOREIGN KEY (student_ID) REFERENCES students(student_ID)

);

<?php

session_start();

require 'db.php'; // Ensure db.php is correctly set up

require 'vendor/autoload.php'; // Load PhpSpreadsheet

use PhpOffice\PhpSpreadsheet\IOFactory;

$message = '';

if ($_SERVER['REQUEST_METHOD'] == 'POST' && isset($_FILES['student_file'])) {

$file = $_FILES['student_file']['tmp_name'];

try {

$spreadsheet = IOFactory::load($file);

$sheet = $spreadsheet->getActiveSheet();

$data = $sheet->toArray();
$stmt = $conn->prepare("INSERT INTO students (student_ID, student_Name, sex, age,
grade, section) VALUES (?, ?, ?, ?, ?, ?)");

for ($i = 1; $i < count($data); $i++) { // Skip header

list($student_ID, $student_Name, $sex, $age, $grade, $section) = $data[$i];

$stmt->execute([$student_ID, $student_Name, $sex, $age, $grade, $section]);

$message = "Students imported successfully!";

} catch (Exception $e) {

$message = "Import failed: " . $e->getMessage();

?>

<!DOCTYPE html>

<html lang="en">

<head>

<title>Upload Students</title>

</head>

<body>

<h2>Import Students</h2>

<p style="color:green"><?php echo $message; ?></p>


<form method="POST" enctype="multipart/form-data">

<input type="file" name="student_file" required>

<button type="submit">Upload</button>

</form>

<a href="dashboard.php">Back to Dashboard</a>

</body>

</html>

<?php

session_start();

require 'db.php';

require 'vendor/autoload.php';

use PhpOffice\PhpSpreadsheet\IOFactory;

$message = '';

if ($_SERVER['REQUEST_METHOD'] == 'POST' && isset($_FILES['marks_file'])) {

$file = $_FILES['marks_file']['tmp_name'];

try {

$spreadsheet = IOFactory::load($file);
$sheet = $spreadsheet->getActiveSheet();

$data = $sheet->toArray();

$stmt = $conn->prepare("INSERT INTO marks (student_ID, subject, mark) VALUES (?, ?,


?)");

for ($i = 1; $i < count($data); $i++) { // Skip header

$student_ID = $data[$i][0];

for ($j = 1; $j < count($data[$i]); $j++) {

$subject = "Subject_" . $j; // Rename subjects dynamically

$mark = $data[$i][$j];

$stmt->execute([$student_ID, $subject, $mark]);

$message = "Marks imported successfully!";

} catch (Exception $e) {

$message = "Import failed: " . $e->getMessage();

?>

<!DOCTYPE html>
<html lang="en">

<head>

<title>Upload Marks</title>

</head>

<body>

<h2>Import Marks</h2>

<p style="color:green"><?php echo $message; ?></p>

<form method="POST" enctype="multipart/form-data">

<input type="file" name="marks_file" required>

<button type="submit">Upload</button>

</form>

<a href="dashboard.php">Back to Dashboard</a>

</body>

</html>

<?php

session_start();

require 'db.php';

// Fetch Students

$students = $conn->query("SELECT * FROM students")->fetchAll(PDO::FETCH_ASSOC);


// Fetch Marks

$marks = $conn->query("SELECT student_ID, subject, mark FROM marks")-


>fetchAll(PDO::FETCH_ASSOC);

?>

<!DOCTYPE html>

<html lang="en">

<head>

<title>Dashboard</title>

</head>

<body>

<h2>Dashboard</h2>

<h3>Student List</h3>

<table border="1">

<tr>

<th>ID</th><th>Name</th><th>Sex</th><th>Age</th><th>Grade</th><th>Section</
th>

</tr>

<?php foreach ($students as $s) : ?>

<tr>

<td><?php echo $s['student_ID']; ?></td>

<td><?php echo $s['student_Name']; ?></td>

<td><?php echo $s['sex']; ?></td>

<td><?php echo $s['age']; ?></td>

<td><?php echo $s['grade']; ?></td>


<td><?php echo $s['section']; ?></td>

</tr>

<?php endforeach; ?>

</table>

<h3>Student Marks</h3>

<table border="1">

<tr>

<th>Student ID</th><th>Subject</th><th>Mark</th>

</tr>

<?php foreach ($marks as $m) : ?>

<tr>

<td><?php echo $m['student_ID']; ?></td>

<td><?php echo $m['subject']; ?></td>

<td><?php echo $m['mark']; ?></td>

</tr>

<?php endforeach; ?>

</table>

<a href="upload_students.php">Import Students</a>

<a href="upload_marks.php">Import Marks</a>

</body>

</html>
<?php

$host = 'localhost';

$dbname = 'school_management';

$username = 'root'; // Change if needed

$password = ''; // Change if needed

try {

$conn = new PDO("mysql:host=$host;dbname=$dbname;charset=utf8", $username,


$password);

$conn->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);

} catch (PDOException $e) {

die("Connection failed: " . $e->getMessage());

?>
<?php

require 'db.php';

try {

$stmt = $pdo->query("SELECT * FROM students");

$students = $stmt->fetchAll(PDO::FETCH_ASSOC);

} catch (PDOException $e) {

die("Database error: " . $e->getMessage());

?>

<!DOCTYPE html>

<html lang="en">

<head>

<title>View Students</title>

</head>

<body>

<h2>Students List</h2>

<table border="1">

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Sex</th>

<th>Age</th>

<th>Grade</th>
<th>Section</th>

</tr>

<?php foreach ($students as $student): ?>

<tr>

<td><?= htmlspecialchars($student['student_id']) ?></td>

<td><?= htmlspecialchars($student['name']) ?></td>

<td><?= htmlspecialchars($student['sex']) ?></td>

<td><?= htmlspecialchars($student['age']) ?></td>

<td><?= htmlspecialchars($student['grade']) ?></td>

<td><?= htmlspecialchars($student['section']) ?></td>

</tr>

<?php endforeach; ?>

</table>

<a href="dashboard.php">Back to Dashboard</a>

</body>

</html>

<?php

require 'db.php';

try {

$stmt = $pdo->query("SELECT * FROM marks");

$marks = $stmt->fetchAll(PDO::FETCH_ASSOC);

} catch (PDOException $e) {


die("Database error: " . $e->getMessage());

?>

<!DOCTYPE html>

<html lang="en">

<head>

<title>View Marks</title>

</head>

<body>

<h2>Marks List</h2>

<table border="1">

<tr>

<th>Student ID</th>

<th>Subject 1</th>

<th>Subject 2</th>

<th>Subject 3</th>

<th>Subject 4</th>

<th>Subject 5</th>

<th>Subject 6</th>

<th>Subject 7</th>

<th>Total</th>

<th>Average</th>

<th>Semester</th>

</tr>
<?php foreach ($marks as $mark): ?>

<tr>

<td><?= htmlspecialchars($mark['student_id']) ?></td>

<td><?= htmlspecialchars($mark['subject_1']) ?></td>

<td><?= htmlspecialchars($mark['subject_2']) ?></td>

<td><?= htmlspecialchars($mark['subject_3']) ?></td>

<td><?= htmlspecialchars($mark['subject_4']) ?></td>

<td><?= htmlspecialchars($mark['subject_5']) ?></td>

<td><?= htmlspecialchars($mark['subject_6']) ?></td>

<td><?= htmlspecialchars($mark['subject_7']) ?></td>

<td><?= htmlspecialchars($mark['total']) ?></td>

<td><?= htmlspecialchars($mark['average']) ?></td>

<td><?= htmlspecialchars($mark['semester']) ?></td>

</tr>

<?php endforeach; ?>

</table>

<a href="dashboard.php">Back to Dashboard</a>

</body>

</html>
<?php

require 'db.php';

try {

$stmt = $pdo->query("SELECT * FROM promotion");

$promotion = $stmt->fetchAll(PDO::FETCH_ASSOC);

} catch (PDOException $e) {

die("Database error: " . $e->getMessage());

?>

<!DOCTYPE html>

<html lang="en">

<head>

<title>Promotion Policy</title>

</head>

<body>

<h2>Promotion Result</h2>

<table border="1">

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Total Sem 1</th>

<th>Total Sem 2</th>

<th>Average</th>
<th>Cumulative Rank</th>

<th>Promotion Status</th>

</tr>

<?php foreach ($promotion as $row): ?>

<tr>

<td><?= htmlspecialchars($row['student_id']) ?></td>

<td><?= htmlspecialchars($row['name']) ?></td>

<td><?= htmlspecialchars($row['total_sem1']) ?></td>

<td><?= htmlspecialchars($row['total_sem2']) ?></td>

<td><?= htmlspecialchars($row['average']) ?></td>

<td><?= htmlspecialchars($row['cumulative_rank']) ?></td>

<td><?= htmlspecialchars($row['promotion_status']) ?></td>

</tr>

<?php endforeach; ?>

</table>

<a href="dashboard.php">Back to Dashboard</a>

</body>

</html>

<?php

require 'db.php';

require 'vendor/autoload.php';

use PhpOffice\PhpSpreadsheet\Spreadsheet;
use PhpOffice\PhpSpreadsheet\Writer\Xlsx;

$stmt = $pdo->query("SELECT * FROM promotion");

$rows = $stmt->fetchAll(PDO::FETCH_ASSOC);

$spreadsheet = new Spreadsheet();

$sheet = $spreadsheet->getActiveSheet();

// Header

$sheet->setCellValue('A1', 'Sabian Secondary School');

$sheet->setCellValue('A2', 'Grade: 9');

$sheet->setCellValue('A3', 'Section: A');

// Table Header

$sheet->setCellValue('A5', 'Student ID');

$sheet->setCellValue('B5', 'Name');

$sheet->setCellValue('C5', 'Sex');

$sheet->setCellValue('D5', 'Age');

$sheet->setCellValue('E5', 'Total Sem1');

$sheet->setCellValue('F5', 'Total Sem2');

$sheet->setCellValue('G5', 'Average');

$sheet->setCellValue('H5', 'Cumulative Rank');

$sheet->setCellValue('I5', 'Promotion Status');

$rowNum = 6;
foreach ($rows as $row) {

$sheet->setCellValue('A' . $rowNum, $row['student_id']);

$sheet->setCellValue('B' . $rowNum, $row['name']);

$sheet->setCellValue('C' . $rowNum, $row['sex']);

$sheet->setCellValue('D' . $rowNum, $row['age']);

$sheet->setCellValue('E' . $rowNum, $row['total_sem1']);

$sheet->setCellValue('F' . $rowNum, $row['total_sem2']);

$sheet->setCellValue('G' . $rowNum, $row['average']);

$sheet->setCellValue('H' . $rowNum, $row['cumulative_rank']);

$sheet->setCellValue('I' . $rowNum, $row['promotion_status']);

$rowNum++;

$writer = new Xlsx($spreadsheet);

$filename = 'Class_Roster_Report.xlsx';

header('Content-Type: application/vnd.ms-excel');

header('Content-Disposition: attachment;filename="' . $filename . '"');

header('Cache-Control: max-age=0');

$writer->save('php://output');

exit;
<?php

$host = 'localhost';

$dbname = 'school_management_system';

$username = 'root';

$password = '';

try {

$pdo = new PDO("mysql:host=$host;dbname=$dbname", $username, $password);

$pdo->setAttribute(PDO::ATTR_ERRMODE, PDO::ERRMODE_EXCEPTION);

} catch (PDOException $e) {

die("Database connection failed: " . $e->getMessage());

?>
View.php

<?php

session_start();

$conn = new PDO("pgsql:host=localhost;dbname=school_management", "postgres",


"password");

$grade = $_GET['grade'] ?? '';

$section = $_GET['section'] ?? '';

$query = "SELECT m.*, s.student_name FROM marks m JOIN students s ON m.student_id =


s.student_id WHERE m.grade = :grade AND m.section = :section ORDER BY m.rank ASC";

$stmt = $conn->prepare($query);

$stmt->execute(['grade' => $grade, 'section' => $section]);

$marks = $stmt->fetchAll(PDO::FETCH_ASSOC);

?>

<!DOCTYPE html>

<html>

<head>

<title>View Marks</title>

<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css"
rel="stylesheet">

</head>

<body class="container mt-5">

<h2>Marks & Ranks</h2>


<form method="GET" class="mb-3">

<input type="text" name="grade" placeholder="Grade" required value="<?=


htmlspecialchars($grade) ?>">

<input type="text" name="section" placeholder="Section" required value="<?=


htmlspecialchars($section) ?>">

<button type="submit" class="btn btn-secondary">View</button>

</form>

<table class="table table-bordered">

<thead>

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Semester</th>

<th>Total</th>

<th>Average</th>

<th>Rank</th>

</tr>

</thead>

<tbody>

<?php foreach ($marks as $mark): ?>

<tr>

<td><?= $mark['student_id'] ?></td>

<td><?= $mark['student_name'] ?></td>

<td><?= $mark['semester'] ?></td>

<td><?= $mark['total'] ?></td>


<td><?= $mark['average'] ?></td>

<td><?= $mark['rank'] ?></td>

</tr>

<?php endforeach; ?>

</tbody>

</table>

<a href="upload_marks.php" class="btn btn-primary">Upload Marks</a>

</body>

</html>

<?php
session_start();

$conn = new PDO("pgsql:host=localhost;dbname=school_management", "postgres",


"password");

if ($_SERVER['REQUEST_METHOD'] === 'POST') {

$grade = $_POST['grade'];

$section = $_POST['section'];

// Fetch results for both semesters

$query = "SELECT student_id, SUM(CASE WHEN semester = 'Semester 1' THEN total
ELSE 0 END) AS total_sem1,

SUM(CASE WHEN semester = 'Semester 2' THEN total ELSE 0 END) AS


total_sem2

FROM marks

WHERE grade = :grade AND section = :section

GROUP BY student_id";

$stmt = $conn->prepare($query);

$stmt->execute(['grade' => $grade, 'section' => $section]);

$results = $stmt->fetchAll(PDO::FETCH_ASSOC);

// Prepare promotion result storage

$promotionData = [];

foreach ($results as $row) {

$total_sem1 = $row['total_sem1'];
$total_sem2 = $row['total_sem2'];

$average_cumulative = ($total_sem1 + $total_sem2) / 2;

$promotion_status = ($average_cumulative >= 50) ? 'Promoted' : 'Not Promoted';

$promotionData[] = [

'student_id' => $row['student_id'],

'total_sem1' => $total_sem1,

'total_sem2' => $total_sem2,

'average_cumulative' => $average_cumulative,

'promotion_status' => $promotion_status

];

// Rank students based on cumulative average

usort($promotionData, function ($a, $b) {

return $b['average_cumulative'] <=> $a['average_cumulative'];

});

foreach ($promotionData as $rank => &$data) {

$data['rank_cumulative'] = $rank + 1;

// Insert/update promotion results

foreach ($promotionData as $data) {


$stmt = $conn->prepare("INSERT INTO promotion_results (student_id, grade, section,
total_sem1, total_sem2, average_cumulative, rank_cumulative, promotion_status)

VALUES (?, ?, ?, ?, ?, ?, ?, ?)

ON CONFLICT (student_id) DO UPDATE SET

total_sem1 = EXCLUDED.total_sem1,

total_sem2 = EXCLUDED.total_sem2,

average_cumulative = EXCLUDED.average_cumulative,

rank_cumulative = EXCLUDED.rank_cumulative,

promotion_status = EXCLUDED.promotion_status");

$stmt->execute([

$data['student_id'], $grade, $section, $data['total_sem1'], $data['total_sem2'],


$data['average_cumulative'], $data['rank_cumulative'], $data['promotion_status']

]);

echo "Cumulative Ranks & Promotion Policy Calculated Successfully!";

?>

<!DOCTYPE html>

<html>

<head>

<title>Calculate Promotion</title>

<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css"
rel="stylesheet">
</head>

<body class="container mt-5">

<h2>Calculate Cumulative Rank & Promotion</h2>

<form method="POST">

<label>Grade:</label>

<input type="text" name="grade" required>

<label>Section:</label>

<input type="text" name="section" required>

<button type="submit" class="btn btn-success">Calculate Promotion</button>

</form>

<a href="view_promotion.php" class="btn btn-secondary mt-3">View Promotion Results</a>

</body>

</html>
Upload mark.php

<?php

require 'db.php';

$message = ''; // Initialize $message to avoid "Undefined variable" notice

if (isset($_POST['upload'])) {

require 'vendor/autoload.php'; // PhpSpreadsheet

$semester = $_POST['semester'];

$grade = $_POST['grade'];

$section = $_POST['section'];

$fileName = $_FILES['marks_file']['tmp_name'];

if ($_FILES['marks_file']['size'] > 0) {

$spreadsheet = \PhpOffice\PhpSpreadsheet\IOFactory::load($fileName);

$sheet = $spreadsheet->getActiveSheet();

$rows = $sheet->toArray();

$successCount = 0;

$failCount = 0;

// Skip the header row

for ($i = 1; $i < count($rows); $i++) {


$row = $rows[$i];

$student_id = $row[0];

$amharic = $row[1];

$english = $row[2];

$mathes = $row[3];

$geo = $row[4];

$history = $row[5];

$chemistry = $row[6];

$physics = $row[7];

$biology = $row[8];

$ict = $row[9];

$citizenship = $row[10];

$afan_oromo = $row[11];

$somali = $row[12];

// Validate numeric scores

if (!is_numeric($amharic) || !is_numeric($english) || !is_numeric($mathes) || !


is_numeric($geo) || !is_numeric($history) ||

!is_numeric($chemistry) || !is_numeric($physics) || !is_numeric($biology) || !


is_numeric($ict) || !is_numeric($citizenship) ||

!is_numeric($afan_oromo) || !is_numeric($somali)) {

$failCount++;

continue;

}
// Check if the student exists in the provided grade and section

$stmtStudent = $conn->prepare("SELECT * FROM students WHERE student_id = ?


AND grade = ? AND section = ?");

$stmtStudent->execute([$student_id, $grade, $section]);

$student = $stmtStudent->fetch();

if (!$student) {

$failCount++;

continue; // Skip if student not found in this grade and section

$total = $amharic + $english + $mathes + $geo + $history + $chemistry + $physics +


$biology + $ict + $citizenship + $afan_oromo + $somali;

$average = $total / 13;

// Insert or Update Marks

$stmt = $conn->prepare("

INSERT INTO marks (student_id, grade, section, semester, Amharic, English, Mathes,
Geo, History, Chemistry, Physics, Biology, ICT, Citizenship, Afan_Oromo, Somali, total,
average)

VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?, ?)

ON DUPLICATE KEY UPDATE

Amharic = VALUES(Amharic),

English = VALUES(English),

Mathes = VALUES(Mathes),

Geo = VALUES(Geo),

History = VALUES(History),
Chemistry = VALUES(Chemistry),

Physics = VALUES(Physics),

Biology = VALUES(Biology),

ICT = VALUES(ICT),

Citizenship = VALUES(Citizenship),

Afan_Oromo = VALUES(Afan_Oromo),

Somali = VALUES(Somali),

total = VALUES(total),

average = VALUES(average)

");

if ($stmt->execute([$student_id, $grade, $section, $semester, $amharic, $english,


$mathes, $geo, $history, $chemistry, $physics, $biology, $ict, $citizenship, $afan_oromo,
$somali, $total, $average])) {

$successCount++;

} else {

$failCount++;

$message = "Uploaded successfully: $successCount records<br>Failed uploads: $failCount


records<br>";

} else {

$message = "File is empty or not uploaded correctly.";

}
?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>Upload Marks</title>

</head>

<body>

<h2>Upload Student Marks</h2>

<?php if (!empty($message)): ?>

<p><?php echo $message; ?></p>

<?php endif; ?>

<form action="upload_marks.php" method="POST" enctype="multipart/form-data">

<label for="semester">Semester:</label>

<select name="semester" id="semester" required>

<option value="Semester 1">Semester 1</option>

<option value="Semester 2">Semester 2</option>

</select>

<label for="grade">Grade:</label>

<input type="text" name="grade" id="grade" required>

<label for="section">Section:</label>
<input type="text" name="section" id="section" required>

<label for="marks_file">Upload Excel File:</label>

<input type="file" name="marks_file" accept=".xlsx, .xls" required>

<button type="submit" name="upload">Upload Marks</button>

</form>

</body>

</html>

View mark.php

<?php

require 'db.php';

$semester = isset($_GET['semester']) ? $_GET['semester'] : '';

$grade = isset($_GET['grade']) ? $_GET['grade'] : '';

$section = isset($_GET['section']) ? $_GET['section'] : '';

$student_id = isset($_GET['student_id']) ? $_GET['student_id'] : '';

$sql = "SELECT m.*, s.student_name, s.sex, s.age

FROM marks m

JOIN students s ON m.student_id = s.student_id


WHERE 1";

$params = [];

if (!empty($semester)) {

$sql .= " AND m.semester = ?";

$params[] = $semester;

if (!empty($grade)) {

$sql .= " AND m.grade = ?";

$params[] = $grade;

if (!empty($section)) {

$sql .= " AND m.section = ?";

$params[] = $section;

if (!empty($student_id)) {

$sql .= " AND m.student_id = ?";

$params[] = $student_id;

$stmt = $conn->prepare($sql);

$stmt->execute($params);

$marks = $stmt->fetchAll(PDO::FETCH_ASSOC);

?>
<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>View Marks</title>

<style>

table { border-collapse: collapse; width: 100%; }

th, td { border: 1px solid black; padding: 8px; text-align: center; }

th { background-color: #f2f2f2; }

</style>

</head>

<body>

<h2>View Student Marks</h2>

<form method="GET" action="view_marks.php">

<label>Semester:</label>

<select name="semester">

<option value="">All</option>

<option value="Semester 1" <?php if ($semester == 'Semester 1') echo 'selected'; ?


>>Semester 1</option>

<option value="Semester 2" <?php if ($semester == 'Semester 2') echo 'selected'; ?


>>Semester 2</option>

</select>

<label>Grade:</label>
<input type="text" name="grade" value="<?php echo $grade; ?>">

<label>Section:</label>

<input type="text" name="section" value="<?php echo $section; ?>">

<label>Student ID:</label>

<input type="text" name="student_id" value="<?php echo $student_id; ?>">

<button type="submit">Filter</button>

</form>

<br>

<table>

<thead>

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Sex</th>

<th>Age</th>

<th>Semester</th>

<th>Grade</th>

<th>Section</th>

<th>Amharic</th>

<th>English</th>
<th>Mathes</th>

<th>Geo</th>

<th>History</th>

<th>Chemistry</th>

<th>Physics</th>

<th>Biology</th>

<th>ICT</th>

<th>Citizenship</th>

<th>Afan Oromo</th>

<th>Somali</th>

<th>Total</th>

<th>Average</th>

</tr>

</thead>

<tbody>

<?php if (!empty($marks)): ?>

<?php foreach ($marks as $mark): ?>

<tr>

<td><?php echo $mark['student_id']; ?></td>

<td><?php echo $mark['student_name']; ?></td>

<td><?php echo $mark['sex']; ?></td>

<td><?php echo $mark['age']; ?></td>

<td><?php echo $mark['semester']; ?></td>

<td><?php echo $mark['grade']; ?></td>

<td><?php echo $mark['section']; ?></td>


<td><?php echo $mark['Amharic']; ?></td>

<td><?php echo $mark['English']; ?></td>

<td><?php echo $mark['Mathes']; ?></td>

<td><?php echo $mark['Geo']; ?></td>

<td><?php echo $mark['History']; ?></td>

<td><?php echo $mark['Chemistry']; ?></td>

<td><?php echo $mark['Physics']; ?></td>

<td><?php echo $mark['Biology']; ?></td>

<td><?php echo $mark['ICT']; ?></td>

<td><?php echo $mark['Citizenship']; ?></td>

<td><?php echo $mark['Afan_Oromo']; ?></td>

<td><?php echo $mark['Somali']; ?></td>

<td><?php echo $mark['total']; ?></td>

<td><?php echo number_format($mark['average'], 2); ?></td>

</tr>

<?php endforeach; ?>

<?php else: ?>

<tr>

<td colspan="21">No records found.</td>

</tr>

<?php endif; ?>

</tbody>

</table>

</body>

</html>
View student.php

<?php

require 'db.php';

// Fetch filter values

$gradeFilter = isset($_GET['grade']) ? $_GET['grade'] : '';

$sectionFilter = isset($_GET['section']) ? $_GET['section'] : '';

// Prepare SQL query with filters

$query = "SELECT * FROM students WHERE 1=1";

$params = [];

if (!empty($gradeFilter)) {

$query .= " AND grade = :grade";

$params[':grade'] = $gradeFilter;

if (!empty($sectionFilter)) {

$query .= " AND section = :section";

$params[':section'] = $sectionFilter;

}
$stmt = $conn->prepare($query);

$stmt->execute($params);

$students = $stmt->fetchAll(PDO::FETCH_ASSOC);

?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>View Students</title>

<link rel="stylesheet"
href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css">

</head>

<body>

<div class="container mt-5">

<h2>View Students</h2>

<form method="GET" class="row g-3 mb-3">

<div class="col-md-3">

<label for="grade" class="form-label">Grade:</label>

<input type="text" name="grade" id="grade" class="form-control" value="<?=


htmlspecialchars($gradeFilter) ?>">

</div>

<div class="col-md-3">

<label for="section" class="form-label">Section:</label>


<input type="text" name="section" id="section" class="form-control" value="<?=
htmlspecialchars($sectionFilter) ?>">

</div>

<div class="col-md-3 d-flex align-items-end">

<button type="submit" class="btn btn-primary">Filter</button>

</div>

</form>

<table class="table table-bordered">

<thead class="table-dark">

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Sex</th>

<th>Age</th>

<th>Grade</th>

<th>Section</th>

</tr>

</thead>

<tbody>

<?php foreach ($students as $student): ?>

<tr>

<td><?= htmlspecialchars($student['student_id']) ?></td>

<td><?= htmlspecialchars($student['student_name']) ?></td>

<td><?= htmlspecialchars($student['sex']) ?></td>


<td><?= htmlspecialchars($student['age']) ?></td>

<td><?= htmlspecialchars($student['grade']) ?></td>

<td><?= htmlspecialchars($student['section']) ?></td>

</tr>

<?php endforeach; ?>

<?php if (empty($students)): ?>

<tr>

<td colspan="6" class="text-center">No students found.</td>

</tr>

<?php endif; ?>

</tbody>

</table>

</div>

</body>

</html>

<?php

require 'db.php';

$semester = isset($_GET['semester']) ? $_GET['semester'] : '';

$grade = isset($_GET['grade']) ? $_GET['grade'] : '';

$section = isset($_GET['section']) ? $_GET['section'] : '';


$query = "SELECT * FROM students WHERE grade = :grade AND section = :section";

$params = [':grade' => $grade, ':section' => $section];

$stmt = $conn->prepare($query);

$stmt->execute($params);

$students = $stmt->fetchAll(PDO::FETCH_ASSOC);

?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>Roster</title>

<link rel="stylesheet"
href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css">

</head>

<body>

<div class="container mt-5">

<h2>Class Roster for <?= htmlspecialchars($semester) ?> - Grade <?=


htmlspecialchars($grade) ?> Section <?= htmlspecialchars($section) ?></h2>

<table class="table table-bordered">

<thead class="table-dark">

<tr>

<th>Student ID</th>

<th>Name</th>

<th>Sex</th>
<th>Age</th>

</tr>

</thead>

<tbody>

<?php foreach ($students as $student): ?>

<tr>

<td><?= htmlspecialchars($student['student_id']) ?></td>

<td><?= htmlspecialchars($student['student_name']) ?></td>

<td><?= htmlspecialchars($student['sex']) ?></td>

<td><?= htmlspecialchars($student['age']) ?></td>

</tr>

<?php endforeach; ?>

</tbody>

</table>

<form action="roster_report.php" method="POST" target="_blank">

<input type="hidden" name="semester" value="<?= htmlspecialchars($semester) ?>">

<input type="hidden" name="grade" value="<?= htmlspecialchars($grade) ?>">

<input type="hidden" name="section" value="<?= htmlspecialchars($section) ?>">

<button type="submit" class="btn btn-success">Download PDF Report</button>

</form>

</div>

</body>

</html>
Roster report.php

<?php

require 'db.php';

require_once 'tcpdf/tcpdf.php';

$semester = $_POST['semester'];

$grade = $_POST['grade'];

$section = $_POST['section'];

$query = "SELECT * FROM students WHERE grade = :grade AND section = :section";

$params = [':grade' => $grade, ':section' => $section];

$stmt = $conn->prepare($query);

$stmt->execute($params);

$students = $stmt->fetchAll(PDO::FETCH_ASSOC);

$pdf = new TCPDF();

$pdf->AddPage();

$pdf->SetFont('helvetica', '', 12);

$pdf->Cell(0, 10, "Sabian Secondary School", 0, 1, 'C');


$pdf->Cell(0, 10, "Roster Report: $semester - Grade $grade, Section $section", 0, 1, 'C');

$pdf->Ln();

$pdf->Cell(30, 10, 'Student ID', 1);

$pdf->Cell(60, 10, 'Name', 1);

$pdf->Cell(30, 10, 'Sex', 1);

$pdf->Cell(20, 10, 'Age', 1);

$pdf->Ln();

foreach ($students as $student) {

$pdf->Cell(30, 10, $student['student_id'], 1);

$pdf->Cell(60, 10, $student['student_name'], 1);

$pdf->Cell(30, 10, $student['sex'], 1);

$pdf->Cell(20, 10, $student['age'], 1);

$pdf->Ln();

$pdf->Output('roster_report.pdf', 'D');

?>

Card. Php

<?php

require 'db.php';
$student_id = isset($_GET['student_id']) ? $_GET['student_id'] : '';

if ($student_id) {

$query = "SELECT s.*, m.*

FROM students s

JOIN marks m ON s.student_id = m.student_id

WHERE s.student_id = :student_id";

$stmt = $conn->prepare($query);

$stmt->execute([':student_id' => $student_id]);

$student = $stmt->fetch(PDO::FETCH_ASSOC);

?>

<!DOCTYPE html>

<html lang="en">

<head>

<meta charset="UTF-8">

<title>Student Card</title>

<link rel="stylesheet"
href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.0/dist/css/bootstrap.min.css">

</head>

<body>

<div class="container mt-5">

<h2>Student Card - <?= htmlspecialchars($student['student_name'] ?? 'Not Found') ?></h2>


<?php if ($student): ?>

<table class="table table-bordered">

<thead class="table-dark">

<tr>

<th>Subject</th>

<th>Score</th>

</tr>

</thead>

<tbody>

<?php

$subjects = ['Amharic', 'English', 'Mathes', 'Geo', 'History', 'Chemistry', 'Physics',


'Biology', 'ICT', 'Citizenship', 'Afan_Oromo', 'Somali'];

$total = 0;

foreach ($subjects as $subject) {

$score = $student[strtolower($subject)];

$total += $score;

echo "<tr><td>{$subject}</td><td>{$score}</td></tr>";

$average = $total / count($subjects);

?>

<tr class="table-success">

<td><strong>Total Score</strong></td>

<td><strong><?= $total ?></strong></td>

</tr>

<tr class="table-warning">
<td><strong>Average</strong></td>

<td><strong><?= number_format($average, 2) ?></strong></td>

</tr>

<tr class="table-info">

<td><strong>Rank</strong></td>

<td><strong><?= $student['rank'] ?></strong></td>

</tr>

</tbody>

</table>

<form action="card_report.php" method="POST" target="_blank">

<input type="hidden" name="student_id" value="<?= $student_id ?>">

<button type="submit" class="btn btn-success">Download PDF Report</button>

</form>

<?php else: ?>

<div class="alert alert-danger">Student not found!</div>

<?php endif; ?>

</div>

</body>

</html>

You might also like