如何将附加参数传递给wordpress过滤器?

时间:2012-08-01 06:11:28

标签: php wordpress parameter-passing

add_filter('wp_list_pages_excludes', 'gr_wp_list_pages_excludes');

function gr_wp_list_pages_excludes($exclude_array) {    
    $id_array=$array('22');
    $exclude_array=array_merge($id_array, $exclude_array);
    return $exclude_array;
}

我是wordpress的新手。上面的代码工作正常。但是我需要传递额外的参数,比如$ mu_cust_arg到函数gr_wp_list_pages_excludes。如何通过apply_filters或任何其他方法使用它? 任何帮助表示赞赏。

提前致谢。

3 个答案:

答案 0 :(得分:5)

因为WP不接受闭包作为回调(至少,肯定不是add_filter()),简短的回答是“你不能”。至少,不是一个整洁的方式。

这里有几个选项,具体取决于你在做什么。第一个是最好的,但你可能无法使用它:

编写一个调用函数的包装函数

function gr_wp_list_pages_excludes_1 ($exclude_array) {
  $custom_arg = 'whatever';
  gr_wp_list_pages_excludes_1($exclude_array, $custom_arg)
}

只有在给定情况下始终传递相同的自定义参数时,这才有效 - 您可以为每种不同情况编写其中一个包装函数,并将包装函数的名称传递给add_filter()。或者,如果您希望它真正动态,您需要......

使用全局变量 :( 参考:Variable scope $GLOBALS

function gr_wp_list_pages_excludes($exclude_array) {
    global $gr_wp_list_pages_excludes_custom_arg;
    $id_array=$array('22');
    $exclude_array=array_merge($id_array, $exclude_array);
    return $exclude_array;
}

使用此方法意味着您可以将您喜欢的任何数据传递到函数中,方法是将其分配给全局范围中的$gr_wp_list_pages_excludes_custom_arg。这通常被认为是不好的做法,并且非常不赞成,因为它会使代码变得混乱和难以理解,并使内存空间充满了额外的变量。请注意,我已经使变量名非常长并且特定于函数以避免冲突 - 使用全局变量的另一个问题。虽然这样可行,但只有在必要时才使用它。

答案 1 :(得分:4)

您确实可以在过滤器/操作中添加多个参数,您只需要告诉WordPress需要多少个参数

示例,该示例无效:

add_filter('some_filter', function($argument_one, $argument_two) {
    // won't work
}); 

apply_filters('some_filter', 'foo', 'bar'); // won't work

由于提供了太多参数而导致的错误。

相反,您需要添加以下内容:

add_filter('some_filter', function($argument_one, $argument_two) {
    // works!
    $arugment_one; // foo
    $arugment_two; // bar
}, 10, 2);  // 2 == amount of arguments expected

apply_filters('some_filter', 'foo', 'bar'); 

答案 2 :(得分:1)

非常简单!

add_filter('filter_name','my_func',10,3);     //three parameters lets say..
my_func($first,$second,$third){
  //............
}

然后

echo apply_filters('filter_name',$a,$b,$c);