Wordpress walker调用parent walk()方法

时间:2016-05-19 11:14:36

标签: php wordpress class parent

扩展基础Walker类时,我需要扩展walk()方法。

但是,调用父walk()方法不会产生任何结果。

这些是我尝试的方法:

public function walk($elements, $max_depth) {
   parent::walk($elements, $max_depth);
}

public function walk($elements, $max_depth) {
   $parent_class=get_parent_class($this);
   $args = array($elements, $max_depth);

   call_user_func_array(array($parent_class, 'walk'), $args);
}

在我看来,只要我覆盖walk()事情就会中断。

此方法是否应返回某些特定值? 我应该以不同的方式调用父方法吗?

2 个答案:

答案 0 :(得分:2)

Walker::walk将返回walk操作产生的字符串。 您将获得的是使用Walker::display_elementWalker::start_lvlWalker::start_el等方法创建的文本... 您将从父方法获得的内容已经是HTML代码,可能很难在第二次以正确的方式修改,但如果您真的想这样做:

public function walk($elements, $max_depth) {
  $html = parent::walk($elements, $max_depth);

  /* Do something with the HTML output */

  return $html;
}

答案 1 :(得分:2)

正如@TheFallen在评论中指出的那样,Wordpress的Walker类会返回输出

// Extracted from WordPress\wp-includes\class-wp-walker.php
public function walk( $elements, $max_depth ) {
        $args = array_slice(func_get_args(), 2);
        $output = '';

        //invalid parameter or nothing to walk
        if ( $max_depth < -1 || empty( $elements ) ) {
            return $output;
        }

        ...

因此,如果你想扩展类并覆盖方法,你必须保持原始行为,也要返回输出。我的建议是:

class Extended_Walker extends Walker {
     public function walk( $elements, $max_depth ) {
         $output = parent::walk($elements, $max_depth);

         // Your code do things with output here...

         return $output;  
     }
}