0

是否可以使用 PHP 的str_replace()函数仅针对页面中的选择 DIV(例如,由 ID 或类标识)?

情况:我正在使用以下str_replace()功能将我的 Wordpress 帖子编辑器 - 类别元框中的所有复选框转换为使用单选按钮,以便我网站的作者只能在一个类别中发布。

下面的代码正在运行(在 WP3.5.1 上),但它替换了同一页面上其他复选框元素的代码。有没有办法只针对类别元框?

// Select only one category on post page
if(strstr($_SERVER['REQUEST_URI'], 'wp-admin/post-new.php') || 
strstr($_SERVER['REQUEST_URI'], 'wp-admin/post.php'))
{
  ob_start('one_category_only');
}

function one_category_only($content) {
  $content = str_replace('type="checkbox" ', 'type="radio" ', $content);
  return $content;
}
4

1 回答 1

0

您可以使用正则表达式来过滤带有 ID 的内容部分,然后使用 str_replace,或者您可以 - 如下例所示 - 使用DOMDocumentDOMXPath来扫描您的内容并操作输入元素:

// test content
$content = '<div id="Whatever"><div id="YOURID"><input type="checkbox" /></div><div id="OTHER"><input type="checkbox" /></div></div>';

function one_category_only($content) {
    // create a new DOMDocument
    $dom=new domDocument;
    // load the html
    $dom->loadHTML($content);
    // remove doctype declaration, we just have a fragement...
    $dom->removeChild($dom->firstChild);  
    // use XPATH to grep the ID 
    $xpath = new DOMXpath($dom);
    // here you filter, scanning the complete content 
    // for the element with your id:
    $filtered = $xpath->query("//*[@id = 'YOURID']");
    if(count($filtered) > 0) { 
        // in case we have a hit from the xpath query,
        // scan for all input elements in this container
        $inputs = $filtered->item(0)->getElementsByTagName("input");
        foreach($inputs as $input){
            // and relpace the type attribute
            if($input->getAttribute("type") == 'checkbox') {
                $input->setAttribute("type",'radio');
            }
        }
    }
    // return the modified html
    return $dom->saveHTML();
}

// testing
echo one_category_only($content);
于 2013-02-11T08:43:34.670 回答