如果插件将其方法封装在一个类中,然后针对这些方法之一注册了过滤器或操作,那么如果您不再有权访问该类的实例,该如何删除该操作或过滤器?

例如,假设您有一个执行此操作的插件:

class MyClass {
    function __construct() {
       add_action( "plugins_loaded", array( $this, 'my_action' ) );
    }

    function my_action() {
       // do stuff...
    }
}

new MyClass();


请注意,我现在无法访问该实例,如何注销班级?这:remove_action( "plugins_loaded", array( MyClass, 'my_action' ) );似乎不是正确的方法-至少,在我的情况下似乎不起作用。

评论

N / P。下面的A对您有用吗?

#1 楼

最好的做法是使用静态类。以下代码应具有指导性:

class MyClass {
    function __construct() {
        add_action( 'wp_footer', array( $this, 'my_action' ) );
    }
    function my_action() {
        print '<h1>' . __class__ . ' - ' . __function__ . '</h1>';
    }
}
new MyClass();


class MyStaticClass {
    public static function init() {
        add_action( 'wp_footer', array( __class__, 'my_action' ) );
    }
    public static function my_action() {
        print '<h1>' . __class__ . ' - ' . __function__ . '</h1>';
    }
}
MyStaticClass::init();

function my_wp_footer() {
    print '<h1>my_wp_footer()</h1>';
}
add_action( 'wp_footer', 'my_wp_footer' );

function mfields_test_remove_actions() {
    remove_action( 'wp_footer', 'my_wp_footer' );
    remove_action( 'wp_footer', array( 'MyClass', 'my_action' ), 10 );
    remove_action( 'wp_footer', array( 'MyStaticClass', 'my_action' ), 10 );
}
add_action( 'wp_head', 'mfields_test_remove_actions' );


如果从插件运行此代码,则应注意,StaticClass的方法和函数将从wp_footer中删除。

评论


点取,但并非所有类都可以简单地转换为静态。

– Geert
2012年2月29日上午11:40

我接受了这个答案,因为它最直接地回答了问题,尽管奥托的回答是最佳实践。我在这里指出,我认为您不需要显式声明static。根据我的经验(尽管我可能错了),您可以将函数视为静态数组('MyClass','member_function'),并且通常无需使用“ static”关键字即可使用。

–汤姆·俄格(Tom Auger)
2012-04-24 17:40

@TomAuger不,您不能,只有将其添加为静态类后,您才能使用remove_action函数,否则它将无法工作...这就是为什么我必须编写自己的函数以处理非静态类的原因。仅当您的问题是关于您自己的代码时,此答案才是最佳答案,否则,您将尝试从其他人的代码库中删除另一个过滤器/操作,并且无法将其更改为静态

–迈尔斯
16-09-20在0:23

#2 楼

每当插件创建new MyClass();时,都应将其分配给唯一命名的变量。这样,就可以访问该类的实例。

因此,如果他正在执行$myclass = new MyClass();,则可以执行以下操作:

global $myclass;
remove_action( 'wp_footer', array( $myclass, 'my_action' ) );


此之所以有效,是因为插件包含在全局名称空间中,所以插件主体中的隐式变量声明是全局变量。

如果插件未将新类的标识符保存在某处,则从技术上讲,那是一个错误。面向对象编程的一般原则之一是,某些地方未被某些变量引用的对象将受到清除或清除。

现在,特别是PHP并没有像Java那样做,因为PHP有​​点像是一个半精打采的OOP实现。实例变量只是其中包含唯一对象名称的字符串。它们仅因变量函数名称与->运算符的交互作用而起作用。因此,只是愚蠢地做new class()确实可以完美地工作。 :)

所以,底线是,永远不要做new class();。执行$var = new class();并以某种方式使$ var可以访问,以供其他位引用。

编辑:几年后

我见过很多插件在做的一件事是使用类似于“ Singleton”模式的东西。他们创建一个getInstance()方法来获取类的单个实例。这可能是我见过的最好的解决方案。示例插件:

class ExamplePlugin
{
    protected static $instance = NULL;

    public static function getInstance() {
        NULL === self::$instance and self::$instance = new self;
        return self::$instance;
    }
}


第一次调用getInstance()时,它将实例化该类并保存其指针。您可以使用它来挂接操作。

