0

我正在做一些 HTML DOM 操作:

function parse_html($html) {
    $dom->loadHTML($html);
    libxml_clear_errors();

    // Parse DOM 

    return $dom->saveHTML();
}

问题是我的 HTML 包含一些 PHP 代码,其中一些被转换为 HTML 实体。例如,如果$html包含以下内容:

<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN" "http://www.w3.org/TR/REC-html40/loose.dtd">
<?php // lang=es
    $pwd = $parameter['pwd'];
    $url = $parameter['url'];
?>

<p>
    You are now registered. Go to -&gt;
    <a href="<?php echo $url ?>">control panel</a> 
    to change the settings.
</p>

它变成了这样:

<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN" "http://www.w3.org/TR/REC-html40/loose.dtd">
<html>
<head><meta http-equiv="content-type" content="text/html; charset=UTF-8"></head>
<body>
<?php // lang=es
    $pwd = $parameter['pwd'];
    $url = $parameter['url'];
?><p> You are now registered. Go to -&gt; <a href="&lt;?php%20echo%20%24url%20?&gt;">control panel</a> to change the settings.
</p>
</body>
</html>

<?php echo $url ?>实体中转换,但我不能使用像 *html_entity_decode* 这样的函数,因为它也会解码一些必须保持实体的实体。

如何解析包含 PHP 代码的 DOM?

4

2 回答 2

0

我找到的解决方案是创建几个函数来编码/解码 PHP 字符串。

function encode_php($html) {
    return preg_replace_callback('#<\?php.*\?>#imsU', '_encode_php', $html);
}

function _encode_php($matches) {
    return 'PHP_ENCRYPTED_CODE_BEGIN'.base64_encode($matches[0]).'PHP_ENCRYPTED_CODE_END';
}

function decode_php($html) {
    return preg_replace_callback('#PHP_ENCRYPTED_CODE_BEGIN(.*)PHP_ENCRYPTED_CODE_END#imsU', '_decode_php', $html);
}

function _decode_php($matches) {
    return base64_decode($matches[1]);
}

选择您确定不会出现在文件中的前缀和后缀非常重要。该解决方案已经过 2500 个 HTML 文件的测试,并且可以正常工作。

于 2012-12-12T20:40:35.917 回答
0

您何时何地以及如何构建$html变量?正是在那个地点和时间,您想要解析里面的 php。如果您尝试将其吐出,它将像只是一个字符串一样被吐出并且不会被解析。

为了更清楚,$html使用当时包含的 php 构建变量。或者,您可能正在构建模板。在这种情况下,你会做不同的事情。

如果您在使用变量后尝试填写 php 内容$html,您可以改为使用str_replace()或其他类似的函数来达到某种效果。

于 2012-12-12T17:50:39.620 回答