我试图从HTML元素中删除title属性。
function remove_title_attributes($input) {
return remove_html_attribute('title', $input);
}
/**
* To remove an attribute from an html tag
* @param string $attr the attribute
* @param string $str the html
*/
function remove_html_attribute($attr, $str){
return preg_replace('/\s*'.$attr.'\s*=\s*(["\']).*?\1/', '', $str);
}
但是,它无法区分<img title="something">
和[shortcode title="something"]
之间的区别。如何仅定位HTML标记中的代码(例如<img>
或<a href=""><a>
)?
答案 0 :(得分:3)
不要使用regexp,而是使用DOM解析器。转到official reference page并研究它。在您的情况下,您需要DOMElement::removeAttribute()方法。这是一个例子:
<?php
$html = '<p>stuff <a href="link" title="something">linkme</a></p><p>more stuff</p><p>even more stuff</p>';
$dom = new DOMDocument();
$dom->loadHTML($html);
$domElement = $dom->documentElement;
$a = $domElement->getElementsByTagName('a')->item(0);
$a->removeAttribute('title');
$result = $dom->saveHTML();
答案 1 :(得分:0)
我使用@Hast中的代码作为构建块。看起来这就是诀窍(除非有更好的方法吗?)
/**
* To remove an attribute from an html tag
* @param string $attr the attribute
* @param string $str the html
*/
function remove_html_attribute($attr, $input){
//return preg_replace('/\s*'.$attr.'\s*=\s*(["\']).*?\1/', '', $input);
$result='';
if(!empty($input)){
//check if the input text contains tags
if($input!=strip_tags($input)){
$dom = new DOMDocument();
//use mb_convert_encoding to prevent non-ASCII characters from randomly appearing in text
$dom->loadHTML(mb_convert_encoding($input, 'HTML-ENTITIES', 'UTF-8'));
$domElement = $dom->documentElement;
$taglist = array('a', 'img', 'span', 'li', 'table', 'td'); //tags to check for specified tag attribute
foreach($taglist as $target_tag){
$tags = $domElement->getElementsByTagName($target_tag);
foreach($tags as $tag){
$tag->removeAttribute($attr);
}
}
//$result = $dom->saveHTML();
$result = innerHTML( $domElement->firstChild ); //strip doctype/html/body tags
}
else{
$result=$input;
}
}
return $result;
}
/**
* removes the doctype/html/body tags
*/
function innerHTML($node){
$doc = new DOMDocument();
foreach ($node->childNodes as $child)
$doc->appendChild($doc->importNode($child, true));
return $doc->saveHTML();
}