Let’s see how we can share data across different requests in PHP. After receiving a POST request to an endpoint, we can save some data about it in the session like below ⬇️

<?php
// ...
// some code where we define the $day and $time variables
// ...

$_SESSION["day"] = $day;
$_SESSION["time"] = $time;
?>

This way, if the user navigates to a new endpoint after doing some action (like submitting a new form with a POST action), we will still have access to these same variables because they’re stored inside the current session. Let’s see how we can access them ⬇️

<?php
// ...
// run some code to handle the new POST request
// ...

// and retrieve the session data to do some stuff with it!
// you can now save it in a database with new data coming
// from the action the user just performed
$day = $_SESSION["day"];
$time = $_SESSION["time"];

// ... 
// use this data 
// ...

// and then remember to delete the values from the session 
// because we don't need them anymore 
unset($_SESSION["day"]);
unset($_SESSION["time"]);
?>