lollipop

A PHP-framework
Log | Files | Refs

commit fc49a3865756d771bc93cc9cb4ce9b1a8116b30f
parent f4ebd7b0d97f1244550ba985ee15df620f9d62e8
Author: Friedel Schön <[email protected]>
Date:   Thu, 25 May 2023 11:17:15 +0200

Merge branch 'dev_2'

Diffstat:
ALollipop/DatabaseObject.php | 170+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
ALollipop/Router.php | 78++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
ALollipop/SQLDatabase.php | 130+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
AModel/Course.php | 17+++++++++++++++++
AModel/CourseUser.php | 17+++++++++++++++++
AModel/Exam.php | 17+++++++++++++++++
AModel/Login_handler.php | 47+++++++++++++++++++++++++++++++++++++++++++++++
AModel/Permission.php | 17+++++++++++++++++
AModel/Permission_User.php | 16++++++++++++++++
AModel/User.php | 17+++++++++++++++++
MREADME.md | 6++++++
Abackup.php | 35+++++++++++++++++++++++++++++++++++
Aindex.php | 18++++++++++++++++++
Alogic/dashboard.php | 16++++++++++++++++
Alogic/login.php | 19+++++++++++++++++++
Alogic/logout.php | 9+++++++++
Alogic/navbar.php | 43+++++++++++++++++++++++++++++++++++++++++++
Autils/autoloader.php | 20++++++++++++++++++++
Aviews/add_user.php | 147+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Aviews/alter_user.php | 171+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Aviews/crud_user.php | 131+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Aviews/dashboard.php | 15+++++++++++++++
Aviews/login.php | 57+++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Aviews/navbar.php | 37+++++++++++++++++++++++++++++++++++++
Aviews/search_course.php | 98+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
Aviews/search_user.php | 87+++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++++
26 files changed, 1435 insertions(+), 0 deletions(-)

