18

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

但是,这似乎不起作用

  1. HTML

    $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. PHP 代码

        $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、在线教程中的许多示例,但似乎都没有。我错过了什么吗?

4

2 回答 2

31

下面的 XPath 查询可以满足您的需求。只需将提供给 $xpath->query 的参数替换为以下内容:

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

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

Edit2:测试了这段代码;它工作得很好。

<?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;
}

?>
于 2013-08-12T08:52:21.057 回答
5

扩展Frak Houweling的答案,也可以使用DomXpath在特定的DomNode中进行搜索。这可以通过将contextNode作为第二个参数传递给DomXpath->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
于 2016-04-19T22:44:31.190 回答