我需要纠正一个字符串与错误的标题标签和丢失的p标签:
<h3>1. Title</h3>
Text
<h3>1.1 Subtitle</h3>
Text
<h3>1.2. Subtitle</h3>
应该得到
<h2>1. Title</h2>
<p>Text</p>
<h3>1.1. Subtitle</h3>
<p>Text</p>
<h3>1.2. Subtitle</h3>
这意味着第一级列表的每个标题都应该是h2标签。第二个级别可以有格式1.1。
或1.1
,这应该用缺少的来纠正。
如果根本没有标记,应该添加一个p标记。
$lines = explode(PHP_EOL, $text);
foreach ($lines as $line) {
if(!strpos($line,"<h")) $line = '<p>'.$line.'</p>';
$output = $output.$line;
}
因此,这会添加缺少的p标记,但我不知道如何处理标题标记和第二层的可选缺少点。
这将使用一个正则表达式来获取不同的部分,并根据数字(h2
for1.1
,h3
for1.2
etc)确定使用什么头级别。如果您解析的超文本标记语言确实像您的示例一样简单,这将起作用。如果没有,我强烈建议您转而看看DOMDocums解析器。
$html = <<<EOS
<h3>1. Title</h3>
Text
<h3>1.1 Subtitle</h3>
Text
<h3>1.2. Subtitle</h3>
Text
EOS;
$lines = explode(PHP_EOL, $html);
foreach ($lines as $line) {
if (preg_match('/^<(\w.*?)>([\d\.]*)(.*?)</', $line, $matches)) {
$tag = $matches[1]; // "h3"
$number = $matches[2]; // "1.2"
$title = $matches[3]; // "Subtitle"
if ($tag == 'h3') {
$level = preg_match_all('/\d+/', $number) + 1;
$tag = 'h' . $level;
if (substr($number, -1, 1) != '.')
$number .= '.';
$line = "<$tag>$number$title</$tag>";
}
}
else {
$line = "<p>$line</p>";
}
echo $line, PHP_EOL;
}
输出:
<h2>1. Title</h2>
<p>Text</p>
<h3>1.1. Subtitle</h3>
<p>Text</p>
<h3>1.2. Subtitle</h3>
<p>Text</p>
试试这个:
$lines = explode(PHP_EOL, $text);
foreach ($lines as $line) {
if(strpos($line,"<h") === false) $line = '<p>'.$line.'</p>';
$output = $output.$line;
}
还是这个
$lines = explode(PHP_EOL, $text);
foreach ($lines as $key => $line)
{
if($key%2!=0) $line = '<p>'.$line.'</p>';
$output = $output.$line;
}
这个怎么样?
$text = '<h3>1. Title</h3>
Text
<h3>1.1 Subtitle</h3>
Text
<h3>1.2. Subtitle</h3>';
$lines = explode(PHP_EOL, $text);
$lines[0] = str_replace('h3','h2',$lines[0]); // Need to replace h3 to h2 only on First node
// replace a array of string
$search_str = array('.1 ', '.2 ');
$replace_str = array('.1. ', '.2. ');
foreach($lines as $line){
if(!strchr($line,"<")){
$line = '<p>'.$line.'</p>';
}
$line = str_replace($search_str, $replace_str, $line);
print $line;
}