尝试获取URL。但是我的foreach
循环仅返回前两个<div>
元素的URL。它没有任何进一步。
功能
:function getSiteContent($url)
{
$html = cache()->rememberForever($url, function () use ($url) {
return file_get_contents($url);
});
$parser = new \DOMDocument();
$parser->loadHTML($html);
return $parser;
}
代码:
libxml_use_internal_errors(true);
$url = 'http://www.sumitomo-rd-mansion.jp/kansai/';
$parser = getSiteContent($url);
$allDivs = $parser->getElementsByTagName('div');
foreach ($allDivs as $div) {
if ($div->getAttribute('id') == 'areaWrap') {
$innerDivs = $div->getElementsByTagName('div');
foreach ($innerDivs as $innerDiv) {
if ($innerDiv->getAttribute('class') == 'areaBox clearfix') {
$links = $innerDiv->getElementsByTagName('a');
if ($links->length > 0) {
$a = $links->item(0);
$linkRef = $a->getAttribute('href');
$link [] = $linkRef;
}
}
}
}
}
var_dump($link);
结果:
array(2) {
[0]=>
string(65) "http://www.sumitomo-rd-mansion.jp/kansai/higashi_umeda/index.html"
[1]=>
string(60) "http://www.sumitomo-rd-mansion.jp/kansai/osaka745/index.html"
}
使用此代码,我刚得到第一和第二个div areaBox
。然后停在那里。我的foreach循环错了吗?还是网站有一些阻碍
停止刮擦?谢谢你帮我
答案 0 :(得分:1)
您可以使用simple_html_dom
获得所需的结果。我使用此库是因为它支持CSS选择器。试试下面的脚本。
<?php
include("simple_html_dom.php");
$weblink = "http://www.sumitomo-rd-mansion.jp/kansai/";
function fetch_sumitomo_links($weblink)
{
$htmldoc = file_get_html($weblink);
foreach ($htmldoc->find(".name a") as $a) {
$links[] = $a->href . '<br>';
}
return $links;
}
$items = fetch_sumitomo_links($weblink);
foreach($items as $itemlinks){
echo $itemlinks;
}
?>
答案 1 :(得分:1)
我知道已经有了一个可以接受的答案,但是我不建议您使用这个“ simple_html_dom”库,该库已有10多年的历史,而且开发时间很长。我建议您坚持使用DomDocument,并且可以使用XPath查询来避免执行所有循环:
<?php
$xpath = new \DOMXPath($parser);
$nodes = $xpath->query("//div[@id='areaWrap']//div[contains(@class, 'areaBox')]//a[1]");
foreach ($nodes as $node) {
$links[] = $node->getAttribute("href");
}
您在此页面上遇到的问题是HTML中的无效数据。如果您摆脱libxml_use_internal_errors(true);
,将会看到与无效字符有关的警告。在getSiteContent
函数中,可以在将文本加载到DomDocument中之前对其进行转换:
$html = mb_convert_encoding($html, "SJIS", "UTF-8");
这给出了预期的输出:
array(7) {
[0]=>
string(65) "http://www.sumitomo-rd-mansion.jp/kansai/higashi_umeda/index.html"
[1]=>
string(60) "http://www.sumitomo-rd-mansion.jp/kansai/osaka745/index.html"
[2]=>
string(60) "http://www.sumitomo-rd-mansion.jp/kansai/kyobashi/index.html"
[3]=>
string(59) "http://www.sumitomo-rd-mansion.jp/kansai/tsurumi/index.html"
[4]=>
string(62) "http://www.sumitomo-rd-mansion.jp/kansai/kitatanabe/index.html"
[5]=>
string(47) "http://sumai.tokyu-land.co.jp/branz/umedanorth/"
[6]=>
string(63) "http://www.sumitomo-rd-mansion.jp/kansai/momoyamadai/index.html"
}