1

Performance Symfony 一书提到当某些类移动时需要刷新 APC 缓存,而这确实是需要的。

但是,我不知道如何清除自动装载机的 APC 缓存。我尝试使用 PHPapc_clear_cache()函数,但没有帮助。

如何清除此 APC 缓存?

4

2 回答 2

5

正如 Mauro 所提到的 apc_clear_cache 也可以带一个参数来清除不同类型的 apc 缓存:

  apc_clear_cache();
  apc_clear_cache('user');
  apc_clear_cache('opcode');

另请参阅SO 上的相关帖子

还有ApcBundle添加了 Symfony apc:clear 命令。

于 2013-03-04T08:03:20.550 回答
2

只需创建一个简单的控制器 ApcController 如下

<?php

namespace Rm\DemoBundle\Controller;

use Symfony\Bundle\FrameworkBundle\Controller\Controller;
use Symfony\Component\HttpFoundation\Request;
use Sensio\Bundle\FrameworkExtraBundle\Configuration\Route;
use JMS\SecurityExtraBundle\Annotation\Secure;

/**
 * apc cache clear controller
 */
class ApcController extends Controller
{

    /**
     * clear action
     *
     * @Route("/cc", name="rm_demo_apc_cache_clear")
     *
     * @Secure(roles="ROLE_SUPER_ADMIN, ROLE_ADMIN")
     *
     * @param \Symfony\Component\HttpFoundation\Request $request
     */
    public function cacheClearAction(Request $request)
    {

        $message = "";

        if (function_exists('apc_clear_cache') 
                && version_compare(PHP_VERSION, '5.5.0', '>=') 
                && apc_clear_cache()) {

            $message .= ' User Cache: success';

        } elseif (function_exists('apc_clear_cache') 
                && version_compare(PHP_VERSION, '5.5.0', '<') 
                && apc_clear_cache('user')) {

            $message .= ' User Cache: success';

        } else {

            $success = false;
            $message .= ' User Cache: failure';

        }

        if (function_exists('opcache_reset') && opcache_reset()) {

            $message .= ' Opcode Cache: success';

        } elseif (function_exists('apc_clear_cache') 
                && version_compare(PHP_VERSION, '5.5.0', '<') 
                && apc_clear_cache('opcode')) {

            $message .= ' Opcode Cache: success';

        } else {
            $success = false;
            $message .= ' Opcode Cache: failure';
        }

        $this->get('session')->getFlashBag()
                            ->add('success', $message);

        // redirect
        $url = $this->container
                ->get('router')
                ->generate('sonata_admin_dashboard');

        return $this->redirect($url);
    }

}

然后将控制器路由导入到您的routing.yml

#src/Rm/DemoBundle/Resources/config/routing.yml
apc:
    resource: "@RmDemoBundle/Controller/ApcController.php"
    type:     annotation
    prefix:   /apc

现在您可以使用以下 url 清除 apc 缓存:

http://yourdomain/apc/cc

注意:@Secure(roles="ROLE_SUPER_ADMIN, ROLE_ADMIN") 注释,这将保护您的 apc 缓存 url 免受未经授权的访问。

于 2014-11-25T07:36:00.307 回答