我正在尝试链接Simple HTML DOM Parser find() 以遍历 HTML,但是当其中一个孩子不存在时它似乎崩溃了。例如:
$obj = $page->find('#headings', 0)->find('h4', 0)->nodes[0];
如果 find('#headings', 0) 或 find('h4', 0) 返回 null(即,如果元素不在 HTML 中),将导致 PHP 死亡(),但如果所有元素都存在,则会成功.
有没有办法让上面的链简单地返回 null 而不是使 PHP 崩溃?我考虑过修改 simplehtmldom 但不确定如何修改。find() 函数如下所示:
// find dom node by css selector
// Paperg - allow us to specify that we want case insensitive testing of the value of the selector.
function find($selector, $idx=null, $lowercase=false)
{
return $this->root->find($selector, $idx, $lowercase);
}
编辑:(解决方案)
按照 user1508519 的建议,我创建了一个替代的 nfind() 函数。使用这种方法,如果一个空属性(与方法相反——find() 方法在链接时返回一个空节点)在链的下游被引用,PHP 仍然会标记一个通知,但不会像使用 find( )。
// modified version of simple_html_dom->find() that will return an empty node instead of null when chained if an element is not found. simple_html_dom_node->nfind() must also be created for this to work.
function nfind($selector, $idx=null, $lowercase=false)
{
$this->root->nfind($selector, $idx, $lowercase);
}
执行查找操作的实际代码可以在 simple_html_dom_node->find() 中找到,并且应该将以下函数放在 simple_html_dom_node 中以使整个包正常工作(仅修改最后一行 - 出于某种原因包装了原始 find() 函数它并检查 is_null 似乎仍然会使 PHP 崩溃
//modifed version of simple_html_dom_node->find()
function nfind($selector, $idx=null, $lowercase=false)
{
$selectors = $this->parse_selector($selector);
if (($count=count($selectors))===0) return array();
$found_keys = array();
// find each selector
for ($c=0; $c<$count; ++$c)
{
// The change on the below line was documented on the sourceforge code tracker id 2788009
// used to be: if (($levle=count($selectors[0]))===0) return array();
if (($levle=count($selectors[$c]))===0) return array();
if (!isset($this->_[HDOM_INFO_BEGIN])) return array();
$head = array($this->_[HDOM_INFO_BEGIN]=>1);
// handle descendant selectors, no recursive!
for ($l=0; $l<$levle; ++$l)
{
$ret = array();
foreach ($head as $k=>$v)
{
$n = ($k===-1) ? $this->dom->root : $this->dom->nodes[$k];
//PaperG - Pass this optional parameter on to the seek function.
$n->seek($selectors[$c][$l], $ret, $lowercase);
}
$head = $ret;
}
foreach ($head as $k=>$v)
{
if (!isset($found_keys[$k]))
$found_keys[$k] = 1;
}
}
// sort keys
ksort($found_keys);
$found = array();
foreach ($found_keys as $k=>$v)
$found[] = $this->dom->nodes[$k];
// return nth-element or array
if (is_null($idx)) return $found;
else if ($idx<0) $idx = count($found) + $idx;
return (isset($found[$idx])) ? $found[$idx] : new simple_html_dom_node('');
}
再次感谢 user1508519 帮助我找到所需的解决方案,同时提供一系列同样有效的替代方案!欢迎就解决方案/潜在副作用的有效性发表评论,或者如果有人有进一步的意见,是否有更优雅的方式来实现这一点。