Compare commits
4 Commits
pagination
...
5b0d04b702
Author | SHA1 | Date | |
---|---|---|---|
|
5b0d04b702 | ||
|
cafe0b58d0 | ||
|
a1711afecc | ||
|
86f778b7ac |
@@ -2,10 +2,12 @@
|
||||
require_once ('Database.php');
|
||||
require_once ('FacilityData.php');
|
||||
|
||||
class FacilityDataSet {
|
||||
class FacilityDataSet
|
||||
{
|
||||
protected $_dbHandle, $_dbInstance;
|
||||
|
||||
public function __construct() {
|
||||
public function __construct()
|
||||
{
|
||||
$this->_dbInstance = Database::getInstance();
|
||||
$this->_dbHandle = $this->_dbInstance->getDbConnection();
|
||||
}
|
||||
@@ -14,7 +16,8 @@ class FacilityDataSet {
|
||||
* @param $data
|
||||
* @return bool
|
||||
*/
|
||||
public function addFacility($data) : bool {
|
||||
public function addFacility($data): bool
|
||||
{
|
||||
$sqlQuery = "
|
||||
INSERT INTO ecoFacilities
|
||||
(title,
|
||||
@@ -45,7 +48,8 @@ class FacilityDataSet {
|
||||
return !($stmt->rowCount());
|
||||
}
|
||||
|
||||
public function deleteFacility($id) : bool {
|
||||
public function deleteFacility($id): bool
|
||||
{
|
||||
$sqlQuery = "DELETE FROM ecoFacilities WHERE id = ?";
|
||||
$stmt = $this->_dbHandle->prepare($sqlQuery);
|
||||
$stmt->setFetchMode(\PDO::FETCH_ASSOC);
|
||||
@@ -54,157 +58,128 @@ class FacilityDataSet {
|
||||
return !($stmt->rowCount() == 0);
|
||||
}
|
||||
|
||||
/**
|
||||
* @param $filterArray
|
||||
* @param $sortArray
|
||||
* @return array
|
||||
* Function to allow fetching of facility data. Data objects are created and held in an array
|
||||
* Count of rows for pagination returned alongside data objects.
|
||||
*/
|
||||
|
||||
public function fetchAll($filterArray, $sortArray): array
|
||||
{
|
||||
$direction = '';
|
||||
// Set direction, if not found in array, set to ascending.
|
||||
(in_array('desc', $sortArray)) ? $direction = 'DESC' : $direction = 'ASC';
|
||||
// Default to title
|
||||
// Note: I am very sorry, i am well aware this is horrible, im running out of time
|
||||
$sortBy = 1;
|
||||
switch (array_search('desc', $sortArray) ?? array_search('asc', $sortArray)) {
|
||||
case (0) :
|
||||
$sortBy = 'ecoFacilityStatus.statusComment';
|
||||
break;
|
||||
case (1) :
|
||||
$sortBy = 'ecoFacilities.title';
|
||||
break;
|
||||
case (2) :
|
||||
$sortBy = 'ecoCategories.name';
|
||||
break;
|
||||
case (3) :
|
||||
$sortBy = 'ecoFacilities.description';
|
||||
break;
|
||||
case (4) :
|
||||
$sortBy = 'ecoFacilities.streetName';
|
||||
break;
|
||||
case (5) :
|
||||
$sortBy = 'ecoFacilities.county';
|
||||
break;
|
||||
case (6) :
|
||||
$sortBy = 'ecoFacilities.town';
|
||||
break;
|
||||
case (7) :
|
||||
$sortBy = 'ecoFacilities.postcode';
|
||||
break;
|
||||
case (8) :
|
||||
$sortBy = 'ecoUser.username';
|
||||
break;
|
||||
}
|
||||
// Define columns for filtering and sorting
|
||||
$filterColumns = [
|
||||
0 => 'ecoFacilityStatus.statusComment',
|
||||
1 => 'ecoFacilities.title',
|
||||
2 => 'ecoCategories.name',
|
||||
3 => 'ecoFacilities.description',
|
||||
4 => 'ecoFacilities.streetName',
|
||||
5 => 'ecoFacilities.county',
|
||||
6 => 'ecoFacilities.town',
|
||||
7 => 'ecoFacilities.postcode',
|
||||
8 => 'ecoUser.username'
|
||||
];
|
||||
|
||||
/**
|
||||
* COUNT(DISTINCT ecoFacilities.id) required due to multiple status comments possible.
|
||||
*/
|
||||
$sqlCount = "SELECT COUNT(DISTINCT ecoFacilities.id) AS total FROM ecoFacilities";
|
||||
$sortColumns = [
|
||||
0 => 'ecoFacilityStatus.statusComment',
|
||||
1 => 'ecoFacilities.title',
|
||||
2 => 'ecoCategories.name',
|
||||
3 => 'ecoFacilities.description',
|
||||
4 => 'ecoFacilities.streetName',
|
||||
5 => 'ecoFacilities.county',
|
||||
6 => 'ecoFacilities.town',
|
||||
7 => 'ecoFacilities.postcode',
|
||||
8 => 'ecoUser.username'
|
||||
];
|
||||
|
||||
/**
|
||||
* DISTINCT used again for prior reasoning, although data is handled properly regardless later.
|
||||
* GROUP_CONCAT is used to handle multiple status comments under one facility. Without this, DISTINCT
|
||||
* drops the additional comment.
|
||||
*/
|
||||
$sqlData = "SELECT DISTINCT ecoFacilities.id,
|
||||
title,
|
||||
GROUP_CONCAT(ecoFacilityStatus.statusComment, ', ') AS status,
|
||||
ecoCategories.name AS category,
|
||||
description,
|
||||
houseNumber,
|
||||
streetName,
|
||||
county,
|
||||
town,
|
||||
postcode,
|
||||
lng,
|
||||
lat,
|
||||
ecoUser.username AS contributor
|
||||
FROM ecoFacilities";
|
||||
|
||||
/**
|
||||
* ? Parameters used here over named parameters so logic can be modular, more
|
||||
* columns can be added in the future
|
||||
*/
|
||||
$sqlWhere = "
|
||||
// Validate and select the filter column
|
||||
$selectedFilterColumn = $filterColumns[$filterArray['category']] ?? 'ecoFacilities.title';
|
||||
// Validate and select the sort column
|
||||
$selectedSortColumn = $sortColumns[$sortArray['sort']] ?? 'ecoFacilities.title';
|
||||
// Validate sort direction
|
||||
$direction = strtolower($sortArray['dir']) === 'desc' ? 'DESC' : 'ASC';
|
||||
// Base query for filtering and sorting
|
||||
$baseQuery = "
|
||||
FROM ecoFacilities
|
||||
LEFT JOIN ecoCategories ON ecoCategories.id = ecoFacilities.category
|
||||
LEFT JOIN ecoUser ON ecoUser.id = ecoFacilities.contributor
|
||||
LEFT JOIN ecoFacilityStatus ON ecoFacilityStatus.facilityid = ecoFacilities.id
|
||||
WHERE (ecoFacilityStatus.statusComment LIKE ? OR ? IS NULL)
|
||||
AND ecoFacilities.title LIKE ?
|
||||
AND ecoCategories.name LIKE ?
|
||||
AND ecoFacilities.description LIKE ?
|
||||
AND ecoFacilities.streetName LIKE ?
|
||||
AND ecoFacilities.county LIKE ?
|
||||
AND ecoFacilities.town LIKE ?
|
||||
AND ecoFacilities.postcode LIKE ?
|
||||
AND ecoUser.username LIKE ?
|
||||
WHERE {$selectedFilterColumn} LIKE :term
|
||||
";
|
||||
|
||||
/**
|
||||
* GROUP BY required to ensure status comments are displayed under the same ID
|
||||
* Named parameters used here for prior reasoning, columns can be added above without
|
||||
* effecting the bindIndex.
|
||||
* I unfortunately HAVE to do the ORDER BY statement like this, since PDO doesn't allow
|
||||
* binding of column names to placeholders for some reason. I could have used the column
|
||||
* order and passed an integer, but its too much hassle and I have enough sanitisation,
|
||||
* this is fine.
|
||||
*/
|
||||
$sqlLimits = "
|
||||
GROUP BY ecoFacilities.id, ecoFacilities.title, ecoCategories.name, ecoFacilities.description, ecoFacilities.streetName,
|
||||
ecoFacilities.county, ecoFacilities.town, ecoFacilities.postcode, ecoUser.username
|
||||
ORDER BY {$sortBy} {$direction}
|
||||
;";
|
||||
|
||||
// Concatenate query snippets for data and row count
|
||||
$dataQuery = $sqlData . $sqlWhere . $sqlLimits;
|
||||
$countQuery = $sqlCount . $sqlWhere . ";";
|
||||
// Query to count total results
|
||||
$countQuery = "SELECT COUNT(DISTINCT ecoFacilities.id) AS total {$baseQuery}";
|
||||
|
||||
// Prepare, bind and execute data query
|
||||
$stmt = $this->populateFields($dataQuery, $filterArray, $sortBy, $direction);
|
||||
$stmt->execute();
|
||||
// Query to fetch filtered and sorted results
|
||||
$dataQuery = "
|
||||
SELECT DISTINCT ecoFacilities.id,
|
||||
ecoFacilities.title,
|
||||
GROUP_CONCAT(ecoFacilityStatus.statusComment, ', ') AS status,
|
||||
ecoCategories.name AS category,
|
||||
ecoFacilities.description,
|
||||
ecoFacilities.houseNumber,
|
||||
ecoFacilities.streetName,
|
||||
ecoFacilities.county,
|
||||
ecoFacilities.town,
|
||||
ecoFacilities.postcode,
|
||||
ecoFacilities.lng,
|
||||
ecoFacilities.lat,
|
||||
ecoUser.username AS contributor
|
||||
{$baseQuery}
|
||||
GROUP BY ecoFacilities.id, ecoFacilities.title, ecoCategories.name,
|
||||
ecoFacilities.description, ecoFacilities.streetName,
|
||||
ecoFacilities.county, ecoFacilities.town, ecoFacilities.postcode,
|
||||
ecoUser.username
|
||||
ORDER BY {$selectedSortColumn} {$direction};
|
||||
";
|
||||
$filterArray['term'] = '%' . $filterArray['term'] . '%' ?? '%';
|
||||
var_dump($filterArray);
|
||||
// Prepare and execute the count query
|
||||
$countStmt = $this->_dbHandle->prepare($countQuery);
|
||||
$countStmt->bindValue(':term', $filterArray['term'], PDO::PARAM_STR);
|
||||
$countStmt->execute();
|
||||
$totalResults = (int)$countStmt->fetchColumn();
|
||||
|
||||
// Create data objects
|
||||
// Prepare and execute the data query
|
||||
$dataStmt = $this->_dbHandle->prepare($dataQuery);
|
||||
$dataStmt->bindValue(':term', $filterArray['term'], PDO::PARAM_STR);
|
||||
$dataStmt->execute();
|
||||
|
||||
// Fetch results into FacilityData objects
|
||||
$dataSet = [];
|
||||
while ($row = $stmt->fetch()) {
|
||||
while ($row = $dataStmt->fetch()) {
|
||||
$dataSet[] = new FacilityData($row);
|
||||
}
|
||||
|
||||
// Prepare, bind then execute count query
|
||||
$stmt = $this->populateFields($countQuery, $filterArray, null, null);
|
||||
$stmt->execute();
|
||||
$totalCount = $stmt->fetch()['total'];
|
||||
|
||||
return [
|
||||
'dataset' => $dataSet,
|
||||
'count' => $totalCount
|
||||
'count' => $totalResults
|
||||
];
|
||||
}
|
||||
|
||||
/**
|
||||
* @param $sqlQuery
|
||||
* @param $filterArray
|
||||
* @param $sortBy
|
||||
* @param $direction
|
||||
* @return false|PDOStatement
|
||||
* Function for fetchAll() to de-dupe code. Performs binding on PDO statements to facilitate
|
||||
* filtering of facilities. Returns a bound PDO statement.
|
||||
*/
|
||||
private function populateFields($sqlQuery, $filterArray, $sortBy, $direction)
|
||||
{
|
||||
$stmt = $this->_dbHandle->prepare($sqlQuery);
|
||||
// Ensures only one value is returned per column name
|
||||
$stmt->setFetchMode(\PDO::FETCH_ASSOC);
|
||||
// private function populateFields($sqlQuery, $filterArray, $sortBy, $direction)
|
||||
// {
|
||||
// $stmt = $this->_dbHandle->prepare($sqlQuery);
|
||||
// $stmt->setFetchMode(\PDO::FETCH_ASSOC);
|
||||
//
|
||||
// // Initialize index for binding
|
||||
// $bindIndex = 1;
|
||||
//
|
||||
// // Bind statusComment filter, required due to comments not being so.
|
||||
// $statusComment = !empty($filterArray[0]) ? "%" . $filterArray[0] . "%" : null;
|
||||
// $stmt->bindValue($bindIndex++, $statusComment ?? "%", \PDO::PARAM_STR); // First ?
|
||||
// $stmt->bindValue($bindIndex++, $statusComment, $statusComment === null ? \PDO::PARAM_NULL : \PDO::PARAM_STR); // Second ?
|
||||
//
|
||||
// // Bind other filters
|
||||
// for ($i = 1; $i <= 8; $i++) { // Assuming 8 other filters
|
||||
// $value = !empty($filterArray[$i]) ? "%" . $filterArray[$i] . "%" : "%";
|
||||
// $stmt->bindValue($bindIndex++, $value, \PDO::PARAM_STR);
|
||||
// }
|
||||
// return $stmt;
|
||||
// }
|
||||
|
||||
// Initialize index for binding
|
||||
$bindIndex = 1;
|
||||
|
||||
// Bind statusComment filter, required due to comments not being so.
|
||||
$statusComment = !empty($filterArray[0]) ? "%" . $filterArray[0] . "%" : null;
|
||||
$stmt->bindValue($bindIndex++, $statusComment ?? "%", \PDO::PARAM_STR); // First ?
|
||||
$stmt->bindValue($bindIndex++, $statusComment, $statusComment === null ? \PDO::PARAM_NULL : \PDO::PARAM_STR); // Second ?
|
||||
// So i worked on trying to get this to work for 30 minutes and it turns out you
|
||||
// can never bind column name values to placeholders, and must use column orders
|
||||
// as integers..... what
|
||||
@@ -212,49 +187,29 @@ class FacilityDataSet {
|
||||
// $stmt->bindValue(':sortBy', $sortBy, \PDO::PARAM_STR);
|
||||
// $stmt->bindValue(':direction', $direction, \PDO::PARAM_STR);
|
||||
// }
|
||||
private function populateFields($sqlQuery, $filterArray)
|
||||
{
|
||||
$stmt = $this->_dbHandle->prepare($sqlQuery);
|
||||
$stmt->setFetchMode(\PDO::FETCH_ASSOC);
|
||||
|
||||
$bindIndex = 1;
|
||||
|
||||
// Bind statusComment (two placeholders required)
|
||||
$statusComment = $filterArray[0] ?? '%';
|
||||
$stmt->bindValue($bindIndex++, $statusComment, \PDO::PARAM_STR);
|
||||
$stmt->bindValue($bindIndex++, $statusComment, \PDO::PARAM_STR);
|
||||
|
||||
// Bind other filters
|
||||
for ($i = 1; $i <= 8; $i++) { // Assuming 8 other filters
|
||||
$value = !empty($filterArray[$i]) ? "%" . $filterArray[$i] . "%" : "%";
|
||||
print_r($i . " = " . $value . "|");
|
||||
for ($i = 1; $i < count($filterArray); $i++) {
|
||||
$value = $filterArray[$i] ?? '%';
|
||||
print_r($i . ":" . $value . "||\n");
|
||||
$stmt->bindValue($bindIndex++, $value, \PDO::PARAM_STR);
|
||||
}
|
||||
|
||||
// Debugging
|
||||
//$stmt->debugDumpParams();
|
||||
return $stmt;
|
||||
}
|
||||
|
||||
// UNUSED REPLACED
|
||||
public function setFilterUri($term, $category)
|
||||
{
|
||||
$uri = $_SERVER['REQUEST_URI'];
|
||||
$uriComp = parse_url($uri);
|
||||
$params = [];
|
||||
|
||||
// Parse existing query parameters
|
||||
if (isset($uriComp['query'])) {
|
||||
parse_str($uriComp['query'], $params);
|
||||
} else {
|
||||
$params = array();
|
||||
}
|
||||
// Avoid unnecessary redirection if the filter is already correct
|
||||
if ((isset($params['category']) && $params['category'] === $category) && (isset($params['term']) && $params['term'] === $term)) {
|
||||
exit; // Do nothing if filter already applied
|
||||
}
|
||||
|
||||
// Update the 'page' parameter
|
||||
$params['category'] = $category;
|
||||
$params['term'] = $term;
|
||||
|
||||
// Rebuild the query string
|
||||
$newUri = http_build_query($params);
|
||||
var_dump($newUri);
|
||||
|
||||
// Redirect to the updated URI
|
||||
// Use the current path or root
|
||||
return
|
||||
[
|
||||
'newUri' => $newUri,
|
||||
'path' => $uriComp['path'] ?? '/'
|
||||
]; }
|
||||
|
||||
}
|
||||
|
||||
|
32
Views/template/createModal.phtml
Normal file
32
Views/template/createModal.phtml
Normal file
@@ -0,0 +1,32 @@
|
||||
<button type="button" class="col btn bg-primary btn-outline-primary text-light" data-bs-toggle="modal" data-bs-target="#createModal">
|
||||
<span class="bi bi-pen-fill"></span>
|
||||
</button>
|
||||
<div class="modal fade" id="createModal" tabindex="-1" aria-labelledby="updateModalLabel" aria-hidden="true">
|
||||
<div class="modal-dialog" role="document">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
<h5 class="modal-title" id="updateModalLabel">Add Facility</h5>
|
||||
<button type="button" class="btn-close" data-bs-dismiss="modal" aria-label="Close"></button>
|
||||
</div>
|
||||
<div class="modal-body">
|
||||
<form method="post" action="<?php echo htmlspecialchars($_SERVER['PHP_SELF']); ?>">
|
||||
<form class="form-inline" method="post" action="<?php echo $_SERVER['PHP_SELF']; ?> ">
|
||||
<input name="titlCreate" class="form-control rounded mb-2" placeholder="Title">
|
||||
<input name="cateCreate" class="form-control rounded mb-2" placeholder="Category">
|
||||
<input name="descCreate" class="form-control rounded mb-2" placeholder="Description">
|
||||
<input name="statCreate" class="form-control rounded mb-2" placeholder="Status">
|
||||
<input name="strtCreate" class="form-control rounded mb-2" placeholder="Street Name">
|
||||
<input name="cntyCreate" class="form-control rounded mb-2" placeholder="County">
|
||||
<input name="townCreate" class="form-control rounded mb-2" placeholder="Town">
|
||||
<input name="postCreate" class="form-control rounded mb-2" placeholder="Postcode">
|
||||
<input name="contCreate" class="form-control rounded mb-2" placeholder="Contributor">
|
||||
</form>
|
||||
<button type="submit" class="btn bg-primary btn-outline-primary text-light" name="updateButton">Add</button>
|
||||
</form>
|
||||
</div>
|
||||
<div class="modal-footer">
|
||||
<button type="button" class="btn btn-warning" data-bs-dismiss="modal">Close</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
@@ -88,9 +88,6 @@
|
||||
<div class="col-sm" id="loginStatus">
|
||||
<?php
|
||||
|
||||
if ($view->loginError) {
|
||||
require_once('Views/template/loginError.phtml');
|
||||
}
|
||||
if(!$view->user->isLoggedIn()) {
|
||||
require_once('Views/template/loginModal.phtml');
|
||||
}
|
||||
|
@@ -0,0 +1,18 @@
|
||||
<span class="ms-5 me-5 row alert alert-danger" role="alert"><?= $view->loginError ?></span>
|
||||
<div class="row captcha-container">
|
||||
<!-- CAPTCHA Display -->
|
||||
<div class="form-floating mb-3 col">
|
||||
<input type="text" class="form-control" id="captchaCode" value="<?php
|
||||
// Generate a simple 5-character CAPTCHA
|
||||
$captcha = substr(str_shuffle("ABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789"), 0, 5);
|
||||
echo $captcha;
|
||||
?>" readonly>
|
||||
<label for="captchaCode">CAPTCHA Code</label>
|
||||
</div>
|
||||
|
||||
<!-- CAPTCHA Input -->
|
||||
<div class="form-floating mb-3 col">
|
||||
<input type="text" class="form-control" id="captchaInput" name="captchaInput" placeholder="Enter CAPTCHA" required>
|
||||
<label for="captchaInput">Enter CAPTCHA</label>
|
||||
</div>
|
||||
</div>
|
@@ -1,7 +1,11 @@
|
||||
<button type="button" class="btn bg-primary btn-outline-primary text-light m-auto" data-bs-toggle="modal" data-bs-target="#loginModal">
|
||||
<button type="button" class="btn bg-primary btn-outline-primary text-light m-auto" data-bs-toggle="modal"
|
||||
data-bs-target="#loginModal">
|
||||
Login
|
||||
</button>
|
||||
<div class="modal fade" id="loginModal" tabindex="-1" aria-labelledby="loginModalLabel" aria-hidden="true">
|
||||
<?= isset($view->loginError) ? '<div class="modal-backdrop fade show"></div>' : '' ?>
|
||||
<div class="modal fade <?= isset($view->loginError) ? 'show' : '' ?>" id="loginModal" tabindex="-1"
|
||||
aria-labelledby="loginModalLabel" aria-hidden="<?= isset($view->loginError) ? 'false' : 'true' ?>"
|
||||
style="<?= isset($view->loginError) ? 'display: block;' : '' ?>">
|
||||
<div class="modal-dialog" role="document">
|
||||
<div class="modal-content">
|
||||
<div class="modal-header">
|
||||
@@ -12,17 +16,23 @@
|
||||
<form method="post" action="<?php echo htmlspecialchars($_SERVER['PHP_SELF']); ?>">
|
||||
<div class="mb-3">
|
||||
<label for="username" class="form-label">Username</label>
|
||||
<input type="text" class="form-control" id="username" name="username" placeholder="Username" required>
|
||||
<input type="text" class="form-control" id="username" name="username" placeholder="Username"
|
||||
required>
|
||||
</div>
|
||||
<div class="mb-3">
|
||||
<label for="password" class="form-label">Password</label>
|
||||
<input type="password" class="form-control" id="password" name="password" placeholder="Password" required>
|
||||
<input type="password" class="form-control" id="password" name="password" placeholder="Password"
|
||||
required>
|
||||
</div>
|
||||
<button type="submit" class="btn bg-primary btn-outline-primary text-light" name="loginButton">Login</button>
|
||||
<?php if (isset($view->loginError)) { include('Views/template/loginError.phtml');} ?>
|
||||
<button type="submit" class="btn bg-primary btn-outline-primary text-light" name="loginButton">Login
|
||||
</button>
|
||||
</form>
|
||||
</div>
|
||||
<div class="modal-footer">
|
||||
<button type="button" class="btn btn-warning btn-outline-warning text-light" data-bs-dismiss="modal">Close</button>
|
||||
<button type="button" class="btn btn-warning btn-outline-warning text-light" data-bs-dismiss="modal">
|
||||
Close
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
|
@@ -1,10 +1,10 @@
|
||||
<?php
|
||||
// load required classes
|
||||
require_once('Models/UserDataSet.php');
|
||||
require_once("logincontroller.php");
|
||||
// make a view class
|
||||
$view = new stdClass();
|
||||
$view->pageTitle = 'Home';
|
||||
require_once("logincontroller.php");
|
||||
|
||||
|
||||
//if (isset($_POST['applyAdvFilters'])) {
|
||||
|
@@ -4,17 +4,31 @@ require_once("Models/User.php");
|
||||
|
||||
$user = new User();
|
||||
$userDataSet = new UserDataSet();
|
||||
|
||||
if (isset($_POST["loginButton"])) {
|
||||
$username = $_POST["username"];
|
||||
$password = hash("sha256", $_POST["password"]);
|
||||
if (isset($view->loginError)) {
|
||||
$generatedCaptcha = $_POST["generatedCaptcha"];
|
||||
$userCaptcha = $_POST["captcha"];
|
||||
|
||||
if ($generatedCaptcha !== $userCaptcha) {
|
||||
$view->loginError = "Incorrect CAPTCHA.";
|
||||
return;
|
||||
}
|
||||
}
|
||||
// create a new student dataset object that we can generate data from
|
||||
// Error handling is VERY hacky, because of the lack of JS usage.
|
||||
if($userDataSet->checkUserCredentials($username, $password)) {
|
||||
$user->Authenticate($username, $password);
|
||||
}
|
||||
else {
|
||||
echo "Error in Uname / Pass";
|
||||
// Unset modal boolean to hide it's usage.
|
||||
unset($_GET['modal']);
|
||||
} else {
|
||||
// Add error message and redirect to display modal
|
||||
$view->loginError = "Invalid username or password.";
|
||||
// Set modal boolean to header to allow modal to reappear
|
||||
$queryParams = http_build_query(['modal' => 'true']);
|
||||
header("Location: {$_SERVER['PHP_SELF']}?$queryParams");
|
||||
exit;
|
||||
}
|
||||
}
|
||||
|
||||
@@ -22,3 +36,7 @@ if (isset($_POST["logoutButton"]))
|
||||
{
|
||||
$user->logout();
|
||||
}
|
||||
|
||||
if (isset($_GET['modal']) && $_GET['modal'] === 'true') {
|
||||
$view->loginError = $view->loginError ?? "Please solve the Captcha and try again.";
|
||||
}
|
@@ -2,81 +2,52 @@
|
||||
require_once('Models/FacilityDataSet.php');
|
||||
require_once("Models/Paginator.php");
|
||||
// If page loads empty, set initial headers
|
||||
if(!isset($_GET['page']) || !(isset($_GET['dir'])) || !(isset($_GET['sort']))) {
|
||||
header("Location: ?sort=1&dir=asc&page=0");
|
||||
exit;
|
||||
}
|
||||
//if(empty($_GET)) {
|
||||
// header("Location: ?sort=1&dir=asc&category=1&term=&page=0");
|
||||
// exit;
|
||||
//}
|
||||
|
||||
$filterArray = [
|
||||
0 => "",
|
||||
1 => "",
|
||||
2 => "",
|
||||
3 => "",
|
||||
4 => "",
|
||||
5 => "",
|
||||
6 => "",
|
||||
7 => "",
|
||||
8 => ""
|
||||
];
|
||||
$sortArray = [
|
||||
0 => "",
|
||||
1 => "",
|
||||
2 => "",
|
||||
3 => "",
|
||||
4 => "",
|
||||
5 => "",
|
||||
6 => "",
|
||||
7 => "",
|
||||
8 => ""
|
||||
$filters = [
|
||||
'category' => $_GET['category'] ?? '1', // Default category
|
||||
'term' => $_GET['term'] ?? '', // Default term
|
||||
'sort' => $_GET['sort'] ?? '1', // Default sort
|
||||
'dir' => $_GET['dir'] ?? 'asc', // Default direction
|
||||
'page' => $_GET['page'] ?? 0 // Default to first page
|
||||
];
|
||||
|
||||
// If no query parameters exist (initial page load), redirect to set default ones
|
||||
if (empty($_GET)) {
|
||||
redirectWithFilters($filters);
|
||||
}
|
||||
|
||||
$rowLimit = 5;
|
||||
|
||||
$filterArray[$_GET['category'] ?? null] = $_GET['term'] ?? null;
|
||||
$sortArray[$_GET['sort'] ?? null] = $_GET['dir'] ?? null;
|
||||
|
||||
$facilityDataSet = new FacilityDataSet();
|
||||
if(isset($_POST['paginatorButton'])) {
|
||||
var_dump($_POST);
|
||||
}
|
||||
if ((isset($_POST['filter']) && isset($_POST['filterCat']) && (isset($_POST['dir'])) && (isset($_POST['sort'])))) {
|
||||
$filter = filter_input(INPUT_POST, 'filter', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? '';
|
||||
$filterKey = filter_input(INPUT_POST, 'filterCat', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? '';
|
||||
$direction = filter_input(INPUT_POST, 'dir', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? 'asc'; // Default to 'asc'
|
||||
$sortKey = filter_input(INPUT_POST, 'sort', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? '1'; // Default to 'title'
|
||||
$page = filter_input(INPUT_POST, 'paginationButton', FILTER_SANITIZE_NUMBER_INT) ?? 0; // Default page to 0 on new filter
|
||||
$filterArray[$filterKey] = $filter;
|
||||
$sortArray[$sortKey] = $direction;
|
||||
var_dump($filterArray);
|
||||
//redirect($filter, $filterArray, $direction, $sortArray, $page);
|
||||
}
|
||||
function redirect($filter, $filterArray, $direction, $sortArray, $page) : void {
|
||||
// Set the filter and generate the new URI
|
||||
//$filterSet = $facilityDataSet->setFilterUri($applyFilters, array_search($applyFilters, $filterArray));
|
||||
$filterSet = setUri($filter, array_search($filter, $filterArray), $direction, array_search($direction, $sortArray), $page);
|
||||
// Parse the existing query string
|
||||
$queryParams = [];
|
||||
parse_str($filterSet["newUri"], $queryParams);
|
||||
|
||||
// Add or overwrite the 'page' parameter
|
||||
$queryParams['page'] = filter_input(INPUT_GET, 'page', FILTER_VALIDATE_INT, [
|
||||
'options' => ['default' => 0, 'min_range' => 0] // Default to 0 for the first page
|
||||
]);
|
||||
if ($_SERVER['REQUEST_METHOD'] === 'POST') {
|
||||
// Check if filters/sorting changed
|
||||
$filtersChanged = (
|
||||
$filters['category'] !== ($_POST['filterCat'] ?? $filters['category']) ||
|
||||
$filters['term'] !== ($_POST['filter'] ?? $filters['term']) ||
|
||||
$filters['sort'] !== ($_POST['sort'] ?? $filters['sort']) ||
|
||||
$filters['dir'] !== ($_POST['dir'] ?? $filters['dir'])
|
||||
);
|
||||
|
||||
// Build the updated query string
|
||||
$newQueryString = http_build_query($queryParams);
|
||||
$filters['category'] = filter_input(INPUT_POST, 'filterCat', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? $filters['category'];
|
||||
$filters['term'] = filter_input(INPUT_POST, 'filter', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? $filters['term'];
|
||||
$filters['sort'] = filter_input(INPUT_POST, 'sort', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? $filters['sort'];
|
||||
$filters['dir'] = filter_input(INPUT_POST, 'dir', FILTER_SANITIZE_FULL_SPECIAL_CHARS) ?? $filters['dir'];
|
||||
|
||||
// Redirect with the updated URI
|
||||
//var_dump("Redirecting to: {$filterSet["path"]}?{$newQueryString}");
|
||||
header("Location: {$filterSet["path"]}?{$newQueryString}");
|
||||
exit;
|
||||
// Reset page if filters changed
|
||||
$filters['page'] = $filtersChanged ? 0 : $_POST['paginationButton'] ?? $filters['page'];
|
||||
redirectWithFilters($filters);
|
||||
}
|
||||
|
||||
$view->pageData = $facilityDataSet->fetchAll($filterArray, $sortArray);
|
||||
var_dump($filterArray, $sortArray);
|
||||
$view->pageData = $facilityDataSet->fetchAll(
|
||||
['category' => $filters['category'], 'term' => $filters['term']],
|
||||
['sort' => $filters['sort'], 'dir' => $filters['dir']]
|
||||
);
|
||||
|
||||
$view->paginator = new Paginator($rowLimit, $view->pageData);
|
||||
|
||||
// Initialize paginator
|
||||
$view->pageNumber = $view->paginator->getPageFromUri();
|
||||
$view->pageData = $view->paginator->getPage($view->pageNumber);
|
||||
|
||||
@@ -85,51 +56,9 @@ $view->dbMessage = $view->paginator->countPageResults($view->pageNumber) == 0
|
||||
? "No results"
|
||||
: $view->paginator->countPageResults($view->pageNumber) . " result(s)";
|
||||
|
||||
function setUri($filter, $category, $direction, $sort, $page)
|
||||
{
|
||||
$uri = $_SERVER['REQUEST_URI'];
|
||||
$uriComp = parse_url($uri);
|
||||
$params = [];
|
||||
|
||||
// Parse existing query parameters
|
||||
if (isset($uriComp['query'])) {
|
||||
parse_str($uriComp['query'], $params);
|
||||
} else {
|
||||
$params = array();
|
||||
}
|
||||
// Avoid unnecessary redirection if sort and filter is already correct
|
||||
if (
|
||||
(isset($params['sort']) && $params['sort'] === (string)$sort && isset($params['dir']) && $params['dir'] === $direction) &&
|
||||
(isset($params['category']) && $params['category'] === (string)$category && isset($params['term']) && $params['term'] === $filter)
|
||||
) {
|
||||
// Redirect function
|
||||
function redirectWithFilters($filters) {
|
||||
$queryString = http_build_query($filters);
|
||||
header("Location: ?" . $queryString);
|
||||
exit;
|
||||
}
|
||||
|
||||
// Update parameters
|
||||
if (!empty($category)) {
|
||||
$params['category'] = $category;
|
||||
}
|
||||
if (!empty($filter)) {
|
||||
$params['term'] = $filter;
|
||||
}
|
||||
if (!empty($sort)) {
|
||||
$params['sort'] = $sort;
|
||||
}
|
||||
if (!empty($direction)) {
|
||||
$params['dir'] = $direction;
|
||||
}
|
||||
if (!empty($filter)) {
|
||||
$params['page'] = $page;
|
||||
}
|
||||
|
||||
// Rebuild the query string
|
||||
$newUri = http_build_query($params);
|
||||
var_dump($newUri);
|
||||
// Redirect to the updated URI
|
||||
// Use the current path or root
|
||||
return
|
||||
[
|
||||
'newUri' => $newUri,
|
||||
'path' => $uriComp['path'] ?? '/'
|
||||
];
|
||||
}
|
||||
|
Reference in New Issue
Block a user