4 votes

Mise en cache des résultats des fonctions en PHP

Je crée un outil simple pour mettre en cache les résultats des fonctions.

On dirait :

global $function_results;
$function_results = array();

function getMembers($conditions, $default = array('order' => 'name', array('abc', 'def'))){

    //****Help need from here******
    //make unique id from parameters value and function name
    //ex: $uid;
    //****to here******

    global $function_results;
    if(isset($function_results[$uid])) return $function_results[$uid];
    else{
        //do function logic...
    }
}

(la fonction et ses paramètres sont juste un exemple)

Des suggestions ?

10voto

Alec Smart Points 14075

Voici votre code manquant :

$numargs = func_num_args();
$arg_list = func_get_args();
$md5this = '';
for ($i = 0; $i < $numargs; $i++) {
    $md5this .= $i.':'.serialize($arg_list[$i]).';';
}
$uid = md5($md5this);

Pour votre référence : http://php.net/manual/en/function.func-get-args.php

5voto

Raine Points 857

Voici un générique mémorisation qui est compatible avec PHP 5.2.x.

La fonction call_memoized :

  1. Génère une clé de cache unique basée sur le nom de la fonction et les arguments.
  2. Si le cache est vide, invoque la fonction et met à jour le cache avec le résultat.
  3. Renvoie la valeur mise en cache.

Au lieu d'utiliser directement call_memoized, utilisez la fonction memoize fournie, qui renvoie une nouvelle version de la fonction donnée qui mettra automatiquement en cache les résultats de la même combinaison de paramètres.

Voir l'exemple ci-dessous.

Profitez-en !

global $MEMO_CACHE;
$MEMO_CACHE = array();

/** Returns the result of the function with the given arguments. 
 * Invokes the function only once, thereafter returns the result 
 * cached by a key based on the function name and arguments. */
function call_memoized($fun, $args=array()) {
    global $MEMO_CACHE;

    // generate a cache key based on the function name and arguments
    $uid = md5(
        implode("|", array_merge((array)$fun, array_map(
            "serialize",
            $args)
        ))
    );

    // if there result hasn't been cached, call the function 
    // and update the cache with the result.
    if(!array_key_exists($uid, $MEMO_CACHE)) {
        $MEMO_CACHE[$uid] = call_user_func_array($fun, $args);
    }

    return $MEMO_CACHE[$uid];
}

/** Returns a memoized version of the given function that will cache 
 * its results for each unique set of inputs. */
function memoize($fun) {
    return create_function(
        '', 
        "\$args = func_get_args(); return call_memoized('$fun', \$args);"
    );
}

Exemple :

/** Returns a random number with the given greeting. */
function random($greeting) {
    return "$greeting! " . rand();
};

print("Five random numbers:</br />");
for($i=0; $i<5; $i++) {
    print(random("Spin the wheel") . "<br />");
}
print "<br />";

print("After memoizing the random function, it's not so random:<br />");
$not_so_random = memoize("random");
for($i=0; $i<5; $i++) {
    print($not_so_random("Spin the wheel") . "<br />");
}
print "<br />";

print("The same memoized function is invoked with a different argument, and 
       thus creates a different cache key:<br />");
for($i=0; $i<5; $i++) {
    print($not_so_random("Twirl the tire") . "<br />");
}

/* OUTPUT

Five random numbers:
Spin the wheel! 26488
Spin the wheel! 20049
Spin the wheel! 14006
Spin the wheel! 28599
Spin the wheel! 804

After memoizing the random function, it's not so random:
Spin the wheel! 32397
Spin the wheel! 32397
Spin the wheel! 32397
Spin the wheel! 32397
Spin the wheel! 32397

The same memoized function is invoked with a different argument, and 
thus creates a different cache key:
Twirl the tire! 2114
Twirl the tire! 2114
Twirl the tire! 2114
Twirl the tire! 2114
Twirl the tire! 2114
*/

3voto

Crozin Points 22346

Je suppose $conditions est un tableau de certaines valeurs et vous voulez créer un identifiant unique pour chaque variante de ce tableau ? Il y a plusieurs façons de le faire, par exemple.. :

$uid = md5(serialize($conditions));

3voto

Ihor Burlachenko Points 2037

Jetez un coup d'œil à mémorisé de l'implémentation de la fonction Nspl :

function memoized(callable $function)
{
    return function() use ($function) {
        static $memory = array();
        $args = func_get_args();
        $key = serialize($args);
        if (!isset($memory[$key]) && !array_key_exists($key, $memory)) {
            $memory[$key] = call_user_func_array($function, $args);
        }

        return $memory[$key];
    };
}

Ou si vous cherchez à mettre en cache les résultats des fonctions entre les requêtes du serveur, vous pouvez utiliser Cachalot :

$cache = new \Cachalot\ApcCache();
$result = $cache->getCached($function, $args);

Différents back-ends sont supportés : Apc, Xcache, Memcached, Redis, Couchbase.

Prograide.com

Prograide est une communauté de développeurs qui cherche à élargir la connaissance de la programmation au-delà de l'anglais.
Pour cela nous avons les plus grands doutes résolus en français et vous pouvez aussi poser vos propres questions ou résoudre celles des autres.

Powered by:

X