2

我们有一个网页想限制 uo 到 100 人可以同时访问,所以我们使用一个 memcached 来实现一个全局计数器,例如

我们正在使用http://www.php.net/manual/en/class.memcache.php所以没有cas,当前代码类似于

$count = $memcache_obj->get('count');
if ($count < 100) {
   $memcache_obj->set('count', $count+1);
   echo "Welcome";
} else {
   echo "No luck";
}

如您所见,上述代码中存在竞争条件,但如果我们不打算替换memcached支持的扩展cas,它是否能够仅使用 PHP 代码来支持它?

4

4 回答 4

8

作为对“emcconville”的回答。即使没有 CAS,这也是非阻塞的。

如果您关心竞态条件,并且计数值是完全任意的,您可以Memcache::increment在任何业务逻辑之前直接使用。

增量方法将在增量发生后返回当前值;其中,您可以比较结果。如果 key 尚未设置,increment 也将返回false ;允许您的应用程序根据需要处理它。

$current = $memcache_obj->increment('count');

if($current === false) {

  // NOT_FOUND, so let's create it
  // Will return false if has just been created by someone else.
  $memcache_obj->add('count',0); // <-- no risk of race-condition

  // At this point 'count' key is created by us or someone else (other server/process).
  // "increment" will update 0 or whatever it is at the moment by 1.
  $current = $memcache_obj->increment('count')
  echo "You are the $current!";

} 
if ($current < 100) {

  echo "Hazah! You are under the limit. Congrats!";

} else {

  echo "Ah Snap! No Luck - you reached the limit.";
  // If your worried about the value growing _too_ big, just drop the value down.
  // $memcache_obj->decrement('count');

}
于 2013-08-29T22:05:33.067 回答
6

如果您关心竞态条件,并且计数值是完全任意的,您可以Memcache::increment在任何业务逻辑之前直接使用。

增量方法将在增量发生后返回当前值;其中,您可以比较结果。如果 key 尚未设置,increment 也将返回false ;允许您的应用程序根据需要处理它。

$current = $memcache_obj->increment('count');

if($current === false) {

  // NOT_FOUND, so let's create it
  $memcache_obj->set('count',1); // <-- still risk of race-condition
  echo "Your the first!";

} else if ($current < 100) {

  echo "Hazah! Your under the limit.";

} else {

  echo "Ah Snap! No Luck";
  // If your worried about the value growing _too_ big, just drop the value down.
  // $memcache_obj->decrement('count');

}
于 2012-10-30T14:22:30.667 回答
2
function memcache_atomic_increment($counter_name, $delta = 1) {

    $mc = new Memcache;
    $mc->connect('localhost', 11211) or die("Could not connect");

    while (($mc->increment($counter_name, $delta) === false) &&
           ($mc->add($counter_name, ($delta<0)?0:$delta, 0, 0) === false)) {
        // loop until one of them succeeds
    }

    return intval($mc->get($counter_name));
}
于 2014-11-21T10:41:21.983 回答
-1

中的注释Memcache::add包括一个示例锁定功能,您尝试过吗?

于 2012-10-30T04:41:37.733 回答