这样做的一个问题是,如果您使用此类东西,则不能在构造函数中使用getInstance()。这是因为new会在设置$ instance之前调用构造函数,因此从构造函数调用getInstance()会导致无限循环并破坏所有内容。

一种解决方法是不使用构造函数(或至少不要在其中使用getInstance()),而应在类中显式具有“ init”函数来设置操作等。像这样:

public static function init() {
    add_action( 'wp_footer', array( ExamplePlugin::getInstance(), 'my_action' ) );
}


使用类似的东西,在文件的末尾,在类都定义好之后,实例化插件就变得像这样简单:

ExamplePlugin::init();


Init开始添加您的操作,并以此调用getInstance(),该方法实例化该类并确保其中只有一个存在。如果您没有init函数,则可以使用此方法最初实例化该类:

ExamplePlugin::getInstance();


要解决原始问题,请从然后(例如,在另一个插件中)可以在外部(例如,在另一个插件中)执行操作:

remove_action( 'wp_footer', array( ExamplePlugin::getInstance(), 'my_action' ) );


将其挂接到plugins_loaded动作钩子中,它将撤消该动作被原始插件迷住了。

评论


+1 Tru dat。这显然是最佳做法。我们都应该以这种方式编写我们的插件代码。

–汤姆·俄格(Tom Auger)
2012-04-24 17:41



+1这些说明确实帮助我删除了单例模式类中的过滤器。

–德文·沃克(Devin Walker)
2014年3月28日在2:01

+1,但我认为通常应该挂接到wp_loaded而不是plugins_loaded,这可能为时过早。

–EML
15年4月28日在13:00

不,plugins_loaded将是正确的位置。 wp_loaded操作在init操作之后发生,因此,如果您的插件在init上执行了任何操作(大多数情况下都这样做),那么您要初始化该插件并在此之前进行设置。 plugins_loaded钩子是该构建阶段的正确位置。

–奥托
15年4月28日在13:26

这可能为时已晚。但是,谢谢您的投入。经过数小时的研究,我们发现我们没有遵守面向对象编程的一般原则,即说某些地方的某些变量未引用的对象会被清除或清除。

– NME新媒体娱乐
1月21日1:45

#3 楼

2个小的PHP函数,用于允许使用“匿名”类删除过滤器/操作:
https://github.com/herewithme/wp-filters-extras/

评论


非常酷的功能。感谢您在此处发布!

–汤姆·俄格(Tom Auger)
2012年11月6日14:22

就像我在下面的帖子中提到的那样,这些将在WordPress 4.7中中断(除非存储库已更新,但两年内没有更新)

–迈尔斯
16-09-20在0:25

只是注意到wp-filters-extras存储库确实已针对v4.7和WP_Hook类进行了更新。

–戴夫·罗姆西
17年5月4日在6:28

#4 楼

这是我创建的广泛记录的功能,用于在您无法访问类对象时删除过滤器(适用于WordPress 1.2+,包括4.7+):

https://gist.github.com / tripflex / c6518efc1753cf2392559866b4bd1a53

/**
 * Remove Class Filter Without Access to Class Object
 *
 * In order to use the core WordPress remove_filter() on a filter added with the callback
 * to a class, you either have to have access to that class object, or it has to be a call
 * to a static method.  This method allows you to remove filters with a callback to a class
 * you don't have access to.
 *
 * Works with WordPress 1.2+ (4.7+ support added 9-19-2016)
 * Updated 2-27-2017 to use internal WordPress removal for 4.7+ (to prevent PHP warnings output)
 *
 * @param string $tag         Filter to remove
 * @param string $class_name  Class name for the filter's callback
 * @param string $method_name Method name for the filter's callback
 * @param int    $priority    Priority of the filter (default 10)
 *
 * @return bool Whether the function is removed.
 */
