是否有可能在 Symfony2 中获取已打开会话的列表?我需要这个来检查此时是否特别打开了一个会话。
谢谢。
是否可以查看已打开的会话取决于SessionHandler
您使用的会话。
代理 php 的本机处理程序使用的默认会话处理程序symfony-standard
称为NativeFileSessionHandler
. 该处理程序将会话信息存储在文件中,这使得提取会话数据变得困难。
为了能够轻松访问会话信息,您可以将 symfony 配置为使用它提供的数据库驱动的 SessionSaveHandler 之一(文档)。
关于如何实现这些的示例可以在文档章节How to use PdoSessionHandler to store Sessions in the Database 中找到。
然后,您可以像使用任何其他实体一样使用原则创建Session
实体/存储库并查询会话信息。您也可以覆盖默认会话处理程序并更改垃圾收集器,即标记用户没有定期注销的会话以显示提醒消息。
可以通过设置 CustomSaveHandler 将会话数据写入数据库。请参阅文档:http ://symfony.com/doc/current/components/http_foundation/session_configuration.html#custom-save-handlers
之后,您可以查询会话表。
在控制器中
类 UserController 扩展 BaseController {
/**
* Constructor
*/
public function __construct() {
parent::__construct();
}
/**
* @return \Symfony\Component\HttpFoundation\Response
*/
public function whoIsOnlineAction() {
$session_dir = ini_get('session.save_path');
$sessions = preg_grep('/^([^.])/', scandir($session_dir));
$logged_in_user_array = array();
$one_hour_ago = strtotime( '-1 hour');
foreach( $sessions as $key => $session ) {
$session_file_contents = file_get_contents( $session_dir . '/' . $session );
$decoded_array = $this->unserialize_php( $session_file_contents, '|' );
$updated = $decoded_array['_sf2_meta']['u'];
if( !is_null($decoded_array['_sf2_attributes']['_security_secured_area'] ) ){
$decoded_array2 = self::unserialize_php( $decoded_array['_sf2_attributes']['_security_secured_area'], '"' );
$keys = array_keys($decoded_array2);
if( $one_hour_ago < $updated ) $logged_in_user_array[$decoded_array2 [$keys[4]][0].''] = str_replace( array( 'domain1\\', 'domain2\\'), '', $decoded_array2 [$keys[4]][0].'');
}
}
return $this->render( 'HubBundle:Core:active_users.html.twig', array(
'users' => $logged_in_user_array
) );
}
/**
* @param $session_data
* @param $delimiter
* @return array
* @throws \Exception
*/
private static function unserialize_php($session_data, $delimiter) {
$return_data = array();
$offset = 0;
while ($offset < strlen($session_data)) {
if (!strstr(substr($session_data, $offset), $delimiter)) {
throw new \Exception("invalid data, remaining: " . substr($session_data, $offset));
}
$pos = strpos($session_data, $delimiter, $offset);
$num = $pos - $offset;
$varname = substr($session_data, $offset, $num);
$offset += $num + 1;
$data = unserialize(substr($session_data, $offset));
$return_data[$varname] = $data;
$offset += strlen(serialize($data));
}
return $return_data;
}
}
在模板中:
{% if is_granted('IS_AUTHENTICATED_REMEMBERED') and is_granted('ROLE_ADMIN') %}
<div class="profile-menu shadowed">{{ render(controller('BaseBundle:User:whoIsOnline')) }}</div>
{% endif %}