do_action和add_action如何工作?

2022-08-30 18:54:56

我试图找到do_action和add_action到底是什么。我已经用add_action检查了,但对于do_action,我现在尝试成为新的。这是我尝试过的。

function mainplugin_test() {

$regularprice = 50;

if(class_exists('rs_dynamic')) {
$regularprice = 100;
}

// and doing further
//like i echoing the regular price
echo $regularprice; //It print 100 from this code

}

现在,我不打算在主文件中放置少量代码,而是计划创建do_action以避免代码混乱问题。

    function mainplugin_test() {

    $regularprice = 50;

    do_action('testinghook');

// and doing further
//like i echoing the regular price
echo $regularprice; //It should print 100 but it print 50

    }

所以我创建了另一个函数来指出钩子是这样的

function anothertest() {
if(class_exists('rs_dynamic')) {
$regularprice = 100;
}
}
add_action('testinghook','anothertest');

不确定如何将上述函数可能工作的代码行添加到该钩子中?根据我在测试环境中尝试过的,没有任何帮助。如果我理解正确,do_action更像是包含文件???如果没有,请告诉我。

谢谢。


答案 1

do_action创建一个操作钩子,在调用该钩子时执行钩子函数。add_action

例如,如果您在模版的页脚中添加以下内容:

do_action( 'my_footer_hook' );

您可以从函数.php或自定义插件回显该位置的内容:

add_action( 'my_footer_hook', 'my_footer_echo' );
function my_footer_echo(){
    echo 'hello world';
}

您还可以将变量传递给钩子:

do_action( 'my_footer_hook', home_url( '/' ) );

您可以在回调函数中使用:

add_action( 'my_footer_hook', 'my_footer_echo', 10, 1 );
function my_footer_echo( $url ){
    echo "The home url is $url";
}

在您的例子中,您可能正在尝试根据条件筛选值。这就是过滤器钩子的用途:

function mainplugin_test() {
    echo apply_filters( 'my_price_filter', 50 );
}

add_filter( 'my_price_filter', 'modify_price', 10, 1 );
function modify_price( $value ) {
    if( class_exists( 'rs_dynamic' ) )
        $value = 100;
    return $value;
}

参考

编辑(更新的引用链接)


答案 2

它没有打印的原因,因为函数内部是该函数的本地。父函数中使用的变量与函数中使用的变量不同,它们位于单独的作用域中。100$regularpriceanothertest()$regularpricemainplugin_test()anothertest()

因此,您需要在全局范围内定义(这不是一个好主意),或者您可以将参数作为参数传递给do_action_ref_array。这与它接受第二个参数作为参数数组相同。$regularpricedo_action_ref_arraydo_action

作为参数传递:

function mainplugin_test() {

    $regularprice = 50;
    
    // passing as argument as reference
    do_action_ref_array('testinghook', array(&$regularprice));

    echo $regularprice; //It should print 100

}

// passing variable by reference
function anothertest(&$regularprice) {
    if(class_exists('rs_dynamic')) {
        $regularprice = 100;
    }
}
// remain same
add_action('testinghook','anothertest');

推荐