diff --git a/Lollipop/DatabaseObject.php b/Lollipop/DatabaseObject.php @@ -0,0 +1,169 @@ +<?php + +namespace Lollipop { + require_once "SQLDatabase.php"; + + abstract class DatabaseObject + { + protected string $table; + protected string $primary; + + protected SQLDatabase $db; + protected array $data = []; + protected array $changed_keys = []; + + function __construct(SQLDatabase $db) + { + $this->db = $db; + $this->primary = $this->get_primary(); + $this->table = $this->get_table(); + } + + abstract static function get_primary(): string; + abstract static function get_table(): string; + + public function setData($data) + { + $this->data = $data; + } + public function where(string $key, string $value) + { + $sql = "SELECT * FROM {$this->table} WHERE $key = ?"; + $value = array($value); + $stmt = $this->db->conn->prepare($sql); + $stmt->execute($value); + $result = $stmt->get_result(); + if ($result->num_rows == 0) { + return false; + } + $this->data = $result->fetch_assoc(); + return true; + } + + public function where_array(array $values) : bool + { + $sql = "SELECT * FROM {$this->table} WHERE "; + $params = []; + $i = 0; + foreach($values as $key => $param){ + if($i > 0) + $sql .= " and "; + $sql .= "{$key} = ?"; + $params[] = $param; + } + + $stmt = $this->db->conn->prepare($sql); + $stmt->execute($params); + $result = $stmt->get_result(); + + if ($result->num_rows == 0) { + return false; + } + + $this->data = $result->fetch_assoc(); + return true; + } + public function load(string $id): bool + { + /*this fuction accepts an $id value for the primary key + * loads the row into data[] + * returns bool if row is found + */ + $sql = "SELECT * FROM {$this->table} WHERE {$this->primary} = ?"; + + $stmt = $this->db->conn->prepare($sql); + $stmt->execute([$id]); + $result = $stmt->get_result(); + + if ($result->num_rows == 0) { + return false; + } + + $this->data = $result->fetch_assoc(); + return true; + } + + public function save() : bool + { + if (!$this->changed_keys) + return false; + + $sql = "UPDATE {$this->table} SET "; + + $values = []; + foreach ($this->changed_keys as $index => $key) { + if ($index > 0) + $sql .= ', '; + $sql .= "$key = ?"; + $values[] = $this->data[$key]; + } + + $sql .= " WHERE {$this->primary} = ?"; + $values[] = $this->data[$this->primary]; + + $stmt = $this->db->conn->prepare($sql); + + $this->changed_keys = []; + + if($stmt->execute($values)) + return true; + else + return false; + } + + public function add() : bool + /* this function add the set variables to the database */ + { + if (!$this->changed_keys) + return false; + + $sql = "INSERT INTO {$this->table} ("; + $sql_val = ") VALUES ("; + $values = []; + + foreach ($this->changed_keys as $index => $key) { + if ($index > 0){ + $sql .= ', '; + $sql_val .= ', '; + } + $sql .= $key; + $sql_val .= "?"; + $values[] = $this->data[$key]; + } + + $sql .= $sql_val . ")"; + $stmt = $this->db->conn->prepare($sql); + + $this->changed_keys = []; + + if($stmt->execute($values)) + return true; + else + return false; + } + public function delete() + { + $sql = "DELETE FROM {$this->table} WHERE {$this->primary} = ?"; + $stmt = $this->db->conn->prepare($sql); + $stmt->execute([$this->data[$this->primary]]); + $this->data = []; + $this->changed_keys = []; + } + + public function __get(string $name) + { + return $this->data[$name]; + } + + public function __set(string $name, $value) + { + $this->data[$name] = $value; + $this->changed_keys[] = $name; + } + + public function getData() + { + return $this->data; + } + } +} +\ No newline at end of file diff --git a/Lollipop/Router.php b/Lollipop/Router.php @@ -0,0 +1,77 @@ +<?php + +namespace Lollipop { + class Router + { + protected array $routes = []; + protected string $path; + + protected function match(string $match, array &$route_vars): bool + { + $route_split = explode('/', $this->path); + $match_split = explode('/', $match); + + if (sizeof($route_split) != sizeof($match_split)) { + return false; + } + + foreach ($match_split as $index => $m) { + if (str_starts_with($m, ':')) { + $route_vars[substr($m, 1)] = $route_split[$index]; + } else if ($m != $route_split[$index]) { + return false; + } + } + return true; + } + + + function addRoute(string|array $method, string $match, string|callable $func) + { + if (is_string($method)) + $method = [$method]; + + + $this->routes[] = array( + "method" => $method, + "match" => $match, + "func" => $func, + ); + } + + function includeRoute(string $path, array $_PARAM) + { + include $path; + } + + function route(string $base = null) + { + $this->path = $_SERVER["REQUEST_URI"]; + + if (strpos($this->path, '?')) + $this->path = explode('?', $this->path)[0]; + + if ($base && strpos($this->path, $base)) + $this->path = explode($base, $this->path)[1]; + + $method = $_SERVER["REQUEST_METHOD"]; + + foreach ($this->routes as $route) { + if ($route["method"] != null && !in_array($method, $route["method"])) + continue; + + $vars = []; + if ($this->match($route["match"], $vars)) { + if (is_callable($route["func"])) { + return $route["func"]($vars); + } else { + return $this->includeRoute($route["func"], $vars); + } + } + } + + echo "404 '$this->path' not found!"; + return null; + } + } +} +\ No newline at end of file diff --git a/Lollipop/SQLDatabase.php b/Lollipop/SQLDatabase.php @@ -0,0 +1,129 @@ +<?php + +namespace Lollipop { + use mysqli; + + class SQLDatabase + { + public mysqli $conn; + + function __construct(string $host, string $username, string $password, string $database = null, int $port = null) + { + $this->conn = new mysqli($host, $username, $password, $database, $port); + } + + function get(string $table_class) + { + /* this function accepts a $table_name creates a Database object with the class $table_name + * retuns a Database object + */ + $cls = new $table_class($this); + return $cls; + } + + function all_where(string $table_name, array $vars) + { + /* this function accepts a table name and an array[$column_name => $value] + * statement is select * from $table_name where $column_name = $value AND etc... + * returns an array of classes + */ + if (!sizeof($vars)) { + return []; + } + $cls = new $table_name($this); + + $sql = "SELECT * FROM {$cls->get_table()} WHERE "; + $params = []; + + $i = 0; + foreach ($vars as $key => $value) { + if ($i > 0) { + $sql .= ' AND '; + } + $sql .= " $key LIKE ?"; + $params[] = $value; + $i++; + } + + $stmt = $this->conn->prepare($sql); + $stmt->execute($params); + $result = $stmt->get_result(); + + if (!$result || $result->num_rows == 0) { + return []; + } + + $objects = []; + while ($row = $result->fetch_assoc()) { + $o = new $table_name($this); + $o->setData($row); + $objects[] = $o; + } + return $objects; + } + + function all(string $table_name) + { + /* loads whole table $table_name + * returns array of objects + */ + $cls = new $table_name($this); + + $sql = "SELECT * FROM {$cls->get_table()}"; + + $result = $this->conn->query($sql); + + if (!$result || $result->num_rows == 0) { + return []; + } + + $objects = []; + while ($row = $result->fetch_assoc()) { + $o = new $table_name($this); + $o->setData($row); + $objects[] = $o; + } + return $objects; + } + public function getDateRange(string $table_name, array $query, $order) + { + if($query == null) + return []; + + $cls = new $table_name($this); + + $sql = "SELECT * FROM {$cls->get_table()} WHERE "; + $index = 0; + $values = []; + foreach($query as $key => $q) { + foreach ($q as $k => $value) { + if ($index > 0) { + $sql .= " AND "; + } + $sql .= "{$key} {$k} ?"; + $values[] = $value; + $index++; + } + } + + $sql .= " ORDER BY date_time " . $order; + $sql .= " LIMIT 1000"; + $stmt = $this->conn->prepare($sql); + $stmt->execute($values); + $result = $stmt->get_result(); + + if ($result->num_rows == 0) { + return []; + } + + $objects = []; + while ($row = $result->fetch_assoc()) { + $o = new $table_name($this); + $o->setData($row); + $objects[] = $o; + } + return $objects; + } + } +} +?> +\ No newline at end of file diff --git a/Model/Course.php b/Model/Course.php @@ -0,0 +1,16 @@ +<?php + +namespace Model { + class Course extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "course"; + } + + static function get_primary(): string + { + return "id"; + } + } +} +\ No newline at end of file diff --git a/Model/CourseUser.php b/Model/CourseUser.php @@ -0,0 +1,16 @@ +<?php + +namespace Model { + class CourseUser extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "user_course"; + } + + static function get_primary(): string + { + return "id"; + } + } +} +\ No newline at end of file diff --git a/Model/Exam.php b/Model/Exam.php @@ -0,0 +1,16 @@ +<?php + +namespace Model { + class User extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "exam"; + } + + static function get_primary(): string + { + return "id"; + } + } +} +\ No newline at end of file diff --git a/Model/Login_handler.php b/Model/Login_handler.php @@ -0,0 +1,46 @@ +<?php +class Login_handler +{ + function login(string $email, string $pwd) : bool + //this function return true when user is autheticated uses set_globals to set $_SESSION variables + { + //create a SQLDatabase class + $db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); + //create a Database object class, with the table User + $u = $db->get(Model\User::class); + + //check if the email exists in db + if(!$u->where('email', $email)){ + //email does not exist + return false; + }else{ + if(password_verify($pwd, $u->pwd)){ + //authenticated -> set $_SESSION variables + $this->set_globals($u, $db); + return true; + } else { + //password did not match + return false; + } + } + } + + private function set_globals(Lollipop\DatabaseObject $u, Lollipop\SQLDatabase $db) + //this function sets Session variables which incluse + //email, first_name, last_name and array user_permissions + { + //start session and set + session_start(); + $_SESSION['email'] = $u->email; + $_SESSION['first_name'] = $u->fname; + $_SESSION['last_name'] = $u->lname; + + //get permissions form db and set sessions_permissions + $p = $db->all_where(Model\Permission_user::class, array('email' => $u->email)); + foreach($p as $permission){ + $user_permissions[] = $permission->id; + } + $_SESSION['user_permissions'] = $user_permissions; + } +} +?> +\ No newline at end of file diff --git a/Model/Permission.php b/Model/Permission.php @@ -0,0 +1,16 @@ +<?php + +namespace Model { + class Permission extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "permission"; + } + + static function get_primary(): string + { + return "id"; + } + } +} +\ No newline at end of file diff --git a/Model/Permission_User.php b/Model/Permission_User.php @@ -0,0 +1,15 @@ +<?php +namespace Model { + class Permission_User extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "permission_user"; + } + + static function get_primary(): string + { + return 'id'; + } + } +} +\ No newline at end of file diff --git a/Model/User.php b/Model/User.php @@ -0,0 +1,16 @@ +<?php + +namespace Model { + class User extends \Lollipop\DatabaseObject + { + static function get_table(): string + { + return "user"; + } + + static function get_primary(): string + { + return "email"; + } + } +} +\ No newline at end of file diff --git a/README.md b/README.md @@ -1,3 +1,9 @@ # `LOLLIPOP.php` > Lollipop is een PHP component-system :lollipop: + +ADMIN PASSWORD IS: + +| user | password | +| -------------- | -------- | +| `[email protected]` | `test` | diff --git a/backup.php b/backup.php @@ -0,0 +1,34 @@ +if($email == $row['email'] && password_verify($pwd, $row['wachtwoord'])) { +session_start(); +$_SESSION['email'] = $row['email']; +mysqli_data_seek($result, 0); +$permissions = array(); +$permissions_names = array(); +while($row = mysqli_fetch_assoc($result)){ +array_push($permissions, $row['permissie_id']); +array_push($permissions_names, $row['permissie_naam']); +} +$_SESSION['permissions'] = $permissions; +$_SESSION['permissions_names'] = $permissions_names; +foreach($_SESSION['permissions'] as $bullshit){ +echo $bullshit . "<br>"; + + +// verification logic and $_SESSION start +if(count($row = $result->fetch_assoc()) > 0){ + +header('Location: dashboard.php'); +} else { +echo '<p style="color:red">Invalid username or password.</p>'; +} +} else { +echo '<p style="color:red">Invalid username or password.</p>'; +} + +//Excecuting a sql statement for all the user permissions +foreach($permissions as $perm){ +$sql = "INSERT INTO medewerkers_permissie (email, permissie_id) VALUES (?, ?);"; +$stmt= $conn->prepare($sql); +$stmt->bind_param("si", $email, $perm); +$stmt->execute(); +} +\ No newline at end of file diff --git a/index.php b/index.php @@ -0,0 +1,17 @@ +<?php + +require_once "utils/autoloader.php"; + +$router = new Lollipop\Router(); +$router->addRoute(["GET", "POST"], "/user/:email/update", "views/alter_user.php"); +$router->addRoute(["GET", "POST"], "/user/add", "views/add_user.php"); +$router->addRoute(["GET", "POST"], "/user/:email/crud", "views/crud_user.php"); +$router->addRoute(["GET", "POST"], "/user/search", "views/search_user.php"); +$router->addRoute(["GET", "POST"], "/dashboard", "views/dashboard.php"); +$router->addRoute(["GET", "POST"], "/", "views/login.php"); +$router->addRoute(["GET", "POST"], "/logout", "logic/logout.php"); +$router->addRoute(["GET", "POST"], "/course/search", "views/search_course.php"); +$router->addRoute(["GET", "POST"], "/course/:enroll/enroll", "views/search_course.php"); +$router->addRoute(["GET", "POST"], "/course/:unsubscribe/unsubscribe", "views/search_course.php"); + +$router->route(); +\ No newline at end of file diff --git a/logic/dashboard.php b/logic/dashboard.php @@ -0,0 +1,15 @@ +<?php + //echo file_get_contents('http://127.0.0.1/server-status'); + session_start(); + echo "voornaam = "; + echo $_SESSION['first_name']; + echo "<br>"; + echo "achternaam = "; + echo $_SESSION['last_name']; + echo "<br>"; + echo "email = "; + echo $_SESSION['email']; + echo "<br>"; + echo "perm = "; + var_dump($_SESSION['user_permissions']); +?> +\ No newline at end of file diff --git a/logic/login.php b/logic/login.php @@ -0,0 +1,18 @@ +<?php +include "utils\autoloader.php"; + +//create login class +$login_handler = new Login_handler; +$msg = ""; +if ($_SERVER["REQUEST_METHOD"] == "POST") { + if(isset($_POST['email']) || !isset($_POST['password'])){ + // fetch data from the form pass to login_handler function + if(($login_handler->login($_POST['email'], $_POST['password']))){ + //authenticated + header('Location: /dashboard'); + }else{ + $msg = "<p style=\"color:red\">Incorrect username of password.</p>"; + } + } +} +?> +\ No newline at end of file diff --git a/logic/logout.php b/logic/logout.php @@ -0,0 +1,8 @@ +<?php +session_start(); +session_unset(); +session_destroy(); +session_abort(); +header('Location: /'); +exit; +?> +\ No newline at end of file diff --git a/logic/navbar.php b/logic/navbar.php @@ -0,0 +1,42 @@ +<?php +session_start(); +if (!isset($_SESSION['email'])) { + header('Location: /'); + exit; +} +// Get the permission level of the user + +$permission_levels = $_SESSION['user_permissions']; + +// Assume $permission_levels is an array containing the user's permission levels + +$links = array(); + +// Define the links for each type of employee +if (in_array(0, $permission_levels)) { + // Admin links + $admin_links = array( + array('url' => '/user/add', 'title' => 'Add User'), + array('url' => '/user/search', 'title' => 'Search for user'), + ); + $links[] = array('name' => 'Admin', 'links' => $admin_links); +} + +if (in_array(1, $permission_levels)) { + // Lecturer links + $lecturer_links = array( + array('url' => 'lecturer_page_1.php', 'title' => 'Lecturer Page 1'), + array('url' => 'lecturer_page_2.php', 'title' => 'Lecturer Page 2'), + array('url' => 'lecturer_page_3.php', 'title' => 'Lecturer Page 3') + ); + $links[] = array('name' => 'Lecturer', 'links' => $lecturer_links); +} + +if (in_array(2, $permission_levels)) { + // Student links + $student_links = array( + array('url' => '/course/search', 'title' => 'Courses'), + ); + $links[] = array('name' => 'Student', 'links' => $student_links); +} +?> +\ No newline at end of file diff --git a/utils/autoloader.php b/utils/autoloader.php @@ -0,0 +1,19 @@ +<?php + +spl_autoload_register(function ($class_name) { + if (DIRECTORY_SEPARATOR != "\\") + $class_name = str_replace("\\", DIRECTORY_SEPARATOR, $class_name); + + $sr = DIRECTORY_SEPARATOR; + $filename = $class_name . '.php'; + if (!file_exists($filename)) { + $filename = 'Model' . $sr . $class_name . '.php'; + if (!file_exists($filename)) { + return false; + } else { + include 'Model' . $sr . $class_name . '.php'; + } + } else { + include $class_name . '.php'; + } +}); +\ No newline at end of file diff --git a/views/add_user.php b/views/add_user.php @@ -0,0 +1,146 @@ +<!DOCTYPE html> +<html lang="eng"> + +<head> + <title>Add user</title> + <!-- Bootstrap CSS --> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> +</head> +<?php +include "navbar.php"; +include "utils/autoloader.php"; +if (!in_array(0, $_SESSION['permissions'])) { + header('Location: /dashboard'); + exit; +} +$db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); +//select the available permissions from the database +$all_p = $db->all(Model\Permission::class); +$available_permissions = []; +foreach ($all_p as $tmp) { + $available_permissions[] = ['id' => $tmp->id, 'name' => $tmp->name]; +} +?> + +<body> + <div class="container"> + <h1>Add user</h1> + + <form action="/user/add" method="post"> + <div class="mb-3"> + <label for="voornaam" class="form-label"><b>Voornaam:</b></label> + <input type="text" class="form-control" name="voornaam" id="voornaam" placeholder="Voornaam"> + </div> + <div class="mb-3"> + <label for="achternaam" class="form-label"><b>Achternaam:</b></label> + <input type="text" class="form-control" name="achternaam" id="achternaam" placeholder="Achternaam"> + </div> + <div class="mb-3"> + <label for="email" class="form-label"><b>Email:</b></label> + <input type="text" class="form-control" name="email" id="email" placeholder="Email"> + </div> + <div class="mb-3"> + <label for="password" class="form-label"><b>Wachtwoord:</b></label> + <input type="password" class="form-control" name="password" id="password" placeholder="******"> + </div> + <p>Please select the user permissions:</p> + <?php + foreach ($available_permissions as $db_permission) { + echo "<div class=\"mb-3 form-check\"> + <input type=\"checkbox\" class=\"form-check-input\" name=\"permissions[]\" value=" . $db_permission['id'] . "\"> + <label class=\"form-check-label\" for=" . $db_permission['name'] . ">" . $db_permission['name'] . "</label> + </div>"; + } + ?> + <button type="submit" class="btn btn-primary" name="submit">Add user</button> + </form> + </div> + <?php + if ($_SERVER["REQUEST_METHOD"] == "POST") { + $errors = array(); // initialize an empty array to store errors + + // Check if voornaam is set and not empty + if (isset($_POST['voornaam']) && !empty($_POST['voornaam'])) { + $fname = $_POST['voornaam']; + } else { + $errors[] = "Voornaam is required"; + } + + // Check if achternaam is set and not empty + if (isset($_POST['achternaam']) && !empty($_POST['achternaam'])) { + $lname = $_POST['achternaam']; + } else { + $errors[] = "Achternaam is required"; + } + + // Check if email is set and not empty + if (isset($_POST['email']) && !empty($_POST['email'])) { + $email = $_POST['email']; + } else { + $errors[] = "E-mail is required"; + } + + // Check if password is set and not empty + if (isset($_POST['password']) && !empty($_POST['password'])) { + $password = $_POST['password']; + } else { + $errors[] = "Wachtwoord is required"; + } + + // Check if permissions is set + if (isset($_POST['permissions'])) { + $permissions = $_POST['permissions']; + } else { + $errors[] = "Permissies zijn vereist"; + } + + // Check if there are any errors + if (count($errors) > 0) { + // Print out the errors + foreach ($errors as $error) { + echo $error . "<br>"; + } + } else { + // Pass the password through a hashing function + $hashed_pwd = password_hash($password, PASSWORD_DEFAULT); + + //create a database object with table user + $u = $db->get(Model\User::class); + + //check if email already exists + if ($u->load($email)) { + echo "this email address is taken: " . $email; + } else { + $succes = false; + //set new user data + $u->email = $email; + $u->fname = $fname; + $u->lname = $lname; + $u->pwd = $hashed_pwd; + + //add user with the add function + if ($u->insert()) { + $succes = true; + } + + + //create a database object with table permission for each permission + //set the data and execute the add function + foreach ($permissions as $permission) { + $p = $db->get(Model\PermissionUser::class); + $p->email = $email; + $p->id = (int) $permission; + if ($p->insert()) { + $succes = true; + } + } + if ($succes) { + echo "succes!"; + } + } + } + } + ?> +</body> + +</html> +\ No newline at end of file diff --git a/views/alter_user.php b/views/alter_user.php @@ -0,0 +1,170 @@ +<!DOCTYPE html> +<html lang="eng"> + +<head> + <title>User toevoegen</title> + <!-- Bootstrap CSS --> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> +</head> +<?php + +include "navbar.php"; +include "utils/autoloader.php"; +if (!in_array(0, $_SESSION['permissions'])) { + header('Location: /dashboard'); + exit; +} +$db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); + +//select the available permissions from the database +$all_p = $db->all(Model\Permission::class); +$available_permissions = []; +foreach ($all_p as $tmp) { + $available_permissions[] = ['id' => $tmp->id, 'name' => $tmp->name]; +} +//if not found set to empty if not GET +$fname = ""; +$lname = ""; +$email = ""; +$user_permissions = []; + +if ($_SERVER["REQUEST_METHOD"] == "GET") { + //if the get var isset and user is found in the database load data into forms + $get_email = $_PARAM['email']; + $u = $db->get(Model\User::class); + if ($u->load($get_email)) { + $fname = $u->fname; + $lname = $u->lname; + $email = $u->email; + $p = $db->where(Model\PermissionUser::class, array('email' => $email)); + foreach ($p as $permission) { + $user_permissions[] = $permission->id; + } + } +} +if ($_SERVER["REQUEST_METHOD"] == "POST") { + $errors = array(); // initialize an empty array to store errors + + // Check if voornaam is set and not empty + if (isset($_POST['voornaam']) && !empty($_POST['voornaam'])) { + $fname = $_POST['voornaam']; + } else { + $errors[] = "Voornaam is required"; + } + + // Check if achternaam is set and not empty + if (isset($_POST['achternaam']) && !empty($_POST['achternaam'])) { + $lname = $_POST['achternaam']; + } else { + $errors[] = "Achternaam is required"; + } + + // Check if email is set and not empty + if (isset($_POST['email']) && !empty($_POST['email'])) { + $email = $_POST['email']; + } else { + $errors[] = "E-mail is required"; + } + + // Check if permissions is set + if (isset($_POST['permissions'])) { + $permissions = $_POST['permissions']; + } else { + $errors[] = "Permissies zijn vereist"; + } + + // Check if there are any errors + if (count($errors) > 0) { + // Print out the errors + foreach ($errors as $error) { + echo $error . "<br>"; + } + } else { + //create a database object with table user + $u = $db->get(Model\User::class); + + //check if email already exists + if (!$u->load($email)) { + echo "this user does not exist " . $email; + } else { + $succes = false; + //set new user data + $u->email = $email; + $u->fname = $fname; + $u->lname = $lname; + echo $u->save(); + //add user with the add function + if (true) { + $succes = true; + } + + $p = $db->get(Model\PermissionUser::class); + //delete all permissions + foreach ($available_permissions as $available) { + $p->email = $email; + $p->id = $available['id']; + $p->delete(); + } + + //add permissions + foreach ($permissions as $keep) { + $p->email = $email; + $p->id = (int) $keep; + $p->insert(); + } + if ($succes) { + echo "succes!"; + } + } + } + //if the get var isset and user is found in the database load data into forms + + $get_email = $_PARAMS['email']; + $u = $db->get(Model\User::class); + if ($u->load($get_email)) { + $fname = $u->fname; + $lname = $u->lname; + $email = $u->email; + $p = $db->where(Model\PermissionUser::class, array('email' => $email)); + foreach ($p as $permission) { + $user_permissions[] = $permission->id; + } + } +} +?> + +<body> + <div class="container"> + <h1>Alter user</h1> + <form action="/user/<?= $email ?>/update" method="post"> + <div class="mb-3"> + <label for="voornaam" class="form-label"><b>Voornaam:</b></label> + <input type="text" class="form-control" name="voornaam" id="voornaam" placeholder="Voornaam" value=<?php echo $fname ?>> + </div> + <div class="mb-3"> + <label for="achternaam" class="form-label"><b>Achternaam:</b></label> + <input type="text" class="form-control" name="achternaam" id="achternaam" placeholder="Achternaam" + value=<?php echo $lname ?>> + </div> + <div class="mb-3"> + <label for="email" class="form-label"><b>Email:</b></label> + <input type="text" class="form-control" name="email" id="email" placeholder="Email" value=<?php echo $email ?>> + </div> + <p>Please select the user permissions:</p> + <?php + foreach ($available_permissions as $db_permission) { + echo "<div class=\"mb-3 form-check\">" . + "<input type=\"checkbox\" class=\"form-check-input\" name=\"permissions[]\" value=" . $db_permission['id'] . "\""; + if ($user_permissions != null && in_array($db_permission['id'], $user_permissions)) { + echo " checked"; + } + echo "><label class=\"form-check-label\" for=" . $db_permission['name'] . ">" . $db_permission['name'] . "</label>" . + "</div>"; + } + ?> + <button type="submit" class="btn btn-primary" name="submit">Alter user</button> + </form> + </div> +</body> + +</html> +\ No newline at end of file diff --git a/views/crud_user.php b/views/crud_user.php @@ -0,0 +1,130 @@ +<!DOCTYPE html> +<html lang="nl"> + +<head> + <title>User toevoegen</title> + <!-- Bootstrap CSS --> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> +</head> +<?php +include "navbar.php"; +include 'utils/autoloader.php'; + +$permissions = $_SESSION['permissions']; +if (!isset($_SESSION['email'])) { + if (!in_array(0, $permissions)) { + header('Location: /dashboard'); + exit; + } +} +?> + +<body> + <div class="container"> + <h1>User toevoegen</h1> + + <form action="/user/:/crud" method="post"> + <div class="mb-3"> + <label for="voornaam" class="form-label"><b>Voornaam:</b></label> + <input type="text" class="form-control" name="voornaam" id="voornaam" placeholder="Voornaam"> + </div> + <div class="mb-3"> + <label for="achternaam" class="form-label"><b>Achternaam:</b></label> + <input type="text" class="form-control" name="achternaam" id="achternaam" placeholder="Achternaam"> + </div> + <div class="mb-3"> + <label for="email" class="form-label"><b>Email:</b></label> + <input type="text" class="form-control" name="email" id="email" placeholder="Email"> + </div> + <div class="mb-3"> + <label for="password" class="form-label"><b>Wachtwoord:</b></label> + <input type="password" class="form-control" name="password" id="password" placeholder="******"> + </div> + <p>Please select the user permissions:</p> + <div class="mb-3 form-check"> + <input type="checkbox" class="form-check-input" id="Admin" name="permissions[]" value="1"> + <label class="form-check-label" for="Admin">Admin</label> + </div> + <div class="mb-3 form-check"> + <input type="checkbox" class="form-check-input" id="Administratief medewerker" name="permissions[]" + value="2"> + <label class="form-check-label" for="Administratief medewerker">Administratief medewerker</label> + </div> + <div class="mb-3 form-check"> + <input type="checkbox" class="form-check-input" id="Wetenschappelijk medewerker" name="permissions[]" + value="3"> + <label class="form-check-label" for="Wetenschappelijk medewerker">Wetenschappelijk medewerker</label> + </div> + <button type="submit" class="btn btn-primary" name="submit">Voeg toe</button> + </form> + </div> + <?php + if ($_SERVER["REQUEST_METHOD"] == "POST") { + + $errors = array(); // initialize an empty array to store errors + + // Check if voornaam is set and not empty + if (isset($_POST['voornaam']) && !empty($_POST['voornaam'])) { + $fname = $_POST['voornaam']; + } else { + $errors[] = "Voornaam is required"; + } + + // Check if achternaam is set and not empty + if (isset($_POST['achternaam']) && !empty($_POST['achternaam'])) { + $lname = $_POST['achternaam']; + } else { + $errors[] = "Achternaam is required"; + } + + // Check if email is set and not empty + if (isset($_POST['email']) && !empty($_POST['email'])) { + $email = $_POST['email']; + } else { + $errors[] = "E-mail is required"; + } + + // Check if password is set and not empty + if (isset($_POST['password']) && !empty($_POST['password'])) { + $pwd = $_POST['password']; + } else { + $errors[] = "Wachtwoord is required"; + } + + // Check if permissions is set + if (isset($_POST['permissions'])) { + $permissions = $_POST['permissions']; + } else { + $errors[] = "Permissies zijn vereist"; + } + + // Check if there are any errors + if (count($errors) > 0) { + // Print out the errors + foreach ($errors as $error) { + echo $error . "<br>"; + } + } else { + // Pass the password through a hashing function + $hashed_pwd = password_hash($pwd, PASSWORD_DEFAULT); + + // Making a sql statement to add user to the database, preparing it and excuting + $db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); + + $u = $db->get(Model\User::class); + + $data = array('email' => $email, 'fname' => $fname, 'lname' => $lname, 'pwd' => $hashed_pwd); + + $u->setData($data); + $bool = $u->insert(); + if (!$bool) { + echo "user already exists"; + } else { + echo "succes!"; + } + } + } + ?> +</body> + +</html> +\ No newline at end of file diff --git a/views/dashboard.php b/views/dashboard.php @@ -0,0 +1,14 @@ +<html> + <head> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> + <?php + include "navbar.php"; + include "logic/dashboard.php"; + ?> + </head> + <body> + <!-- make a course overview--> + <!-- option to apply to course--> + <!-- overview of grades--> + </body> +</html> +\ No newline at end of file diff --git a/views/login.php b/views/login.php @@ -0,0 +1,56 @@ +<!DOCTYPE html> +<?php + session_start(); + if (isset($_SESSION['email'])) { + header('Location: /dashboard'); + } + include "logic/login.php"; +?> +<html> +<head> + <title>Login Page</title> + <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/4.0.0/css/bootstrap.min.css" + integrity="sha384-Gn5384xqQ1aoWXA+058RXPxPg6fy4IWvTNh0E263XmFcJlSAwiGgFAW/dAiS6JXm" crossorigin="anonymous"> +</head> +<body> + <div class="container mx-auto text-center"> + <div class="row"> + <div class="col-md-12 title"> + <h1>Welcome to Lollipop</h1> + <h4>Please log in</h4> + </div> + </div> + </div> + <div class="container mt-5"> + <div class="row justify-content-center"> + <div class="col-md-6"> + <div class="card"> + <div class="card-header">Login</div> + <div class="card-body"> + <form method="POST" action="/"> + <div class="form-group"> + <label for="email">Email:</label> + <input type="email" class="form-control" id="email" name="email" + placeholder="Enter email"> + </div> + <div class="form-group"> + <label for="password">Password:</label> + <input type="password" class="form-control" id="password" name="password" + placeholder="Enter password"> + </div> + <button type="submit" name='login_btn' class="btn btn-primary">Login</button> + </form> + </div> + <div class="row justify-content-center"> + <?php + //display login $msg + echo $msg; + ?> + </div> + </div> + </div> + </div> + </div> +</body> + +</html> +\ No newline at end of file diff --git a/views/navbar.php b/views/navbar.php @@ -0,0 +1,36 @@ +<?php +include "logic/navbar.php"; +?> +<nav class="navbar navbar-expand-lg navbar-light bg-light"> + <a class="navbar-brand" href="/dashboard">Dashboard</a> + <button class="navbar-toggler" type="button" data-bs-toggle="collapse" data-bs-target="#navbarNavDropdown" + aria-controls="navbarNavDropdown" aria-expanded="false" aria-label="Toggle navigation"> + <span class="navbar-toggler-icon"></span> + </button> + <div class="collapse navbar-collapse" id="navbarNavDropdown"> + <ul class="navbar-nav"> + <?php foreach ($links as $employee_links) { ?> + <li class="nav-item dropdown"> + <a class="nav-link dropdown-toggle" href="#" + id="navbarDropdownMenuLink<?php echo $employee_links['name']; ?>" role="button" + data-bs-toggle="dropdown" aria-haspopup="true" aria-expanded="false"> + <?php echo $employee_links['name']; ?> + </a> + <ul class="dropdown-menu" + aria-labelledby="navbarDropdownMenuLink<?php echo $employee_links['name']; ?>"> + <?php foreach ($employee_links['links'] as $link) { ?> + <li><a class="dropdown-item" href="<?php echo $link['url']; ?>"><?php echo $link['title']; ?></a> + </li> + <?php } ?> + </ul> + </li> + <?php } ?> + </ul> + <form method="post" action="/logout"> + <button type="submit" name='logout' class="btn btn-primary">log out</button> + </form> + </div> +</nav> +<script src="https://code.jquery.com/jquery-3.5.1.slim.min.js"></script> +<script src="https://cdn.jsdelivr.net/npm/@popperjs/[email protected]/dist/umd/popper.min.js"></script> +<script src="https://cdn.jsdelivr.net/npm/[email protected]/dist/js/bootstrap.min.js"></script> +\ No newline at end of file diff --git a/views/search_course.php b/views/search_course.php @@ -0,0 +1,97 @@ +<?php +include "utils/autoloader.php"; + +session_start(); + +$db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); +// if (!isset($_SESSION['permissions']) || !in_array(1, $_SESSION['permissions'])) { +// header('Location: /dashboard'); +// exit; +// } + +if (isset($_PARAM['enroll'])) { + $c = $db->get(Model\CourseUser::class); + $c->email = $_SESSION['email']; + $c->id = $_PARAM['enroll']; + $c->insert(); +} else if (isset($_PARAM['unsubscribe'])) { + $c = $db->get(Model\CourseUser::class); + $c->email = $_SESSION['email']; + $c->id = $_PARAM['unsubscribe']; + $c->delete(); +} + +$query = ''; +if (isset($_GET['query'])) { + $query = $_GET['query']; + $results = $db->where(Model\Course::class, ['name' => "%$query%"], true); +} else { + $results = $db->all(Model\Course::class); +} + +$enrolled = []; +foreach ($db->where(Model\CourseUser::class, ['email' => $_SESSION['email']]) as $r) { + $enrolled[] = $r->id; +} + +?> + +<!DOCTYPE html> +<html lang="en"> + +<head> + <meta charset="UTF-8"> + <title>Course Search</title> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> +</head> + +<body> + <?= include "navbar.php"; ?> + <form class="d-flex" action="/course/search" method="get"> + <input class="form-control me-2" type="search" name="query" placeholder="Email" aria-label="Search"> + <button class="btn btn-outline-success" type="submit">Search</button> + </form> + <?php + if (!empty($results)) { + ?> + <table class='table table-striped'> + <thead> + <tr> + <th>Cursus</th> + <th>Year</th> + <th>Semester</th> + <th>Lecturer</th> + </tr> + </thead> + <tbody> + <?php + foreach ($results as $data) { ?> + <tr> + <td> + <?= $data->name ?> + </td> + <td> + <?= $data->year ?> + </td> + <td> + <?= $data->semester ?> + </td> + <td> + <?= $data->lecturer ?> + </td> + <?php if (!in_array($data->id, $enrolled)) { ?> + <td><a href='/course/<?= $data->id ?>/enroll'>Enroll</a></td> + <?php } else { ?> + <td><a href='/course/<?= $data->id ?>/unsubscribe'>Unsubscribe</a></td> + <?php } ?> + </tr> + <?php + } + echo "</tbody></table>"; + } else { + echo "No courses found."; + } + ?> +</body> + +</html> +\ No newline at end of file diff --git a/views/search_user.php b/views/search_user.php @@ -0,0 +1,86 @@ +<?php +include "utils/autoloader.php"; + +session_start(); + +$db = new Lollipop\SQLDatabase("86.92.67.21", "friedel", "hailiwa", "lollipop"); +if (!isset($_SESSION['permissions']) || !in_array(0, $_SESSION['permissions'])) { + header('Location: /dashboard'); + exit; +} + +if (isset($_GET['delete'])) { + $u = $db->get(Model\User::class); + $u->load($_GET['delete']); + $u->delete(); +} + +$query = ''; +if (isset($_GET['query'])) { + $query = $_GET['query']; + $results = $db->where(Model\User::class, ['email' => "%$query%"], true); +} else { + $results = $db->all(Model\User::class); +} + +?> + +<!DOCTYPE html> +<html lang="en"> + +<head> + <meta charset="UTF-8"> + <title>User Search</title> + <link rel="stylesheet" href="https://cdn.jsdelivr.net/npm/[email protected]/dist/css/bootstrap.min.css"> +</head> + +<body> + <?= include "navbar.php"; ?> + <form class="d-flex" action="/user/search" method="get"> + <input class="form-control me-2" type="search" name="query" placeholder="Email" aria-label="Search"> + <button class="btn btn-outline-success" type="submit">Search</button> + </form> + <?php + if (!empty($results)) { + ?> + <table class='table table-striped'> + <thead> + <tr> + <th>Email</th> + <th>First Name</th> + <th>Last Name</th> + <th>Alter</th> + <th>Delete</th> + </tr> + </thead> + <tbody> + <?php + foreach ($results as $data) { ?> + <tr> + <td> + <?= $data->email ?> + </td> + <td> + <?= $data->fname ?> + </td> + <td> + <?= $data->lname ?> + </td> + <td><a href='/user/<?= $data->email ?>/update'>Edit</a></td> + <td> + <form method='get' action='/user/search'> + <input type='hidden' name='query' value='<?= $query ?>'> + <button type='submit' name='delete' value='<?= $data->email ?>' class='btn btn-primary'>Delete</button> + </form> + </td> + </tr> + <?php + } + echo "</tbody></table>"; + } else { + echo "No users with this email address were found."; + } + ?> +</body> + +</html> +\ No newline at end of file