Compare commits

..

1 Commits

Author SHA1 Message Date
Flatlogic Bot
1e4265917b v0.1*NotWorkingCurrently 2025-12-13 11:06:47 +00:00
12 changed files with 610 additions and 146 deletions

16
assets/css/custom.css Normal file
View File

@ -0,0 +1,16 @@
/* Animations */
@keyframes fadeInSlideUp {
from {
opacity: 0;
transform: translateY(20px);
}
to {
opacity: 1;
transform: translateY(0);
}
}
.animate-on-load {
opacity: 0;
animation: fadeInSlideUp 0.8s ease-out forwards;
}

62
dashboard.php Normal file
View File

@ -0,0 +1,62 @@
<?php
session_start();
// If user is not logged in, redirect to login page
if (!isset($_SESSION['user_id'])) {
header("Location: login.php");
exit();
}
$username = htmlspecialchars($_SESSION['username']);
?>
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Dashboard - AI Study Planner</title>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css" rel="stylesheet">
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootstrap-icons@1.11.3/font/bootstrap-icons.min.css">
<link rel="preconnect" href="https://fonts.googleapis.com">
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
<link href="https://fonts.googleapis.com/css2?family=Poppins:wght@300;400;600&family=Lato:wght@300;400;700&display=swap" rel="stylesheet">
<link rel="stylesheet" href="assets/css/custom.css">
</head>
<body>
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container">
<a class="navbar-brand" href="index.php">
<i class="bi bi-book-half"></i> AI Study Planner
</a>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav ms-auto">
<li class="nav-item">
<a class="nav-link" href="#">Dashboard</a>
</li>
<li class="nav-item">
<a class="nav-link" href="#">Settings</a>
</li>
<li class="nav-item">
<a class="nav-link btn btn-danger text-white px-3" href="logout.php">Logout</a>
</li>
</ul>
</div>
</div>
</nav>
<main class="container py-5">
<div class="p-5 mb-4 bg-light rounded-3">
<div class="container-fluid py-5">
<h1 class="display-5 fw-bold">Welcome, <?php echo $username; ?>!</h1>
<p class="col-md-8 fs-4">This is your personal dashboard. From here, you can manage your study materials and view your generated study plans.</p>
<p>You can start by <a href="index.php">uploading a new study material</a>.</p>
</div>
</div>
</main>
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/js/bootstrap.bundle.min.js"></script>
</body>
</html>

View File

@ -13,5 +13,21 @@ function db() {
PDO::ATTR_DEFAULT_FETCH_MODE => PDO::FETCH_ASSOC, PDO::ATTR_DEFAULT_FETCH_MODE => PDO::FETCH_ASSOC,
]); ]);
} }
return $pdo; return $pdo;
} }
function run_migrations() {
$pdo = db();
$migration_file = __DIR__ . '/migrations/001_initial_schema.sql';
if (file_exists($migration_file)) {
try {
$sql = file_get_contents($migration_file);
$pdo->exec($sql);
} catch (PDOException $e) {
// Optional: log error without crashing
error_log("Migration failed: " . $e->getMessage());
}
}
}
run_migrations();

View File

