使用PHP DOM文档,按其类选择HTML元素并获取其文本

2022-08-30 21:57:44

我试图从div中获取文本,其中class = 'review-text',通过使用PHP的DOM元素和以下HTML(相同的结构)和以下代码。

然而,这似乎不起作用

  1. 断续器

    $html = '
        <div class="page-wrapper">
            <section class="page single-review" itemtype="http://schema.org/Review" itemscope="" itemprop="review">
                <article class="review clearfix">
                    <div class="review-content">
                        <div class="review-text" itemprop="reviewBody">
                        Outstanding ... 
                        </div>
                    </div>
                </article>
            </section>
        </div>
    ';
    
  2. 网络工序代码

        $classname = 'review-text';
        $dom = new DOMDocument;
        $dom->loadHTML($html);
        $xpath     = new DOMXPath($dom);
        $results = $xpath->query("//*[@class and contains(concat(' ', normalize-space(@class), ' '), ' $classname ')]");
    
        if ($results->length > 0) {
            echo $review = $results->item(0)->nodeValue;
        }
    

博客提供了按类选择元素的 XPATH 语法

我尝试了许多来自StackOverflow的在线教程的例子,但似乎没有一个有效。我错过了什么吗?


答案 1

以下 XPath 查询执行所需的操作。只需将提供给$xpath->query 的参数替换为以下内容:

//div[@class="review-text"]

编辑:为了便于开发,您可以在 http://www.xpathtester.com/test 在线测试自己的XPath查询。

编辑2:测试此代码;它完美地工作。

<?php

$html = '
    <div class="page-wrapper">
        <section class="page single-review" itemtype="http://schema.org/Review" itemscope="" itemprop="review">
            <article class="review clearfix">
                <div class="review-content">
                    <div class="review-text" itemprop="reviewBody">
                    Outstanding ... 
                    </div>
                </div>
            </article>
        </section>
    </div>
';

$classname = 'review-text';
$dom = new DOMDocument;
$dom->loadHTML($html);
$xpath = new DOMXPath($dom);
$results = $xpath->query("//*[@class='" . $classname . "']");

if ($results->length > 0) {
    echo $review = $results->item(0)->nodeValue;
}

?>

答案 2

扩展Frak Houweling答案,也可以使用DomXpath在特定的DomNode中进行搜索。这可以通过将作为第二个参数传递给方法来实现:contextNodeDomXpath->query

$dom = new DOMDocument;
$dom->loadHTML ($html);
$xpath = new DOMXPath ($dom);

foreach ($xpath->query ("//section[@class='page single-review']") as $section)
{
    // search for sub nodes inside each element
    foreach ($xpath->query (".//div[@class='review-text']", $section) as $review)
    {
        echo $review->nodeValue;
    }
}

请注意,在节点内部搜索时,您需要通过在表达式的开头添加一个点来使用相对路径:.

"//div[@class='review-text']" // absolute path, search starts from the root element
".//div[@class='review-text']" // relative path, search starts from the provided contextNode

推荐