我面临的问题有两个方面:
- 我想使用我的会话包装类作为跨多个页面创建会话的一种方式。
- 想要一种在设置超时后使上述会话过期的方法。
作为一个示例用例,如果我的站点在访问页面之前需要身份验证,我将创建我的会话包装器的实例,如果用户的凭据有效,那么我会将它们重定向到帐户页面。
// index.php
if (invalidUser) {
// Show error
} else if(userIsValid($user_email, $user_pass)) {
$sess = new Session("MySite", 10);
Utils::redirect("accountPage.php");
}
这是重定向到帐户页面的实用程序方法:
// utils.php
ob_start(); // Start output buffer
/**
* Redirects the HTTP header to another location.
*
* @param (String) $address the new location to send the browser.
*/
public static function redirect($address) {
header("Location: $address");
exit();
}
这是会话包装类的实现:
// session.php
class Session {
/**
* Default Constructor.
*
* @param (String) $name the name of the session, as well as the session cookie name
* @param (String) $timeout the amount of time to permit the existence of
* this session.
* -1, indicates that the session should live on indefinetely.
*/
function __construct($name, $timeout = -1) {
session_name($name);
session_start();
$_SESSION["timeout"] = $timeout;
$_SESSION["created"] = time();
}
/**
* Determines if the session is still considered "alive" based on its
* timeout + creation time.
* If the session has expired we remove the session effectively "Timing out".
*/
public static function isExpired() {
// Default infinite timeout case
if ($_SESSION["created"] == -1) {
return false;
}
// Evaluate time left on session
if(($_SESSION["timeout"] + $_SESSION["created"]) <= time()) {
// Remove Session
return true;
} else {
// Session has not expired yet
return false;
}
}
}
我希望$_SESSION
global
此页面上的数组内有数据,但它的NULL
. 我读过类似的帖子,但我想我的具体实现遗漏了一些东西。
// accountsPage.php
<?php
include_once("session.php");
Session::isExpired(); => false
print_r($_SESSION); => NULL
我知道它部分有效,因为如果我不重定向然后打印$_SESSION
global
数组,其中就有数据。我知道session_start()
在每个页面的开头添加,但我想减轻创建额外的会话和 cookie。
任何帮助都会非常感谢!