@ -0,0 +1,45 @@
CREATE TABLE IF NOT EXISTS `users` (
`id` varchar(36) NOT NULL,
`email` varchar(255) NOT NULL,
`password_hash` varchar(255) NOT NULL,
`created_at` datetime NOT NULL DEFAULT CURRENT_TIMESTAMP,
PRIMARY KEY (`id`),
UNIQUE KEY `email` (`email`)
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
CREATE TABLE IF NOT EXISTS `materials` (
`id` varchar(36) NOT NULL,
`user_id` varchar(36) NOT NULL,
`file_path` varchar(255) NOT NULL,
`upload_type` enum('pdf','pptx','image') NOT NULL,
`extracted_text` text,
`created_at` datetime NOT NULL DEFAULT CURRENT_TIMESTAMP,
PRIMARY KEY (`id`),
KEY `user_id` (`user_id`),
CONSTRAINT `materials_ibfk_1` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`) ON DELETE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
CREATE TABLE IF NOT EXISTS `study_plans` (
`id` varchar(36) NOT NULL,
`user_id` varchar(36) NOT NULL,
`material_id` varchar(36) NOT NULL,
`test_date` date NOT NULL,
`created_at` datetime NOT NULL DEFAULT CURRENT_TIMESTAMP,
PRIMARY KEY (`id`),
KEY `user_id` (`user_id`),
KEY `material_id` (`material_id`),
CONSTRAINT `study_plans_ibfk_1` FOREIGN KEY (`user_id`) REFERENCES `users` (`id`) ON DELETE CASCADE,
CONSTRAINT `study_plans_ibfk_2` FOREIGN KEY (`material_id`) REFERENCES `materials` (`id`) ON DELETE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;
CREATE TABLE IF NOT EXISTS `plan_items` (
`id` varchar(36) NOT NULL,
`plan_id` varchar(36) NOT NULL,
`day_number` int(11) NOT NULL,
`task_text` text NOT NULL,
`is_done` tinyint(1) NOT NULL DEFAULT '0',
PRIMARY KEY (`id`),
KEY `plan_id` (`plan_id`),
CONSTRAINT `plan_items_ibfk_1` FOREIGN KEY (`plan_id`) REFERENCES `study_plans` (`id`) ON DELETE CASCADE
) ENGINE=InnoDB DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci;

230
index.php
View File

@ -1,150 +1,90 @@
<?php <?php session_start(); ?>
declare(strict_types=1); <!DOCTYPE html>
@ini_set('display_errors', '1');
@error_reporting(E_ALL);
@date_default_timezone_set('UTC');
$phpVersion = PHP_VERSION;
$now = date('Y-m-d H:i:s');
?>
<!doctype html>
<html lang="en"> <html lang="en">
<head> <head>
<meta charset="utf-8" /> <meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1" /> <meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>New Style</title> <title>AI Study Planner</title>
<?php <link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css" rel="stylesheet">
// Read project preview data from environment <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootstrap-icons@1.11.3/font/bootstrap-icons.min.css">
$projectDescription = $_SERVER['PROJECT_DESCRIPTION'] ?? ''; <link rel="preconnect" href="https://fonts.googleapis.com">
$projectImageUrl = $_SERVER['PROJECT_IMAGE_URL'] ?? ''; <link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
?> <link href="https://fonts.googleapis.com/css2?family=Poppins:wght@300;400;600&family=Lato:wght@300;400;700&display=swap" rel="stylesheet">
<?php if ($projectDescription): ?> <link rel="stylesheet" href="assets/css/custom.css">
<!-- Meta description -->
<meta name="description" content='<?= htmlspecialchars($projectDescription) ?>' />
<!-- Open Graph meta tags -->
<meta property="og:description" content="<?= htmlspecialchars($projectDescription) ?>" />
<!-- Twitter meta tags -->
<meta property="twitter:description" content="<?= htmlspecialchars($projectDescription) ?>" />
<?php endif; ?>
<?php if ($projectImageUrl): ?>
<!-- Open Graph image -->
<meta property="og:image" content="<?= htmlspecialchars($projectImageUrl) ?>" />
<!-- Twitter image -->
<meta property="twitter:image" content="<?= htmlspecialchars($projectImageUrl) ?>" />
<?php endif; ?>
<link rel="preconnect" href="https://fonts.googleapis.com">
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
<link href="https://fonts.googleapis.com/css2?family=Inter:wght@400;700&display=swap" rel="stylesheet">
<style>
:root {
--bg-color-start: #6a11cb;
--bg-color-end: #2575fc;
--text-color: #ffffff;
--card-bg-color: rgba(255, 255, 255, 0.01);
--card-border-color: rgba(255, 255, 255, 0.1);
}
body {
margin: 0;
font-family: 'Inter', sans-serif;
background: linear-gradient(45deg, var(--bg-color-start), var(--bg-color-end));
color: var(--text-color);
display: flex;
justify-content: center;
align-items: center;
min-height: 100vh;
text-align: center;
overflow: hidden;
position: relative;
}
body::before {
content: '';
position: absolute;
top: 0;
left: 0;
width: 100%;
height: 100%;
background-image: url('data:image/svg+xml,<svg xmlns="http://www.w3.org/2000/svg" width="100" height="100" viewBox="0 0 100 100"><path d="M-10 10L110 10M10 -10L10 110" stroke-width="1" stroke="rgba(255,255,255,0.05)"/></svg>');
animation: bg-pan 20s linear infinite;
z-index: -1;
}
@keyframes bg-pan {
0% { background-position: 0% 0%; }
100% { background-position: 100% 100%; }
}
main {
padding: 2rem;
}
.card {
background: var(--card-bg-color);
border: 1px solid var(--card-border-color);
border-radius: 16px;
padding: 2rem;
backdrop-filter: blur(20px);
-webkit-backdrop-filter: blur(20px);
box-shadow: 0 8px 32px 0 rgba(0, 0, 0, 0.1);
}
.loader {
margin: 1.25rem auto 1.25rem;
width: 48px;
height: 48px;
border: 3px solid rgba(255, 255, 255, 0.25);
border-top-color: #fff;
border-radius: 50%;
animation: spin 1s linear infinite;
}
@keyframes spin {
from { transform: rotate(0deg); }
to { transform: rotate(360deg); }
}
.hint {
opacity: 0.9;
}
.sr-only {
position: absolute;
width: 1px; height: 1px;
padding: 0; margin: -1px;
overflow: hidden;
clip: rect(0, 0, 0, 0);
white-space: nowrap; border: 0;
}
h1 {
font-size: 3rem;
font-weight: 700;
margin: 0 0 1rem;
letter-spacing: -1px;
}
p {
margin: 0.5rem 0;
font-size: 1.1rem;
}
code {
background: rgba(0,0,0,0.2);
padding: 2px 6px;
border-radius: 4px;
font-family: ui-monospace, SFMono-Regular, Menlo, Consolas, monospace;
}
footer {
position: absolute;
bottom: 1rem;
font-size: 0.8rem;
opacity: 0.7;
}
</style>
</head> </head>
<body> <body>
<main>
<div class="card"> <nav class="navbar navbar-expand-lg navbar-light bg-light">
<h1>Analyzing your requirements and generating your website…</h1> <div class="container">
<div class="loader" role="status" aria-live="polite" aria-label="Applying initial changes"> <a class="navbar-brand" href="index.php">
<span class="sr-only">Loading…</span> <i class="bi bi-book-half"></i> AI Study Planner
</div> </a>
<p class="hint"><?= ($_SERVER['HTTP_HOST'] ?? '') === 'appwizzy.com' ? 'AppWizzy' : 'Flatlogic' ?> AI is collecting your requirements and applying the first changes.</p> <button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<p class="hint">This page will update automatically as the plan is implemented.</p> <span class="navbar-toggler-icon"></span>
<p>Runtime: PHP <code><?= htmlspecialchars($phpVersion) ?></code> — UTC <code><?= htmlspecialchars($now) ?></code></p> </button>
</div> <div class="collapse navbar-collapse" id="navbarNav">
</main> <ul class="navbar-nav ms-auto">
<footer> <?php if (isset($_SESSION['user_id'])): ?>
Page updated: <?= htmlspecialchars($now) ?> (UTC) <li class="nav-item">
</footer> <a class="nav-link" href="dashboard.php">Dashboard</a>
</li>
<li class="nav-item">
<a class="nav-link btn btn-danger text-white px-3" href="logout.php">Logout</a>
</li>
<?php else: ?>
<li class="nav-item">
<a class="nav-link" href="login.php">Login</a>
</li>
<li class="nav-item">
<a class="nav-link btn btn-primary text-white px-3" href="register.php">Register</a>
</li>
<?php endif; ?>
</ul>
</div>
</div>
</nav>
<main class="container">
<section class="hero text-center py-5 animate-on-load">
<div class="col-lg-8 mx-auto">
<h1 class="display-4 fw-bold">From Clutter to Clarity</h1>
<p class="lead mb-4">Upload your Hebrew study material &rarr; get a personal AI study plan.</p>
<a href="#upload-section" class="btn btn-primary btn-lg">
<i class="bi bi-upload me-2"></i>Start Now
</a>
</div>
</section>
<section id="upload-section" class="py-5 bg-light rounded-3 animate-on-load" style="animation-delay: 0.2s;">
<div class="container">
<div class="row justify-content-center">
<div class="col-lg-8">
<div class="card shadow-sm">
<div class="card-body p-5">
<h2 class="card-title text-center mb-4">Upload Your Material</h2>
<form action="upload.php" method="post" enctype="multipart/form-data">
<div class="mb-3">
<label for="fileToUpload" class="form-label">Select file (PDF, PPTX, JPG, PNG)</label>
<input class="form-control" type="file" id="fileToUpload" name="fileToUpload" required accept=".pdf,.pptx,.jpg,.jpeg,.png">
</div>
<div class="d-grid">
<button type="submit" class="btn btn-primary btn-lg">Generate Study Plan</button>
</div>
</form>
</div>
</div>
</div>
</div>
</div>
</section>
</main>
<footer class="py-4 mt-auto">
<div class="container text-center">
<span class="text-muted">© 2025 AI Study Planner</span>
</div>
</footer>
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/js/bootstrap.bundle.min.js"></script>
</body> </body>
</html> </html>

117
login.php Normal file
View File

@ -0,0 +1,117 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Login - AI Study Planner</title>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css" rel="stylesheet">
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootstrap-icons@1.11.3/font/bootstrap-icons.min.css">
<link rel="preconnect" href="https://fonts.googleapis.com">
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
<link href="https://fonts.googleapis.com/css2?family=Poppins:wght@300;400;600&family=Lato:wght@300;400;700&display=swap" rel="stylesheet">
<link rel="stylesheet" href="assets/css/custom.css">
</head>
<body>
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container">
<a class="navbar-brand" href="index.php">
<i class="bi bi-book-half"></i> AI Study Planner
</a>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav ms-auto">
<li class="nav-item">
<a class="nav-link" href="login.php">Login</a>
</li>
<li class="nav-item">
<a class="nav-link btn btn-primary text-white px-3" href="register.php">Register</a>
</li>
</ul>
</div>
</div>
</nav>
<main class="container py-5">
<section id="login-form" class="card shadow-sm border-0 animate-on-load" style="max-width: 500px; margin: auto;">
<div class="card-body p-5">
<?php
session_start();
require_once 'db/config.php';
// If user is already logged in, redirect to dashboard
if (isset($_SESSION['user_id'])) {
header("Location: dashboard.php");
exit();
}
$error = '';
$success = '';
if (isset($_GET['registered']) && $_GET['registered'] === 'success') {
$success = 'Registration successful! Please log in.';
}
if ($_SERVER["REQUEST_METHOD"] == "POST") {
$email = trim($_POST['email']);
$password = trim($_POST['password']);
if (empty($email) || empty($password)) {
$error = 'Please fill in all fields.';
} else {
try {
$pdo = db();
$stmt = $pdo->prepare("SELECT id, username, email, password FROM users WHERE email = ?");
$stmt->execute([$email]);
$user = $stmt->fetch();
if ($user && password_verify($password, $user['password'])) {
// Password is correct, start session
$_SESSION['user_id'] = $user['id'];
$_SESSION['username'] = $user['username'];
$_SESSION['email'] = $user['email'];
// Redirect to the dashboard
header("Location: dashboard.php");
exit();
} else {
$error = 'Invalid email or password.';
}
} catch (PDOException $e) {
$error = 'Database error. Please try again later.';
// error_log($e->getMessage());
}
}
}
?>
<h2 class="card-title text-center mb-4">Welcome Back</h2>
<?php if ($error): ?>
<div class="alert alert-danger"><?php echo htmlspecialchars($error); ?></div>
<?php endif; ?>
<?php if ($success): ?>
<div class="alert alert-success"><?php echo htmlspecialchars($success); ?></div>
<?php endif; ?>
<form action="login.php" method="POST">
<div class="mb-3">
<label for="email" class="form-label">Email address</label>
<input type="email" class="form-control" id="email" name="email" required>
</div>
<div class="mb-3">
<label for="password" class="form-label">Password</label>
<input type="password" class="form-control" id="password" name="password" required>
</div>
<div class="d-grid">
<button type="submit" class="btn btn-primary btn-pulse">Login</button>
</div>
</form>
<div class="text-center mt-3">
<p>Don't have an account? <a href="register.php">Register here</a></p>
</div>
</div>
</section>
</main>
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/js/bootstrap.bundle.min.js"></script>
</body>
</html>

22
logout.php Normal file
View File

@ -0,0 +1,22 @@
<?php
session_start();
// Unset all of the session variables.
$_SESSION = array();
// If it's desired to kill the session, also delete the session cookie.
// Note: This will destroy the session, and not just the session data!
if (ini_get("session.use_cookies")) {
$params = session_get_cookie_params();
setcookie(session_name(), '', time() - 42000,
$params["path"], $params["domain"],
$params["secure"], $params["httponly"]
);
}
// Finally, destroy the session.
session_destroy();
// Redirect to login page
header("Location: login.php");
exit();

27
ocr/config.php Normal file
View File

@ -0,0 +1,27 @@
<?php
// OCR.space configuration.
// Reads the API key from an environment variable.
function get_ocr_key() {
$key = getenv('OCR_API_KEY');
if ($key === false || $key === null || $key === '') {
// Attempt to load from .env if not in process environment
$envPath = realpath(__DIR__ . '/../../.env');
if ($envPath && is_readable($envPath)) {
$lines = @file($envPath, FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES) ?: [];
foreach ($lines as $line) {
if (str_starts_with(trim($line), 'OCR_API_KEY')) {
[, $v] = array_map('trim', explode('=', $line, 2));
$key = trim($v, "' ");
break;
}
}
}
}
return ($key === false) ? null : $key;
}
return [
'api_key' => get_ocr_key(),
];

44
readme.txt Normal file
View File

@ -0,0 +1,44 @@
How to get your API keys:
**1. OCR (Tesseract)**
Tesseract is a free, open-source OCR engine. You don't need an API key in the traditional sense, but you do need to install it on your server.
- **On Debian/Ubuntu:**
`sudo apt update`
`sudo apt install tesseract-ocr`
`sudo apt install tesseract-ocr-heb` (for Hebrew language support)
- **On CentOS/RHEL:**
`sudo yum install tesseract`
(You may need to find a repository that has the Hebrew language pack)
No API key needs to be set in the environment variables for Tesseract. The application will call it from the command line.
**2. AI Service (Free Tier or Mock)**
For the MVP, we are using a free or mock AI service. There are several options for free language models. One option is to use a free tier from a provider. Another is to set up a local model if you have the hardware.
For a simple mock setup, you can have the application return a pre-defined JSON response without calling a real AI.
If you choose a service that provides an API key, you will need to set it in your `.env` file:
`AI_API_KEY="your_key_here"`
**3. Email Provider (Free SMTP)**
You can use a service like Mailgun or SendGrid which offer free tiers for a limited number of emails per month.
- **Sign up for a free account** on a provider like Mailgun.
- **Verify your domain.** This is a necessary step to be able to send emails.
- **Get your SMTP credentials.** They will look something like this:
- Host: `smtp.mailgun.org`
- Port: `587`
- Username: `postmaster@yourdomain.com`
- Password: `a_long_secret_password`
- **Set these credentials in your `.env` file:**
`SMTP_HOST="smtp.mailgun.org"`
`SMTP_PORT="587"`
`SMTP_USER="your_username"`
`SMTP_PASS="your_password"`
`MAIL_FROM="you@yourdomain.com"`

116
register.php Normal file
View File

@ -0,0 +1,116 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Register - AI Study Planner</title>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css" rel="stylesheet">
<link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/bootstrap-icons@1.11.3/font/bootstrap-icons.min.css">
<link rel="preconnect" href="https://fonts.googleapis.com">
<link rel="preconnect" href="https://fonts.gstatic.com" crossorigin>
<link href="https://fonts.googleapis.com/css2?family=Poppins:wght@300;400;600&family=Lato:wght@300;400;700&display=swap" rel="stylesheet">
<link rel="stylesheet" href="assets/css/custom.css">
</head>
<body>
<nav class="navbar navbar-expand-lg navbar-light bg-light">
<div class="container">
<a class="navbar-brand" href="index.php">
<i class="bi bi-book-half"></i> AI Study Planner
</a>
<button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNav" aria-controls="navbarNav" aria-expanded="false" aria-label="Toggle navigation">
<span class="navbar-toggler-icon"></span>
</button>
<div class="collapse navbar-collapse" id="navbarNav">
<ul class="navbar-nav ms-auto">
<li class="nav-item">
<a class="nav-link" href="login.php">Login</a>
</li>
<li class="nav-item">
<a class="nav-link btn btn-primary text-white px-3" href="register.php">Register</a>
</li>
</ul>
</div>
</div>
</nav>
<main class="container py-5">
<section id="register-form" class="card shadow-sm border-0 animate-on-load" style="max-width: 500px; margin: auto;">
<div class="card-body p-5">
<h2 class="card-title text-center mb-4">Create Your Account</h2>
<?php
session_start();
require_once 'db/config.php';
$error = '';
$success = '';
if ($_SERVER["REQUEST_METHOD"] == "POST") {
$username = trim($_POST['username']);
$email = trim($_POST['email']);
$password = trim($_POST['password']);
if (empty($username) || empty($email) || empty($password)) {
$error = 'Please fill in all fields.';
} elseif (!filter_var($email, FILTER_VALIDATE_EMAIL)) {
$error = 'Invalid email format.';
} else {
try {
$pdo = db();
// Check if user already exists
$stmt = $pdo->prepare("SELECT id FROM users WHERE email = ?");
$stmt->execute([$email]);
if ($stmt->fetch()) {
$error = 'A user with this email already exists.';
} else {
// Hash password
$hashed_password = password_hash($password, PASSWORD_DEFAULT);
// Insert user
$stmt = $pdo->prepare("INSERT INTO users (username, email, password) VALUES (?, ?, ?)");
if ($stmt->execute([$username, $email, $hashed_password])) {
// Redirect to login page with a success message
header("Location: login.php?registered=success");
exit();
} else {
$error = 'Something went wrong. Please try again later.';
}
}
} catch (PDOException $e) {
// In a real app, you would log this error.
$error = 'Database error. Please try again later.';
// error_log($e->getMessage());
}
}
}
?>
<?php if ($error): ?>
<div class="alert alert-danger"><?php echo htmlspecialchars($error); ?></div>
<?php endif; ?>
<form action="register.php" method="POST">
<div class="mb-3">
<label for="username" class="form-label">Username</label>
<input type="text" class="form-control" id="username" name="username" required>
</div>
<div class="mb-3">
<label for="email" class="form-label">Email address</label>
<input type="email" class="form-control" id="email" name="email" required>
</div>
<div class="mb-3">
<label for="password" class="form-label">Password</label>
<input type="password" class="form-control" id="password" name="password" required>
</div>
<div class="d-grid">
<button type="submit" class="btn btn-primary btn-pulse">Register</button>
</div>
</form>
<div class="text-center mt-3">
<p>Already have an account? <a href="login.php">Login here</a></p>
</div>
</div>
</section>
</main>
<script src="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/js/bootstrap.bundle.min.js"></script>
</body>
</html>

59
upload.php Normal file
View File

@ -0,0 +1,59 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Upload Status</title>
<link href="https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css" rel="stylesheet">
<link rel="stylesheet" href="assets/css/custom.css">
</head>
<body>
<div class="container d-flex justify-content-center align-items-center vh-100">
<div class="card text-center shadow-sm p-4">
<div class="card-body">
<?php
$target_dir = "uploads/";
if (!is_dir($target_dir)) {
mkdir($target_dir, 0755, true);
}
$target_file = $target_dir . basename($_FILES["fileToUpload"]["name"]);
$uploadOk = 1;
$fileType = strtolower(pathinfo($target_file, PATHINFO_EXTENSION));
// Check if file was uploaded
if (isset($_POST["submit"])) {
$check = getimagesize($_FILES["fileToUpload"]["tmp_name"]);
if ($check !== false) {
$uploadOk = 1;
} else {
$uploadOk = 0;
}
}
// Allow certain file formats
if ($fileType != "jpg" && $fileType != "png" && $fileType != "jpeg" && $fileType != "pdf" && $fileType != "pptx") {
echo "<h2 class\"text-danger\">Sorry, only JPG, JPEG, PNG, PDF & PPTX files are allowed.</h2>";
$uploadOk = 0;
}
// Check if $uploadOk is set to 0 by an error
if ($uploadOk == 0) {
echo "<p class=\"text-muted\">Your file was not uploaded.</p>";
// if everything is ok, try to upload file
} else {
if (move_uploaded_file($_FILES["fileToUpload"]["tmp_name"], $target_file)) {
echo "<h2 class=\"text-success\">The file ". htmlspecialchars(basename($_FILES["fileToUpload"]["name"])) ." has been uploaded.</h2>";
echo "<p class=\"text-muted\">We are now processing your file. You will be redirected shortly.</p>";
// In a real app, you would redirect to the material preview page, e.g.:
// header("Location: material_preview.php?file=" . urlencode(basename( $_FILES["fileToUpload"]["name"]))));
} else {
echo "<h2 class=\"text-danger\">Sorry, there was an error uploading your file.</h2>";
}
}
?>
<a href="index.php" class="btn btn-primary mt-3">Back to Home</a>
</div>
</div>
</div>
</body>
</html>

Binary file not shown.

After

Width:  |  Height:  |  Size: 30 KiB