function remove_class_filter( $tag, $class_name = '', $method_name = '', $priority = 10 ) {
    global $wp_filter;

    // Check that filter actually exists first
    if ( ! isset( $wp_filter[ $tag ] ) ) return FALSE;

    /**
     * If filter config is an object, means we're using WordPress 4.7+ and the config is no longer
     * a simple array, rather it is an object that implements the ArrayAccess interface.
     *
     * To be backwards compatible, we set $callbacks equal to the correct array as a reference (so $wp_filter is updated)
     *
     * @see https://make.wordpress.org/core/2016/09/08/wp_hook-next-generation-actions-and-filters/
     */
    if ( is_object( $wp_filter[ $tag ] ) && isset( $wp_filter[ $tag ]->callbacks ) ) {
        // Create $fob object from filter tag, to use below
        $fob = $wp_filter[ $tag ];
        $callbacks = &$wp_filter[ $tag ]->callbacks;
    } else {
        $callbacks = &$wp_filter[ $tag ];
    }

    // Exit if there aren't any callbacks for specified priority
    if ( ! isset( $callbacks[ $priority ] ) || empty( $callbacks[ $priority ] ) ) return FALSE;

    // Loop through each filter for the specified priority, looking for our class & method
    foreach( (array) $callbacks[ $priority ] as $filter_id => $filter ) {

        // Filter should always be an array - array( $this, 'method' ), if not goto next
        if ( ! isset( $filter[ 'function' ] ) || ! is_array( $filter[ 'function' ] ) ) continue;

        // If first value in array is not an object, it can't be a class
        if ( ! is_object( $filter[ 'function' ][ 0 ] ) ) continue;

        // Method doesn't match the one we're looking for, goto next
        if ( $filter[ 'function' ][ 1 ] !== $method_name ) continue;

        // Method matched, now let's check the Class
        if ( get_class( $filter[ 'function' ][ 0 ] ) === $class_name ) {

            // WordPress 4.7+ use core remove_filter() since we found the class object
            if( isset( $fob ) ){
                // Handles removing filter, reseting callback priority keys mid-iteration, etc.
                $fob->remove_filter( $tag, $filter['function'], $priority );

            } else {
                // Use legacy removal process (pre 4.7)
                unset( $callbacks[ $priority ][ $filter_id ] );
                // and if it was the only filter in that priority, unset that priority
                if ( empty( $callbacks[ $priority ] ) ) {
                    unset( $callbacks[ $priority ] );
                }
                // and if the only filter for that tag, set the tag to an empty array
                if ( empty( $callbacks ) ) {
                    $callbacks = array();
                }
                // Remove this filter from merged_filters, which specifies if filters have been sorted
                unset( $GLOBALS['merged_filters'][ $tag ] );
            }

            return TRUE;
        }
    }

    return FALSE;
}

/**
 * Remove Class Action Without Access to Class Object
 *
 * In order to use the core WordPress remove_action() on an action added with the callback
 * to a class, you either have to have access to that class object, or it has to be a call
 * to a static method.  This method allows you to remove actions with a callback to a class
 * you don't have access to.
 *
 * Works with WordPress 1.2+ (4.7+ support added 9-19-2016)
 *
 * @param string $tag         Action to remove
 * @param string $class_name  Class name for the action's callback
 * @param string $method_name Method name for the action's callback
 * @param int    $priority    Priority of the action (default 10)
 *
 * @return bool               Whether the function is removed.
 */
function remove_class_action( $tag, $class_name = '', $method_name = '', $priority = 10 ) {
    remove_class_filter( $tag, $class_name, $method_name, $priority );
}


评论


问题-您是否在4.7中对此进行了测试?回调在全新过滤器中的注册方式已作了一些更改。我没有深入研究您的代码,但是您可能需要检查一下:make.wordpress.org/core/2016/09/08/…

–汤姆·俄格(Tom Auger)
16-09-15在20:59

是的,非常确定这将在4.7中打破

– gmazzap♦
16年9月15日在22:01

啊!不,我没有,但是谢谢你,我将仔细研究并更新它,以便兼容(如果需要)

–迈尔斯
16-09-17在19:54

@TomAuger感谢您的注意!我已经更新了该功能,并测试了在WordPress 4.7+上的工作能力(仍保持向后兼容)

–迈尔斯
16-09-20在0:10

刚刚更新为使用核心内部删除方法(以处理中间迭代并防止php警告)

–迈尔斯
17-2-27在23:07

#5 楼

上面的解决方案看起来已经过时了,不得不写我自己的...

