smarty キャッシュのより完全な例として、ドキュメント (ここにあります) のコードの一部をマッシュアップしました。また、例で何を使用していたのかわかりませんが、smarty のメソッドを使用してキャッシュを操作する必要があります。
require('Smarty.class.php');
$smarty = new Smarty;
// 1 Means use the cache time defined in this file,
// 2 means use cache time defined in the cache itself
$smarty->caching = 2;
// set the cache_lifetime for index.tpl to 5 minutes
$smarty->cache_lifetime = 300;
// Check if a cache exists for this file, if one doesn't exist assign variables etc
if(!$smarty->is_cached('index.tpl')) {
$contents = get_database_contents();
$smarty->assign($contents);
}
// Display the output of index.tpl, will be from cache if one exists
$smarty->display('index.tpl');
// set the cache_lifetime for home.tpl to 1 hour
$smarty->cache_lifetime = 3600;
// Check if a cache exists for this file, if one doesn't exist assign variables etc
if(!$smarty->is_cached('home.tpl')) {
$contents = get_database_contents();
$smarty->assign($contents);
}
// Display the output of index.tpl, will be from cache if one exists
$smarty->display('home.tpl');
APC キャッシュに関しては、smarty と同じように機能します。どちらも、特定の期間、データをファイルに保存します。データにアクセスするたびに、キャッシュが有効かどうかを確認し、有効な場合はキャッシュ値を返します。
ただし、smarty を使用しない場合は、APC をそのまま使用できます。
この例では、DB クエリの結果をキャッシュに保存します。同様に、これを変更して、代わりにページ出力全体を保存することもできるため、高価な実行を行う必要はありません。 PHP は頻繁に機能します。
// A class to make APC management easier
class CacheManager
{
public function get($key)
{
return apc_fetch($key);
}
public function store($key, $data, $ttl)
{
return apc_store($key, $data, $ttl);
}
public function delete($key)
{
return apc_delete($key);
}
}
いくつかのロジックと組み合わせると、
function getNews()
{
$query_string = 'SELECT * FROM news ORDER BY date_created DESC limit 5';
// see if this is cached first...
if($data = CacheManager::get(md5($query_string)))
{
// It was stored, return the value
$result = $data;
}
else
{
// It wasn't stored, so run the query
$result = mysql_query($query_string, $link);
$resultsArray = array();
while($line = mysql_fetch_object($result))
{
$resultsArray[] = $line;
}
// Save the result inside the cache for 3600 seconds
CacheManager::set(md5($query_string), $resultsArray, 3600);
}
// Continue on with more functions if necessary
}
この例は、 hereからわずかに変更されています。