从 wordpress 视频短代码中读取和提取属性?

Read and extract attributes from wordpress video shortcode?

我的目的是从这样的事情开始,从 post_content:

[video width="1080" height="1920" webm="http://path/file.webm" autoplay="true"][/video] 

到这样的数组:

Array( 
    width=>1080, 
    height=>1920,
    webm=>"http://path/file.webm",
    autoplay=>"true"
);

当然,根据用户在视频短代码中输入的内容,成对的数量或多或少。

我已经阅读了 Shortcode_API 和关于 shortcode_attsinstructions。我在任何地方都找不到关于如何以数组形式获取这些属性的简单解释。

尽管人们一直建议我 不能 使用 shortcode_atts 因为这个 wordpress 函数要求属性 已经在数组中

我知道如何使用正则表达式或多或少地完成上述操作。但是有没有任何 wordpress 明显的方法可以将短代码属性转换为数组?我知道应该有。

例如,这不起作用:

shortcode_atts( array(
                'width'    => '640',
                'height'   => '360',
                'mp4'   => '',
                'autoplay' => '',
                'poster'   => '',
                'src'      => '',
                'loop'     => '',
                'preload'  => 'metadata',
                'webm'   => '',
        ), $atts);

因为 $atts 应该是一个数组,但我只有一个来自 $post_content 的字符串,看起来像这样:

[video width="1080" height="1920" webm="http://path/file.webm" autoplay="true"][/video] 

请注意:我没有实现简码功能或类似功能。我只需要 阅读 post 内容中添加的 wordpress 视频简码。

如果有人感兴趣,上面的答案就是 shortcode_parse_atts 所描述的函数 here

这是一个非常紧凑的正则表达式解决方案:

代码

<?php
    $input = '[video width="1080" height="1920" webm="http://path/file.webm" autoplay="true"][/video]';

    preg_match_all('/([A-Za-z-_0-9]*?)=[\'"]{0,1}(.*?)[\'"]{0,1}[\s|\]]/', $input, $regs, PREG_SET_ORDER);
    $result = array();
    for ($mx = 0; $mx < count($regs); $mx++) {
        $result[$regs[$mx][1]] = is_numeric($regs[$mx][2]) ? $regs[$mx][2] : '"'.$regs[$mx][2].'"';
    } 

    echo '<pre>'; print_r($result); echo '</pre>';
?>

结果

Array [width] => 1080 [height] => 1920 [webm] => "http://path/file.webm" [autoplay] => "true" )

在我看来(至少在 4.7 版中)您使用 add_shortcode() 指定的函数会将短代码参数放入数组中:

如果您像这样添加简码:

    add_shortcode('my_shortcode_name', 'my_shortcode_function');

那么像这样的'my_shortcode_function'会有一个属性数组:

function my_shortcode_function($atts) {
// this will print the shortcode's attribute array
echo '<pre>';print_r($atts);echo '</pre>';
}

...瑞克...