1

我一直在尝试使用GoAOP库,但从未成功地让它工作。我已经多次阅读文档并复制了示例,但甚至无法让它们工作。我现在想要实现的只是一个简单的方面。

我有几个文件如下:

应用程序/ApplicationAspectKernel.php

<?php
require './aspect/MonitorAspect.php';

use Go\Core\AspectKernel;
use Go\Core\AspectContainer;

/**
 * Application Aspect Kernel
 */
class ApplicationAspectKernel extends AspectKernel
{
    /**
     * Configure an AspectContainer with advisors, aspects and pointcuts
     *
     * @param AspectContainer $container
     *
     * @return void
     */
    protected function configureAop(AspectContainer $container)
    {
        $container->registerAspect(new Aspect\MonitorAspect());
    }
}

初始化文件

<?php
require './vendor/autoload.php';
require_once './ApplicationAspectKernel.php';

// Initialize an application aspect container
$applicationAspectKernel = ApplicationAspectKernel::getInstance();
$applicationAspectKernel->init(array(
        'debug' => true, // Use 'false' for production mode
        // Cache directory
        'cacheDir' => __DIR__ . '/cache/', // Adjust this path if needed
        // Include paths restricts the directories where aspects should be applied, or empty for all source files
        'includePaths' => array(__DIR__ . '/app/')
));

require_once './app/Example.php';


$e = new Example();
$e->test1();
$e->test2('parameter');

方面/MonitorAspect.php

<?php
namespace Aspect;

use Go\Aop\Aspect;
use Go\Aop\Intercept\FieldAccess;
use Go\Aop\Intercept\MethodInvocation;
use Go\Lang\Annotation\After;
use Go\Lang\Annotation\Before;
use Go\Lang\Annotation\Around;
use Go\Lang\Annotation\Pointcut;

/**
 * Monitor aspect
 */
class MonitorAspect implements Aspect
{

    /**
     * Method that will be called before real method
     *
     * @param MethodInvocation $invocation Invocation
     * @Before("execution(public Example->*(*))")
     */
    public function beforeMethodExecution(MethodInvocation $invocation)
    {
        $obj = $invocation->getThis();
        echo 'Calling Before Interceptor for method: ',
        is_object($obj) ? get_class($obj) : $obj,
        $invocation->getMethod()->isStatic() ? '::' : '->',
        $invocation->getMethod()->getName(),
        '()',
        ' with arguments: ',
        json_encode($invocation->getArguments()),
        "<br>\n";
    }
}

应用程序/Example.php

<?php


class Example {
    public function test1() {
        print 'test1' . PHP_EOL;
    }

    public function test2($param) {
        print $param . PHP_EOL;
    }
}

当我运行php init.php它时它会运行,但只是在没有 MonitorAspect 输出的情况下打印。我不知道我是否在@Before(我尝试了几种变体)中定义了错误的切入点,或者我只是对这段代码的工作方式有一个根本的误解。

任何帮助我指出正确方向的帮助将不胜感激。

4

1 回答 1

1

GoAOP 框架旨在与自动加载器一起使用,这意味着它只能处理通过 Composer 自动加载器间接加载的类。

当您通过require_once './app/Example.php';类手动包含您的类时,PHP 会立即加载类并且无法通过 AOP 进行转换,所以什么都不会发生,因为类已经存在于 PHP 的内存中。

为了使 AOP 工作,您应该将类​​加载委托给您的类Composer并使用 PSR-0/PSR-4 标准。在这种情况下,AOP 会钩住自动加载过程,并在需要时执行转换。

有关框架内部的更多详细信息,请参阅我关于AOP 如何在不需要任何 PECL 扩展的纯 PHP 中工作的回答。这些信息应该对您有用。

于 2018-01-25T09:54:43.813 回答