介绍
这是您的代码的修改版本
$url = "http://stackoverflow.com/";
$loader = new Loader();
$loader->parse($url);
printf("<h4>New List : %d</h4>", count($loader));
printf("<ul>");
foreach ( $loader as $content ) {
printf("<li>%s</li>", $content['title']);
}
printf("</ul>");
输出
新名单:7
- Joel Spolsky 和 Jeff Atwood 的新播客。
- 示例代码/ Pyhton 的好网站
- stackoverflow.com 显然拥有互联网历史上最好的 Web 代码,reddit 最好开始复制它。
- 一个类似 reddit 的 OpenID 程序员网站
- 很棒的开发者网站。让知道的人回答您的问题。
- Stack Overflow 公开发布
- Stack Overflow,一个编程问答网站。& Reddit 可以从他们的界面中学到很多东西!
简单演示
问题
我看到你想在这里实现的一些事情,即
- 我想以某种方式在本地存储提交的标题
- 现在我每次加载页面时都在运行一些代码
据我了解,您需要的是 数据的简单缓存副本,这样您就不必一直加载 url。
简单的解决方案
您可以使用的一个简单的缓存系统是memcache ..
示例 A
$url = "http://stackoverflow.com/";
// Start cache
$m = new Memcache();
$m->addserver("localhost");
$cache = $m->get(sha1($url));
if ($cache) {
// Use cache copy
$loader = $cache;
printf("<h2>Cache List: %d</h2>", count($loader));
} else {
// Start a new Loader
$loader = new Loader();
$loader->parse($url);
printf("<h2>New List : %d</h2>", count($loader));
$m->set(sha1($url), $loader);
}
// Oupput all listing
printf("<ul>");
foreach ( $loader as $content ) {
printf("<li>%s</li>", $content['title']);
}
printf("</ul>");
示例 B
您可以 Last Modification Date
用作缓存键,以便仅在修改文档时才保存新副本
$headers = get_headers(sprintf("http://www.reddit.com/api/info.json?url=%s",$url), true);
$time = strtotime($headers['Date']); // get last modification date
$cache = $m->get($time);
if ($cache) {
$loader = $cache;
}
由于您的类实现了JsonSerializable
您可以对结果进行 json 编码并存储在 MongoDB 或 MySQL 等数据库中
$data = json_encode($loader);
// Save to DB
使用的类
class Loader implements IteratorAggregate, Countable, JsonSerializable {
private $request = "http://www.reddit.com/api/info.json?url=%s";
private $data = array();
private $total;
function parse($url) {
$content = json_decode($this->getContent(sprintf($this->request, $url)), true);
$this->data = array_map(function ($v) {
return $v['data'];
}, $content['data']['children']);
$this->total = count($this->data);
}
public function getIterator() {
return new ArrayIterator($this->data);
}
public function count() {
return $this->total;
}
public function getType() {
return $this->type;
}
public function jsonSerialize() {
return $this->data;
}
function getContent($url) {
$ch = curl_init();
curl_setopt($ch, CURLOPT_URL, $url);
curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
curl_setopt($ch, CURLOPT_CONNECTTIMEOUT, 1);
$content = curl_exec($ch);
curl_close($ch);
return $content;
}
}