1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
|
/**
* 判断该员工是否在白名单内:只允许部分员工可以正常使用 xxx 系统,其他人则跳转到登陆界面
* @param int $staffId
* @return bool 返回 true 表示该员工在白名单内,允许正常使用 xxx 系统
*/
public function isInWhiteList(int $staffId): bool
{
// 是否启用白名单功能
if (!config('white_list.is_enable')) {
return true;
}
// 白名单名额
$whiteListNumber = (int)config('white_list.number');
if ($whiteListNumber <= 0) {
return false;
}
$redis = Redis::connection('default');
$cacheKeyPrefix = config('white_list.cache_key_prefix');
$cacheKeyListInit = $cacheKeyPrefix . config('white_list.cache_key_list_init');
$cacheKeyList = $cacheKeyPrefix . config('white_list.cache_key_list');
$cacheKeyHash = $cacheKeyPrefix . config('white_list.cache_key_hash');
$cacheTTL = config('white_list.cache_ttl');
// 判断该员工是否在白名单中
if ($redis->exists($cacheKeyHash) && $redis->hexists($cacheKeyHash, $staffId)) {
return true;
}
// 初始化令牌队列
if (!$redis->exists($cacheKeyListInit)) {
if (!RedisHelper::setNxWithTTL("{$cacheKeyListInit}_nx", 1, config('cache.one_hour'))) {
return true;
}
$redis->rpush($cacheKeyListInit, array_fill(0, $whiteListNumber, 1));
$redis->expire($cacheKeyListInit, $cacheTTL);
}
// 支持临时追加白名单名额
$length = $redis->llen($cacheKeyListInit);
if ($length < $whiteListNumber) {
if (!RedisHelper::setNxWithTTL("{$cacheKeyListInit}_nx_{$whiteListNumber}", 1, config('cache.one_hour'))) {
return false;
}
$redis->rpush($cacheKeyListInit, array_fill($length - 1, $whiteListNumber - $length, 1));
$redis->expire($cacheKeyListInit, $cacheTTL);
}
// 避免并发情况下,同一员工占用多个白名单名额
if (!$redis->hsetnx($cacheKeyHash, $staffId, 1)) {
return true;
}
$index = $redis->rpush($cacheKeyList, [$staffId]);
$ret = $redis->lindex($cacheKeyListInit, $index - 1);
// 手慢了,白名单名额已被抢完
if (empty($ret)) {
$redis->rpop($cacheKeyList);
$redis->hdel($cacheKeyHash, [$staffId]);
return false;
}
$redis->expire($cacheKeyList, $cacheTTL);
$redis->expire($cacheKeyHash, $cacheTTL);
return true;
}
|