我正在尝试提供RSS提要,但我只想显示其中一项 - 一个随机数 - 而不是全部。我已经使用for循环设置了一个测试,但似乎无法让它工作。我来自JS背景。任何帮助或提示将不胜感激!
<?php
$url = "http://abc.net.au/bestof/bestofabc.xml";
$rss = simplexml_load_file($url);
if ($rss) {
$items = $rss->channel->item;
for ($i = 0; $i < count($items); $i++){
if ($i == 2) {
echo($items[$i]); // doesn't show anything
}
}
}
?>
答案 0 :(得分:0)
我真的建议您使用xpath
加载所有频道中的所有项目,然后随机选择该项目。以下是示例代码,根据需要进行优化......
$url = "http://abc.net.au/bestof/bestofabc.xml";
$rss = @simplexml_load_file($url);
// get all the items in all channels
$items = $rss->xpath('//rss/channel/item');
// randomly dump one of the items from loaded list
$k = array_rand($items);
var_dump($items[$k]);
答案 1 :(得分:0)
这里基本上有两个选项,为了便于使用我首先将项目分配给它自己的变量:
$item = $items[$i];
然后是两个调试选项:
var_dump($item);
echo $item->asXML();
第一行将创建一个var_dump
,这是PHP,在这种情况下甚至是SimpleXML特定的:
class SimpleXMLElement#193 (5) {
public $title =>
string(29) "Asylum seeker system overload"
public $link =>
string(29) "http://www.abc.net.au/bestof/"
public $description =>
class SimpleXMLElement#287 (0) {
}
public $pubDate =>
string(31) "Thu, 22 Nov 2012 00:00:00 +1100"
public $guid =>
string(8) "s3638457"
}
第二行将创建我认为对你来说很常见的东西,XML本身:
<item>
<title>Asylum seeker system overload</title>
<link>http://www.abc.net.au/bestof/</link>
<description><![CDATA[
<img style="float:right;" src="http://www.abc.net.au/common/images/news_asylum125.jpg" alt="Asylum seeker detainees (ABC News)">
<p>The Australian government is preparing to allow thousands of asylum seekers to love in the community.</p>
<ul>
<li><a href="http://mpegmedia.abc.net.au/news/lateline/video/201211/LATc_FedNauru_2111_512k.mp4">Watch (4:23)</a></li><li><a href="http://www.abc.net.au/lateline/content/2012/s3638174.htm">More - Lateline</a></li>
</ul>
]]></description>
<pubDate>Thu, 22 Nov 2012 00:00:00 +1100</pubDate>
<guid isPermaLink="false">s3638457</guid>
</item>
您没有看到任何输出:
echo $items[$i];
因为<item>
元素没有值,只有子元素。例如
echo $items[$i]->title;
将输出字符串:
Asylum seeker system overload
我希望这有用并且有所启发。您找到demo here,它还表明您可以使用foreach
:
$i = 0;
foreach ($rss->channel->item as $item)
{
if ($i++ == 2) {
var_dump($item);
echo $item->asXML(), "\n", $item->title;
}
}