在 PHP 中正确防止会话劫持

我知道这个话题已经讨论了很多,但我有几个具体的问题仍然没有答案。例如:

// **PREVENTING SESSION HIJACKING**
// Prevents javascript XSS attacks aimed to steal the session ID
ini_set('session.cookie_httponly', 1);

// Adds entropy into the randomization of the session ID, as PHP's random number
// generator has some known flaws
ini_set('session.entropy_file', '/dev/urandom');

// Uses a strong hash
ini_set('session.hash_function', 'whirlpool');

// **PREVENTING SESSION FIXATION**
// Session ID cannot be passed through URLs
ini_set('session.use_only_cookies', 1);

// Uses a secure connection (HTTPS) if possible
ini_set('session.cookie_secure', 1);

session_start();

// If the user is already logged
if (isset($_SESSION['uid'])) {
    // If the IP or the navigator doesn't match with the one stored in the session
    // there's probably a session hijacking going on

    if ($_SESSION['ip'] !== getIp() || $_SESSION['user_agent_id'] !== getUserAgentId()) {
        // Then it destroys the session
        session_unset();
        session_destroy();

        // Creates a new one
        session_regenerate_id(true); // Prevent's session fixation
        session_id(sha1(uniqid(microtime())); // Sets a random ID for the session
    }
} else {
    session_regenerate_id(true); // Prevent's session fixation
    session_id(sha1(uniqid(microtime())); // Sets a random ID for the session
    // Set the default values for the session
    setSessionDefaults();
    $_SESSION['ip'] = getIp(); // Saves the user's IP
    $_SESSION['user_agent_id'] = getUserAgentId(); // Saves the user's navigator
}

所以,我的问题是

  • 是否提供了足够的安全性?ini_set
  • 是否可以保存用户的IP和导航器,然后在每次加载页面以检测会话劫持时检查它?这会有什么问题吗?
  • 使用是否正确?session_regenerate_id()
  • 使用是否正确?session_id()

答案 1

您的配置非常棒。你一定要阅读如何锁定php会话。但是,这行代码否定了php配置提供的许多保护:session_id(sha1(uniqid(microtime()));

这是一种特别糟糕的生成会话ID的方法。根据您的配置,您将生成会话ID,这是一个很棒的熵池。这将比uniqid()更加随机,uniqid()已经主要是一个时间戳,在这个组合中添加另一个时间戳根本没有帮助。尽快删除此行代码。/dev/urandom

检查 IP 地址有问题,IP 地址会因合法原因而更改,例如,如果用户位于负载平衡器或 TOR 后面。用户代理检查是毫无意义的,就像有一个GET变量,比如,如果攻击者有会话ID,他们可能就有用户代理,如果他们没有这个值,真的很容易暴力破解。?is_hacker=False


答案 2

推荐