提问者:小点点

在页面内容中呈现wordpress短代码


我写了一个wordpress插件。它是一个从API获取、解析和呈现数据的短代码集合。我现在正在写一个主题来支持这个插件。我注意到WordPress将短代码内容从编辑器内容中分离出来,并将它们分开呈现。以下是我的问题的说明:在管理面板中编辑页面或帖子:

<div class="row">
   <div class="col-lg-12">
     <p>HERE</p>
     [PluginShortcode_1]
   </div>
 </div>

假设PluginShortcode_1生成以下html:

<h1>This is the output of PluginShortcode_1</h1>
  <p>Got Here!</p>

我希望输出为:

<div class="row">
   <div class="col-lg-12">
     <p>HERE</p>
     <h1>This is the output of PluginShortcode_1</h1>
        <p>Got Here!</p>
   </div>
 </div>

而是将以下内容发送到浏览器:

<h1>This is the output of PluginShortcode_1</h1>
  <p>Got Here!</p>
<div class="row">
   <div class="col-lg-12">
     <p>HERE</p>
   </div>
 </div>

显然wordpress做以下工作:

  1. 解析和渲染短代码内容
  2. 渲染帖子内容

我见过对do_shortcode()的引用,但我的插件定义了许多短代码,并且不会在template.php中明确知道页面上的哪些短代码或短代码,而不事先解析内容,选择所有的短代码并应用过滤器。

更新:

短代码函数位于一组处理所有呈现的类中。大多数短代码内容单独存储在呈现内容的“视图”脚本中。

上述示例将通过以下方式调用:

短代码。ini-短代码及其相关函数的列表:

[shortcode_values]
PluginShortcode_1 = shortcodeOne
AnotherShortcode  = anotherShortcode

Shortcodes.php-用于短代码函数和调用的容器:

public function __construct() {
  $ini_array = parse_ini_file(__DIR__. '/shortcodes.ini', true);
  $this->codeLib = $ini_array['shortcode_values'];
  foreach ($this->codeLib as $codeTag => $codeMethod) {
    add_shortcode($codeTag, array(&$this, $codeMethod));
  }
}

public function shortcodeOne() {
  require_once(__DIR__ . 'views/shortcodeOneView.php');
}

视图/短代码OneView.php

<?php
?>
  <h1>This is the output of PluginShortcode_1</h1>
    <p>Got here!</p>

其中短代码函数实际上负责获取数据,设置将暴露给视图的变量。

更新使问题进一步复杂化,因为该插件发出API请求,所以我将其限制为仅在post内容实际包含短代码时调用。

在插件初始化脚本中,我有以下内容:

类myPlugin.php:

public function __construct() {
  . . .
  add_filter('the_posts', array(&$this, 'isShortcodeRequest'));
  . . .
}

public function isShortcodeRequest($posts) {
    if (empty($posts)) { return $posts; }
    foreach ($posts as $post) {
      if (stripos($post->post_content, '[PluginShortcode') !== false) {
        $shortcodes = new Shortcodes();
        break;
      }
    }
    return $posts;
  }

我担心这个过滤器可能会劫持输出. . .(?)


共2个答案

匿名用户

问题是短代码回调,您是“echo”而不是返回此,您应该用以下内容替换shortcodeOne()

public function shortcodeOne() {
  return "<h1>This is the output of PluginShortcode_1</h1><p>Got here!</p>";
}

WordPress在打印它之前解析它的输出,在你的情况下,当它解析PluginShortcode_1以获得它的内容时,你打印了它,WordPress有null作为回报。

匿名用户

嗯。在wp-中包括第199-200行的函数do_shortocode():

$pattern = get_shortcode_regex();
    return preg_replace_callback( "/$pattern/s", 'do_shortcode_tag', $content );

preg_replace在字符串上运行。函数被调用。所述函数的输出与内容进行插值。

所以,输出缓冲到救援!

public function shortcodeOne() {
  ob_start();
  require_once(__DIR__ . 'views/shortcodeOneView.php');
  $buffer = ob_get_clean();
  return $buffer;
}

产生预期的输出!咻。(顺便说一下,我所有的短代码函数都调用了一个需要文件的渲染方法。从很多更新中拯救了我。谢谢@所有!}