Symfony + WSSE:为什么 nonce 缓存文件夹大小为 20GB?

Symfony + WSSE: Why is the nonce cache folder 20GB in size?

我正在开发基于 Symfony 3.4 的项目,该项目使用 WSSE authentication as described in the Symfony docs

每个随机数都作为单独的文件存储在缓存目录 myProject/var/cache/prod/security/nonces 中。问题是,这个目录变得非常非常大。该项目已经启动并且 运行 随机数已经使用 将近 20GB 的磁盘空间 space!

$ cd myProject/var/cache/prod/security/
$ du -sch *
19G    nonces
19G    total

这对我来说很重要...我试图找出存储了多少随机数并使用以下命令对文件进行计数:

$ cd myProject/var/cache/prod/security/nonces
$ find -maxdepth 1 -type f | wc -l
4697417

即使是 470 万个文件,19GB 似乎也足够了。每个文件的大小大约需要 4KB。但是,据我所知每个文件只有 10B...

$ cd myProject/var/cache/prod/security/nonces
$ ls -lh
-rw-r----- 1 user nobody 10 Jul 25 16:46 'MWFiYWM5YjAiOTRyOWRmZA=='
-rw-r----- 1 user nobody 10 Jul  1 19:41 'MWFiYWNiYTflNTdhLGYwYQ=='
-rw-r----- 1 user nobody 10 Sep 29 11:05 'MWFiYWNkNzEjZfFlCjM0OQ=='
...

我知道文件大小和消耗的磁盘之间存在差异space。但是,du 也显示 10B 的磁盘 space:

$ du -sb --apparent-size MWFiYWNkNzEjZfFlCjM0OQ==
10

那么,一个文件只用10B,怎么可能一个文件占用19G的磁盘space呢?我错过了什么吗?还是我没有正确使用命令?

有没有更好的存储随机数的方法?

当然我可以偶尔删除缓存。但是,这会使随机数变得毫无用处,不是吗?

文件大小

du 报告消耗的磁盘大小 space。 磁盘 space 以块 的形式分配。所以一个文件可以占用的最小 space 是 1 个块。在您的情况下,您的文件系统的块大小似乎是 4kb。因此,约 470 万个大小为 10 字节的文件消耗 4700000 * 4kb,即大约 19gb。

存储随机数多长时间

随机数通常会缓存几分钟。您提到的 symfony 食谱建议使用 5 分钟的 nonce ttl。这是该文档的摘录

class WsseProvider implements AuthenticationProviderInterface
{
  protected function validateDigest($digest, $nonce, $created, $secret)
    {
        // Check created time is not in the future
        if (strtotime($created) > time()) {
            return false;
        }

        // Expire timestamp after 5 minutes
        if (time() - strtotime($created) > 300) {
            return false;
        }

        // Try to fetch the cache item from pool
        $cacheItem = $this->cachePool->getItem(md5($nonce));

        // Validate that the nonce is *not* in cache
        // if it is, this could be a replay attack
        if ($cacheItem->isHit()) {
            // In a real world application you should throw a custom
            // exception extending the AuthenticationException
            throw new AuthenticationException('Previously used nonce detected');
        }

        // Store the item in cache for 5 minutes
        $cacheItem->set(null)->expiresAfter(300);
        $this->cachePool->save($cacheItem);

        // Validate Secret
        $expected = base64_encode(sha1(base64_decode($nonce).$created.$secret, true));

        return hash_equals($expected, $digest);
    }
}

随机数被添加到 cache-pool 中,ttl 为 5 分钟。 保持随机数比您认为创建的字段有效的时间更长(在本例中为五分钟 if (time() - strtotime($created) > 300))不会增加任何额外的安全性,因为一旦创建日期过时,重播请求就会被拒绝创建的时间戳。