通过类php DOMDocument将元素放入其他元素中

时间:2015-03-24 19:31:50

标签: php domdocument

嗨,大家好我有这个Html代码:

<div class="post-thumbnail2">
   <a href="http://example.com" title="Title">
       <img src="http://linkimgexample/image.png" alt="Title"/>
   </a>
</div>

我想使用php DOMDocument获取src图像(http://linkimgexample/image.png)的值和href链接(http://example.com)的值

我做了什么来获得链接是这样的:

$divs = $dom->getElementsByTagName("div");

    foreach($divs as $div) { 
        $cl = $div->getAttribute("class");

        if ($cl == "post-thumbnail2") {
            $links = $div->getElementsByTagName("a");
            foreach ($links as $link)
                    echo $link->getAttribute("href")."<br/>";
        }
    }

我可以为src img做同样的事情

$imgs = $div->getElementsByTagName("img"); 
foreach ($imgs as $img)
    echo $img->getAttribute("src")."<br/>";

但有时在网站上没有图像,Html代码就是这样:

 <div class="post-thumbnail2">
   <a href="http://example.com" title="Title"></a>
</div>

所以我的问题是如何在没有图像的情况下同时获得2值我显示一些消息

更清楚这是一个例子:

<div class="post-thumbnail2">
       <a href="http://example1.com" title="Title">
           <img src="http://linkimgexample/image1.png" alt="Title"/>
       </a>
    </div>
<div class="post-thumbnail2">
       <a href="http://example2.com" title="Title"></a>
</div>
<div class="post-thumbnail2">
       <a href="http://example3.com" title="Title">
           <img src="http://linkimgexample/image2.png" alt="Title"/>
       </a>
</div>

我希望结果是

http://example1.com - http://linkimgexample/image1.png
http://example2.com - there is no image here !
http://example3.com - http://linkimgexample/image2.pn

1 个答案:

答案 0 :(得分:2)

DOMElement::getElementsByTagName会返回DOMNodeList,这意味着您可以通过查看img属性来确定是否找到length - 元素。

$imgs = $div->getElementsByTagName("img"); 
if($imgs->length > 0) {
    foreach ($imgs as $img)
        echo $img->getAttribute("src")."<br/>";
} else {
    echo "there is no image here!<br/>";
}

你应该考虑使用XPath - 它会让你的生活更轻松地遍历DOM:

$doc = new DOMDocument();
if($doc->loadHtml($xmlData)) {
    $xpath = new DOMXPath($doc); 
    $postThumbLinks = $xpath->query("//div[@class='post-thumbnail2']/a");

    foreach($postThumbLinks as $link) {
        $imgList = $xpath->query("./img", $link);

        $imageLink = "there is no image here!";

        if($imgList->length > 0) {
            $imageLink = $imgList->item(0)->getAttribute('src');
        }

        echo $link->getAttribute('href'), " - ", $link->getAttribute('title'),
             " - ", $imageLink, "<br/>", PHP_EOL;
    }
} else {
    echo "can't load HTML document!", PHP_EOL;
}