我已经对会话开始以及为什么它锁定了我所有的其他 ajax 请求进行了一些研究。我发现用户的会话被锁定,直到页面执行完毕或 session_write_close() 被调用。
使用 session_set_save_handler 您可以为会话设置自己的处理程序,但我不知道它是如何工作的,以及我如何不能锁定会话而只能读取它。
有人有关于 session_set_save_handler 的例子吗?或者对于只读会话/解锁会话是否有其他解决方法?
使用数据库保存 PHP 会话可避免锁定 ajax 请求。session_set_save_handler 允许这样做。
您将需要创建一个具有类似于以下的 open、close、read、write、destroy 和 gc 方法的类:
/**
* DBSession
*/
class DBSession
{
/**
* Db Object
*/
private $db;
public function __construct(){
$this->db = new DB; //initialise in your database connection object
}
/**
* Open
*/
public function open()
{
// If successful
if ($this->db) {
// Return True
return true;
}
// Return False
return false;
}
/**
* Close
*/
public function close()
{
// Close the database connection
// If successful
if ($this->db->close()) {
// Return True
return true;
}
// Return False
return false;
}
/**
* Read
*/
public function read($id)
{
// Set query
$this->db->query('SELECT data FROM sessions WHERE id = :id');
// Bind the Id
$this->db->bind(':id', $id);
// Attempt execution
// If successful
if ($this->db->execute()) {
// Save returned row
$row = $this->db->single();
// Return the data
return $row['data'];
} else {
// Return an empty string
return '';
}
}
/**
* Write
*/
public function write($id, $data)
{
// Create time stamp
$access = time();
// Set query
$this->db->query('REPLACE INTO sessions VALUES (:id, :access, :data)');
// Bind data
$this->db->bind(':id', $id);
$this->db->bind(':access', $access);
$this->db->bind(':data', $data);
// Attempt Execution
// If successful
if ($this->db->execute()) {
// Return True
return true;
}
// Return False
return false;
}
/**
* Destroy
*/
public function destroy($id)
{
// Set query
$this->db->query('DELETE FROM sessions WHERE id = :id');
// Bind data
$this->db->bind(':id', $id);
// Attempt execution
// If successful
if ($this->db->execute()) {
// Return True
return true;
}
// Return False
return false;
}
/**
* Garbage Collection
*/
public function gc($max)
{
// Calculate what is to be deemed old
$old = time() - $max;
// Set query
$this->db->query('DELETE * FROM sessions WHERE access < :old');
// Bind data
$this->db->bind(':old', $old);
// Attempt execution
if ($this->db->execute()) {
// Return True
return true;
}
// Return False
return false;
}
}
然后开始您的会话,您可以:
$dbSession = new DBSession();
session_set_save_handler(
array($dbSession, "open"),
array($dbSession, "close"),
array($dbSession, "read"),
array($dbSession, "write"),
array($dbSession, "destroy"),
array($dbSession, "gc")
);
session_start();
或者,您可以将 session_set_save_handler 调用和 session_start() 移动到 DBSession 类的构造函数中。在这种情况下,您可以简单地在脚本开头启动一个 DBSession 实例。
实际上,PHP 手册已经有一些例子: http: //php.net/manual/en/function.session-set-save-handler.php