我试图从一个网页(我不拥有)中获取数据,然后操纵这些数据。为此,我需要将其分配给数组或将其写入MySQL DB或其他东西。 我希望保存第2,4和6列,以便我可以使用它们。下面是我的代码到目前为止,我完全迷失了如何操纵数据。我认为这与爆炸有关,但我没有设法让它发挥作用:
<?php
$ch = curl_init();
curl_setopt( $ch, CURLOPT_URL, 'URL');
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true);
$content = curl_exec($ch);
$dom = new DOMDocument;
@$dom->loadHTML( $content );
//get all td
$items = $dom->getElementsByTagName('td');
//display all text
for ($i = 0; $i < $items->length; $i++)
echo $items->item($i)->nodeValue . "<br/>";
//below doesn't work
$cells = explode(" ", $dom->getElementsByTagName('td'));
echo $cells;
?>
答案 0 :(得分:0)
$dom->getElementsByTagName('td');
将返回DOMNodeList
数据类型,而不是array
,因此,对此进行explode
将无效,我猜。
顺便说一下,当你使用td
循环遍历for
时,你想通过爆炸做什么?看起来像是类似的东西。
<强>代码强>
<?php
$ch = curl_init();
curl_setopt( $ch, CURLOPT_URL, 'URL');
curl_setopt( $ch, CURLOPT_RETURNTRANSFER, true);
$content = curl_exec($ch);
$dom = new DOMDocument;
@$dom->loadHTML( $content );
//get all td
$items = $dom->getElementsByTagName('td');
// save the 2nd, 4th and 6th column values
$columnsToSave = array( 2, 4, 6 );
$outputArray = array();
for ( $i = 0; $i < $items->length; $i++ ) {
$key = $i + 1;
if( in_array( $key, $columnsToSave ) ) {
$outputArray[ $key ] = $items->item($i)->nodeValue . "<br/>";
}
}
print_r( $outputArray );
?>