function remove_class_action ($action,$class,$method) {
    global $wp_filter ;
    if (isset($wp_filter[$action])) {
        $len = strlen($method) ;
        foreach ($wp_filter[$action] as $pri => $actions) {
            foreach ($actions as $name => $def) {
                if (substr($name,-$len) == $method) {
                    if (is_array($def['function'])) {
                        if (get_class($def['function'][0]) == $class) {
                            if (is_object($wp_filter[$action]) && isset($wp_filter[$action]->callbacks)) {
                                unset($wp_filter[$action]->callbacks[$pri][$name]) ;
                            } else {
                                unset($wp_filter[$action][$pri][$name]) ;
                            }
                        }
                    }
                }
            }
        }
    }
}


评论


如果您正在寻找现代化的解决方案,那么此问题适用于WP 5.6

–亚历山大·K。
12月16日20:57

#6 楼

在这种情况下,WordPress会在函数名称中添加一个哈希(唯一ID)并将其存储在全局$wp_filter变量中。因此,如果使用remove_filter函数,将不会发生任何事情。即使您将类名添加到函数名称中,如remove_filter('plugins_loaded', ['MyClass', 'my_action'])
您只能手动从全局my_action变量中删除所有$wp_filter钩子。

这是执行此操作的函数:

function my_remove_filter($tag, $function_name, $priority = 10){

    global $wp_filter;

    if( isset($wp_filter[$tag]->callbacks[$priority]) and !empty($wp_filter[$tag]->callbacks[$priority]) ){

        $wp_filter[$tag]->callbacks[$priority] = array_filter($wp_filter[$tag]->callbacks[$priority], function($v, $k) use ($function_name){

            return ( stripos($k, $function_name) === false );

        }, ARRAY_FILTER_USE_BOTH );
    }
}


使用它的方式:

my_remove_filter('plugins_loaded', 'my_action');


#7 楼

此功能基于@Digerkam答案。如果$def['function'][0]是字符串,并且添加了比较,并且最终对我有用。

还可以使用$wp_filter[$tag]->remove_filter()使它更稳定。

function remove_class_action($tag, $class = '', $method, $priority = null) : bool {
    global $wp_filter;
    if (isset($wp_filter[$tag])) {
        $len = strlen($method);

        foreach($wp_filter[$tag] as $_priority => $actions) {

            if ($actions) {
                foreach($actions as $function_key => $data) {

                    if ($data) {
                        if (substr($function_key, -$len) == $method) {

                            if ($class !== '') {
                                $_class = '';
                                if (is_string($data['function'][0])) {
                                    $_class = $data['function'][0];
                                }
                                elseif (is_object($data['function'][0])) {
                                    $_class = get_class($data['function'][0]);
                                }
                                else {
                                    return false;
                                }

                                if ($_class !== '' && $_class == $class) {
                                    if (is_numeric($priority)) {
                                        if ($_priority == $priority) {
                                            //if (isset( $wp_filter->callbacks[$_priority][$function_key])) {}
                                            return $wp_filter[$tag]->remove_filter($tag, $function_key, $_priority);
                                        }
                                    }
                                    else {
                                        return $wp_filter[$tag]->remove_filter($tag, $function_key, $_priority);
                                    }
                                }
                            }
                            else {
                                if (is_numeric($priority)) {
                                    if ($_priority == $priority) {
                                        return $wp_filter[$tag]->remove_filter($tag, $function_key, $_priority);
                                    }
                                }
                                else {
                                    return $wp_filter[$tag]->remove_filter($tag, $function_key, $_priority);
                                }
                            }

                        }
                    }
                }
            }
        }

    }

    return false;
}


示例用法:

完全匹配

add_action('plugins_loaded', function() {
    remove_class_action('plugins_loaded', 'MyClass', 'my_action', 0);
});


任何优先级

add_action('plugins_loaded', function() {
    remove_class_action('plugins_loaded', 'MyClass', 'my_action');
});


任何类别和任何类别优先级

add_action('plugins_loaded', function() {
    remove_class_action('plugins_loaded', '', 'my_action');
});


#8 楼

这不是通用的答案,而是针对Avada主题和WooCommerce的答案,我认为其他人可能会有所帮助:

function remove_woo_commerce_hooks() {
    global $avada_woocommerce;
    remove_action( 'woocommerce_single_product_summary', array( $avada_woocommerce, 'add_product_border' ), 19 );
}
add_action( 'after_setup_theme', 'remove_woo_commerce_hooks' );