1
This commit is contained in:
282
common/helper/binancehttphelper.go
Normal file
282
common/helper/binancehttphelper.go
Normal file
@ -0,0 +1,282 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"crypto/hmac"
|
||||
"crypto/sha256"
|
||||
"crypto/tls"
|
||||
"encoding/hex"
|
||||
"fmt"
|
||||
"io/ioutil"
|
||||
"net/http"
|
||||
"net/url"
|
||||
"reflect"
|
||||
"strconv"
|
||||
"strings"
|
||||
"time"
|
||||
|
||||
"github.com/shopspring/decimal"
|
||||
)
|
||||
|
||||
type BinanceClient struct {
|
||||
APIKey string
|
||||
APISecret string
|
||||
HTTPClient *http.Client
|
||||
SpotBaseURL string //现货api地址
|
||||
FutBaseURL string //合约api地址
|
||||
}
|
||||
|
||||
// NewBinanceClient creates a new Binance client
|
||||
func NewBinanceClient(apiKey, apiSecret string, proxyType, proxyAddr string) (*BinanceClient, error) {
|
||||
// Create HTTP client with transport settings
|
||||
client := &http.Client{
|
||||
Transport: &http.Transport{
|
||||
MaxIdleConns: 1000,
|
||||
IdleConnTimeout: 10 * time.Second, // 设置超时 10 秒
|
||||
TLSClientConfig: &tls.Config{InsecureSkipVerify: true},
|
||||
},
|
||||
}
|
||||
err := CreateHtppProxy(proxyType, proxyAddr, client)
|
||||
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
return &BinanceClient{
|
||||
APIKey: apiKey,
|
||||
APISecret: apiSecret,
|
||||
HTTPClient: client,
|
||||
SpotBaseURL: "https://api.binance.com",
|
||||
FutBaseURL: "https://fapi.binance.com",
|
||||
}, nil
|
||||
}
|
||||
|
||||
// Helper to get proxy password from URL
|
||||
func getProxyPassword(proxyURL *url.URL) string {
|
||||
if password, ok := proxyURL.User.Password(); ok {
|
||||
return password
|
||||
}
|
||||
return ""
|
||||
}
|
||||
|
||||
// signRequest generates HMAC SHA256 signature
|
||||
func (bc *BinanceClient) signRequest(query string) string {
|
||||
mac := hmac.New(sha256.New, []byte(bc.APISecret))
|
||||
mac.Write([]byte(query))
|
||||
return hex.EncodeToString(mac.Sum(nil))
|
||||
}
|
||||
|
||||
/*
|
||||
binance 现货请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendSpotRequest(endpoint string, method string, params map[string]string) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.SpotBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 0)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 现货请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendSpotRequestAuth(endpoint string, method string, params map[string]string) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.SpotBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 2)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 现货请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendSpotAuth(endpoint string, method string, params interface{}) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.SpotBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 2)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 现货请求 只需要api key
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendSpotRequestByKey(endpoint string, method string, params interface{}) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.SpotBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 1)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 合约请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendFuturesRequest(endpoint string, method string, params map[string]string) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.FutBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 0)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 合约请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendFuturesRequestAuth(endpoint string, method string, params map[string]string) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.FutBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 2)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 合约请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendFuturesRequestByKey(endpoint string, method string, params map[string]string) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.FutBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 1)
|
||||
}
|
||||
|
||||
/*
|
||||
binance 合约请求
|
||||
|
||||
- @endpoint 路由
|
||||
- @method get、post
|
||||
- @params 参数map
|
||||
*/
|
||||
func (bc *BinanceClient) SendFuturesAuth(endpoint string, method string, params interface{}) ([]byte, int, error) {
|
||||
// Prepare URL
|
||||
reqURL := bc.FutBaseURL + endpoint
|
||||
|
||||
return bc.SendRequest(reqURL, method, params, 2)
|
||||
}
|
||||
|
||||
// SendRequest sends a request to Binance API
|
||||
/*
|
||||
发送请求
|
||||
- auth 0-不需要 1-只需要key 2-需要key和签名
|
||||
*/
|
||||
func (bc *BinanceClient) SendRequest(reqURL string, method string, params interface{}, auth int) ([]byte, int, error) {
|
||||
method = strings.ToUpper(method)
|
||||
reqParams := url.Values{}
|
||||
|
||||
// 处理 `params`,如果是 map[string]string 则添加为 URL 参数
|
||||
if paramMap, ok := params.(map[string]string); ok {
|
||||
for k, v := range paramMap {
|
||||
reqParams.Add(k, v)
|
||||
}
|
||||
} else if v := reflect.ValueOf(params); v.Kind() == reflect.Struct {
|
||||
for i := 0; i < v.NumField(); i++ {
|
||||
field := v.Type().Field(i)
|
||||
value := v.Field(i)
|
||||
|
||||
// 获取字段名或 JSON 标签名
|
||||
key := field.Tag.Get("json")
|
||||
if key == "" {
|
||||
key = field.Name // 如果没有 json 标签,使用字段名
|
||||
}
|
||||
|
||||
// 检查字段类型并转换为对应的字符串
|
||||
var strValue string
|
||||
switch value.Kind() {
|
||||
case reflect.String:
|
||||
strValue = value.String()
|
||||
case reflect.Int, reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64:
|
||||
strValue = strconv.FormatInt(value.Int(), 10)
|
||||
case reflect.Uint, reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64:
|
||||
strValue = strconv.FormatUint(value.Uint(), 10)
|
||||
case reflect.Float32, reflect.Float64:
|
||||
strValue = strconv.FormatFloat(value.Float(), 'f', -1, 64)
|
||||
case reflect.Bool:
|
||||
strValue = strconv.FormatBool(value.Bool())
|
||||
case reflect.Struct:
|
||||
// 处理 decimal.Decimal 类型
|
||||
if value.Type() == reflect.TypeOf(decimal.Decimal{}) {
|
||||
strValue = value.Interface().(decimal.Decimal).String()
|
||||
} else {
|
||||
continue // 跳过其他 struct 类型
|
||||
}
|
||||
default:
|
||||
continue // 跳过不支持的类型
|
||||
}
|
||||
// 添加到 reqParams
|
||||
reqParams.Add(key, strValue)
|
||||
}
|
||||
}
|
||||
|
||||
// Add timestamp if signature is needed
|
||||
if auth == 2 && bc.APIKey != "" && bc.APISecret != "" {
|
||||
reqParams.Add("timestamp", fmt.Sprintf("%d", time.Now().UnixMilli()))
|
||||
signature := bc.signRequest(reqParams.Encode())
|
||||
reqParams.Add("signature", signature)
|
||||
}
|
||||
// Create HTTP request
|
||||
var req *http.Request
|
||||
var err error
|
||||
if method == http.MethodGet || method == http.MethodDelete {
|
||||
if len(reqParams) > 0 {
|
||||
reqURL = fmt.Sprintf("%s?%s", reqURL, reqParams.Encode())
|
||||
}
|
||||
req, err = http.NewRequest(method, reqURL, nil)
|
||||
} else {
|
||||
// req.Header.Add("Content-Type", "application/x-www-form-urlencoded")
|
||||
|
||||
if len(reqParams) > 0 {
|
||||
reqURL = fmt.Sprintf("%s?%s", reqURL, reqParams.Encode())
|
||||
}
|
||||
req, err = http.NewRequest(method, reqURL, nil)
|
||||
}
|
||||
if err != nil {
|
||||
return nil, -1, fmt.Errorf("failed to create request: %w", err)
|
||||
}
|
||||
// Set headers
|
||||
if auth > 0 && bc.APIKey != "" {
|
||||
req.Header.Set("X-MBX-APIKEY", bc.APIKey)
|
||||
}
|
||||
// req.Header.Set("Content-Type", "application/x-www-form-urlencoded")
|
||||
|
||||
// Send request
|
||||
resp, err := bc.HTTPClient.Do(req)
|
||||
if err != nil {
|
||||
return nil, -1, fmt.Errorf("failed to send request: %w", err)
|
||||
}
|
||||
defer resp.Body.Close()
|
||||
|
||||
// Read response
|
||||
body, err := ioutil.ReadAll(resp.Body)
|
||||
if err != nil {
|
||||
return nil, -1, fmt.Errorf("failed to read response: %w", err)
|
||||
}
|
||||
|
||||
if resp.StatusCode != http.StatusOK {
|
||||
return nil, resp.StatusCode, fmt.Errorf("%s", body)
|
||||
}
|
||||
|
||||
return body, http.StatusOK, nil
|
||||
}
|
||||
139
common/helper/cache_helper.go
Normal file
139
common/helper/cache_helper.go
Normal file
@ -0,0 +1,139 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"fmt"
|
||||
"time"
|
||||
|
||||
"github.com/bytedance/sonic"
|
||||
"github.com/go-redis/redis/v8"
|
||||
)
|
||||
|
||||
// CacheFunction 通用缓存装饰器,支持任意函数类型
|
||||
func CacheFunctionExpire[T any](fn func(args ...any) (T, error), keyPrefix string, ttl time.Duration) func(args ...any) (T, error) {
|
||||
return func(args ...any) (T, error) {
|
||||
// 创建缓存键,基于函数名和参数
|
||||
cacheKey := fmt.Sprintf("%s:%v", keyPrefix, args)
|
||||
|
||||
// 尝试从 Redis 获取缓存
|
||||
cachedData, err := DefaultRedis.GetString(cacheKey)
|
||||
var zeroT T // 用于返回零值
|
||||
if err == redis.Nil {
|
||||
// 缓存不存在,调用实际函数
|
||||
result, err := fn(args...)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
// 将结果序列化并存入 Redis
|
||||
jsonData, err := sonic.Marshal(result)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
err = DefaultRedis.SetStringExpire(cacheKey, string(jsonData), ttl)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
return result, nil
|
||||
} else if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
// 缓存命中,反序列化结果
|
||||
var result T
|
||||
err = sonic.Unmarshal([]byte(cachedData), &result)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
}
|
||||
|
||||
// CacheFunction 通用缓存装饰器,支持任意函数类型
|
||||
func CacheFunctionNoArgsExpire[T any](fn func() (T, error), keyPrefix string, ttl time.Duration) func() (T, error) {
|
||||
return func() (T, error) {
|
||||
// 创建缓存键,基于函数名和参数
|
||||
cacheKey := keyPrefix
|
||||
|
||||
// 尝试从 Redis 获取缓存
|
||||
cachedData, err := DefaultRedis.GetString(cacheKey)
|
||||
var zeroT T // 用于返回零值
|
||||
if err == redis.Nil {
|
||||
// 缓存不存在,调用实际函数
|
||||
result, err := fn()
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
// 将结果序列化并存入 Redis
|
||||
jsonData, err := sonic.Marshal(result)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
err = DefaultRedis.SetStringExpire(cacheKey, string(jsonData), ttl)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
return result, nil
|
||||
} else if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
// 缓存命中,反序列化结果
|
||||
var result T
|
||||
err = sonic.Unmarshal([]byte(cachedData), &result)
|
||||
if err != nil {
|
||||
return zeroT, err
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
}
|
||||
|
||||
// DeleteCacheFunction 通用删除缓存装饰器
|
||||
func DeleteCacheFunction[T any](fn func(args ...any) (T, error), keyPrefix string) func(args ...any) (T, error) {
|
||||
return func(args ...any) (T, error) {
|
||||
// 调用实际函数
|
||||
result, err := fn(args...)
|
||||
if err != nil {
|
||||
return result, err
|
||||
}
|
||||
|
||||
// 创建缓存键,基于函数名和参数
|
||||
cacheKey := fmt.Sprintf("%s:%v", keyPrefix, args)
|
||||
|
||||
// 从 Redis 删除缓存
|
||||
err = DefaultRedis.DeleteString(cacheKey)
|
||||
if err != nil {
|
||||
return result, fmt.Errorf("failed to delete cache: %w", err)
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
}
|
||||
|
||||
// DeleteCacheFunction 通用删除缓存装饰器
|
||||
func DeleteCacheNoArgsFunction[T any](fn func() (T, error), keyPrefix string) func() (T, error) {
|
||||
return func() (T, error) {
|
||||
// 调用实际函数
|
||||
result, err := fn()
|
||||
if err != nil {
|
||||
return result, err
|
||||
}
|
||||
|
||||
// 创建缓存键,基于函数名和参数
|
||||
cacheKey := keyPrefix
|
||||
|
||||
// 从 Redis 删除缓存
|
||||
err = DefaultRedis.DeleteString(cacheKey)
|
||||
if err != nil {
|
||||
return result, fmt.Errorf("failed to delete cache: %w", err)
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
}
|
||||
79
common/helper/proxy.go
Normal file
79
common/helper/proxy.go
Normal file
@ -0,0 +1,79 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"context"
|
||||
"errors"
|
||||
"fmt"
|
||||
"net"
|
||||
"net/http"
|
||||
"net/url"
|
||||
"strings"
|
||||
|
||||
"golang.org/x/net/proxy"
|
||||
)
|
||||
|
||||
/*
|
||||
创建代理
|
||||
|
||||
- @proxyType 代理类别 http\https\socks5
|
||||
- @proxyAddr 代理地址 userName:password@endpoint:port
|
||||
*/
|
||||
func CreateHtppProxy(proxyType, proxyAddr string, client *http.Client) error {
|
||||
// Set up proxy based on type (HTTP, HTTPS, SOCKS5)
|
||||
transport := &http.Transport{}
|
||||
if proxyAddr != "" {
|
||||
if !strings.HasPrefix(proxyAddr, "http://") && !strings.HasPrefix(proxyAddr, "https://") && !strings.HasPrefix(proxyAddr, "socks5://") {
|
||||
proxyAddr = proxyType + "://" + proxyAddr
|
||||
}
|
||||
|
||||
if proxyType == "" {
|
||||
proxyType = strings.Split(proxyAddr, "://")[0]
|
||||
}
|
||||
|
||||
switch proxyType {
|
||||
case "http", "https":
|
||||
proxyURL, err := url.Parse(proxyAddr)
|
||||
if err != nil {
|
||||
return errors.New(fmt.Sprintf("invalid proxy URL: %w", err))
|
||||
}
|
||||
// Check if proxy URL contains credentials
|
||||
if proxyURL.User != nil {
|
||||
username := proxyURL.User.Username()
|
||||
password, _ := proxyURL.User.Password()
|
||||
transport.Proxy = func(req *http.Request) (*url.URL, error) {
|
||||
req.SetBasicAuth(username, password) // Set basic auth headers
|
||||
return proxyURL, nil
|
||||
}
|
||||
} else {
|
||||
transport.Proxy = http.ProxyURL(proxyURL)
|
||||
}
|
||||
case "socks5":
|
||||
proxyURL, err := url.Parse(proxyAddr)
|
||||
if err != nil {
|
||||
return errors.New(fmt.Sprintf("invalid proxy URL: %w", err))
|
||||
}
|
||||
|
||||
var auth *proxy.Auth
|
||||
if proxyURL.User != nil {
|
||||
auth = &proxy.Auth{
|
||||
User: proxyURL.User.Username(),
|
||||
Password: getProxyPassword(proxyURL),
|
||||
}
|
||||
}
|
||||
|
||||
dialer, err := proxy.SOCKS5("tcp", proxyURL.Host, auth, proxy.Direct)
|
||||
if err != nil {
|
||||
return errors.New(fmt.Sprintf("failed to set up SOCKS5 proxy: %w", err))
|
||||
}
|
||||
transport.DialContext = func(ctx context.Context, network, addr string) (net.Conn, error) {
|
||||
return dialer.Dial(network, addr)
|
||||
}
|
||||
default:
|
||||
return errors.New(fmt.Sprintf("unsupported proxy type: %s", proxyType))
|
||||
}
|
||||
|
||||
client.Transport = transport
|
||||
}
|
||||
|
||||
return nil
|
||||
}
|
||||
695
common/helper/redis_helper.go
Normal file
695
common/helper/redis_helper.go
Normal file
@ -0,0 +1,695 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"context"
|
||||
"errors"
|
||||
"fmt"
|
||||
"log"
|
||||
"reflect"
|
||||
"strconv"
|
||||
"time"
|
||||
|
||||
"github.com/bytedance/sonic"
|
||||
"github.com/go-redis/redis/v8"
|
||||
)
|
||||
|
||||
// RedisHelper 结构体封装了 Redis 客户端及上下文
|
||||
type RedisHelper struct {
|
||||
client *redis.Client // Redis 客户端
|
||||
ctx context.Context // 上下文
|
||||
emptyCacheValue string // 缓存空值的标志
|
||||
}
|
||||
|
||||
var DefaultRedis *RedisHelper
|
||||
|
||||
// 初始化默认链接
|
||||
func InitDefaultRedis(addr, password string, db int) {
|
||||
if DefaultRedis == nil {
|
||||
DefaultRedis = NewRedisHelper(addr, password, db)
|
||||
}
|
||||
|
||||
log.Printf("初始化redis链接")
|
||||
}
|
||||
|
||||
// NewRedisHelper 创建一个新的 RedisHelper 实例
|
||||
func NewRedisHelper(addr, password string, db int) *RedisHelper {
|
||||
rdb := redis.NewClient(&redis.Options{
|
||||
Addr: addr, // Redis 服务器地址
|
||||
Password: password, // Redis 密码
|
||||
DB: db, // 使用的数据库编号
|
||||
PoolSize: 50,
|
||||
MinIdleConns: 10,
|
||||
DialTimeout: 10 * time.Second, // 调整连接超时时间
|
||||
ReadTimeout: 10 * time.Second, // 调整读超时时间
|
||||
WriteTimeout: 10 * time.Second, // 调整写超时时间
|
||||
})
|
||||
|
||||
return &RedisHelper{
|
||||
client: rdb,
|
||||
ctx: context.Background(), // 创建背景上下文
|
||||
}
|
||||
}
|
||||
|
||||
// 测试连接
|
||||
func (r *RedisHelper) Ping() error {
|
||||
return r.client.Ping(r.ctx).Err()
|
||||
}
|
||||
|
||||
// SetString 设置字符串值
|
||||
func (r *RedisHelper) SetString(key, value string) error {
|
||||
return r.client.Set(r.ctx, key, value, 0).Err() // 将值存储到指定的键
|
||||
}
|
||||
|
||||
// 批量设置
|
||||
func (r *RedisHelper) BatchSet(maps *map[string]string) error {
|
||||
pipe := r.client.Pipeline()
|
||||
|
||||
for key, val := range *maps {
|
||||
pipe.Set(r.ctx, key, val, 0)
|
||||
}
|
||||
|
||||
_, err := pipe.Exec(r.ctx)
|
||||
|
||||
return err
|
||||
}
|
||||
|
||||
// SetString 设置字符串值
|
||||
func (r *RedisHelper) SetStringExpire(key, value string, expireTime time.Duration) error {
|
||||
return r.client.Set(r.ctx, key, value, expireTime).Err() // 将值存储到指定的键
|
||||
}
|
||||
|
||||
// SetString 设置字符串值
|
||||
func (r *RedisHelper) SetAdd(key, value string, expireTime time.Duration) error {
|
||||
// 存储到 SET 中
|
||||
result, err := r.client.SAdd(r.ctx, key, value).Result()
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
if result == 1 {
|
||||
// 设置 SET 的过期时间
|
||||
err = r.client.Expire(r.ctx, key, expireTime).Err()
|
||||
if err != nil {
|
||||
return errors.New("设置过期时间失败:" + err.Error())
|
||||
}
|
||||
|
||||
return nil
|
||||
} else {
|
||||
return errors.New("key已存在")
|
||||
}
|
||||
}
|
||||
|
||||
// 设置对象
|
||||
func SetObjString[T any](r *RedisHelper, key string, value T) error {
|
||||
keyValue, err := sonic.Marshal(value)
|
||||
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
return r.SetString(key, string(keyValue))
|
||||
}
|
||||
|
||||
// 获取对象
|
||||
func GetObjString[T any](r *RedisHelper, key string) (T, error) {
|
||||
var result T
|
||||
value, err := r.GetString(key)
|
||||
|
||||
if err != nil {
|
||||
return result, err
|
||||
}
|
||||
|
||||
err = sonic.Unmarshal([]byte(value), &result)
|
||||
|
||||
if err != nil {
|
||||
return result, err
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
|
||||
func (r *RedisHelper) Get(key string) *redis.StringCmd {
|
||||
return r.client.Get(r.ctx, key)
|
||||
}
|
||||
|
||||
/*
|
||||
获取剩余时间
|
||||
- @key redis key
|
||||
*/
|
||||
func (r *RedisHelper) TTL(key string) *redis.DurationCmd {
|
||||
return r.client.TTL(r.ctx, key)
|
||||
}
|
||||
|
||||
// GetString 获取字符串值
|
||||
func (r *RedisHelper) GetString(key string) (string, error) {
|
||||
return r.client.Get(r.ctx, key).Result() // 从指定的键获取值
|
||||
}
|
||||
|
||||
// DeleteString 删除字符串键
|
||||
func (r *RedisHelper) DeleteString(key string) error {
|
||||
return r.client.Del(r.ctx, key).Err() // 删除指定的键
|
||||
}
|
||||
|
||||
// DeleteString 删除目录下所有key
|
||||
func (r *RedisHelper) DeleteAll(key string) error {
|
||||
keys, err := r.ScanKeys(key)
|
||||
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
_, err = r.BatchDeleteKeys(keys)
|
||||
return err
|
||||
}
|
||||
|
||||
/*
|
||||
递增
|
||||
- @key rediskey
|
||||
*/
|
||||
func (r *RedisHelper) Incr(key string) *redis.IntCmd {
|
||||
return r.client.Incr(r.ctx, key)
|
||||
}
|
||||
|
||||
/*
|
||||
设置过期时间
|
||||
- @key redis key
|
||||
- @expiration 过期时间
|
||||
*/
|
||||
func (r *RedisHelper) Expire(key string, expiration time.Duration) *redis.BoolCmd {
|
||||
return r.client.Expire(r.ctx, key, expiration)
|
||||
}
|
||||
|
||||
/*
|
||||
批量删除
|
||||
|
||||
- @keys 键数组
|
||||
*/
|
||||
func (r *RedisHelper) BatchDeleteKeys(keys []string) (int, error) {
|
||||
if r.client == nil {
|
||||
return 0, errors.New("Redis client is nil")
|
||||
}
|
||||
if len(keys) == 0 {
|
||||
return 0, nil
|
||||
}
|
||||
|
||||
deletedCount := 0
|
||||
batchSize := 1000 // 每批次删除的键数量
|
||||
for i := 0; i < len(keys); i += batchSize {
|
||||
end := i + batchSize
|
||||
if end > len(keys) {
|
||||
end = len(keys)
|
||||
}
|
||||
batch := keys[i:end]
|
||||
|
||||
_, err := r.client.Pipelined(r.ctx, func(pipe redis.Pipeliner) error {
|
||||
for _, key := range batch {
|
||||
pipe.Del(r.ctx, key)
|
||||
deletedCount++
|
||||
}
|
||||
return nil
|
||||
})
|
||||
if err != nil {
|
||||
return deletedCount, fmt.Errorf("failed to delete keys in batch: %v", err)
|
||||
}
|
||||
}
|
||||
|
||||
return deletedCount, nil
|
||||
}
|
||||
|
||||
// DeleteKeysByPrefix 删除指定前缀的键
|
||||
func (r *RedisHelper) DeleteKeysByPrefix(prefixes ...string) error {
|
||||
ctx := context.Background()
|
||||
// 遍历每个前缀
|
||||
for _, prefix := range prefixes {
|
||||
var cursor uint64
|
||||
var keys []string
|
||||
|
||||
// 使用 SCAN 命令查找匹配的键
|
||||
for {
|
||||
var err error
|
||||
keys, cursor, err = r.client.Scan(ctx, cursor, prefix+"*", 1000).Result()
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
// 删除匹配的键
|
||||
if len(keys) > 0 {
|
||||
_, err := r.client.Del(ctx, keys...).Result()
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
fmt.Printf("Deleted keys with prefix '%s': %v\n", prefix, keys)
|
||||
}
|
||||
|
||||
// 如果游标为 0,表示迭代结束
|
||||
if cursor == 0 {
|
||||
break
|
||||
}
|
||||
}
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
// 查找所有value
|
||||
func (r *RedisHelper) GetAllKeysAndValues(pattern string) ([]string, error) {
|
||||
var cursor uint64
|
||||
var result = []string{}
|
||||
|
||||
for {
|
||||
// 使用 SCAN 命令获取匹配的键
|
||||
keys, nextCursor, err := r.client.Scan(r.ctx, cursor, pattern+"*", 1000).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error scanning keys: %v", err)
|
||||
return nil, err
|
||||
}
|
||||
|
||||
// 处理匹配到的键
|
||||
for _, key := range keys {
|
||||
value, err := r.client.Get(r.ctx, key).Result()
|
||||
if err != nil {
|
||||
if err == redis.Nil {
|
||||
fmt.Printf("Key %s does not exist\n", key)
|
||||
} else {
|
||||
fmt.Printf("Error getting value for key %s: %v", key, err)
|
||||
}
|
||||
} else {
|
||||
result = append(result, value)
|
||||
}
|
||||
}
|
||||
|
||||
// 如果 cursor 为 0,表示扫描完成
|
||||
if nextCursor == 0 {
|
||||
break
|
||||
}
|
||||
cursor = nextCursor
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
|
||||
// LPushList 将一个或多个值插入到列表的头部
|
||||
func (r *RedisHelper) LPushList(key string, values ...string) error {
|
||||
return r.client.LPush(r.ctx, key, values).Err() // 将值插入到列表的头部
|
||||
}
|
||||
|
||||
// RPushList 将一个或多个值插入到列表的尾部
|
||||
func (r *RedisHelper) RPushList(key string, values ...string) error {
|
||||
return r.client.RPush(r.ctx, key, values).Err() // 将值插入到列表的尾部
|
||||
}
|
||||
|
||||
// LPopList 从列表的头部弹出一个元素
|
||||
func (r *RedisHelper) LPopList(key string) (string, error) {
|
||||
return r.client.LPop(r.ctx, key).Result() // 从列表的头部移除并返回第一个元素
|
||||
}
|
||||
|
||||
// RPopList 从列表的尾部弹出一个元素
|
||||
func (r *RedisHelper) RPopList(key string) (string, error) {
|
||||
return r.client.RPop(r.ctx, key).Result() // 从列表的尾部移除并返回最后一个元素
|
||||
}
|
||||
|
||||
// LRangeList 获取列表中指定范围的元素
|
||||
func (r *RedisHelper) LRangeList(key string, start, stop int64) ([]string, error) {
|
||||
return r.client.LRange(r.ctx, key, start, stop).Result() // 获取列表中指定范围的元素
|
||||
}
|
||||
|
||||
// GetAllList 获取列表中的所有元素
|
||||
func (r *RedisHelper) GetAllList(key string) ([]string, error) {
|
||||
values, err := r.client.LRange(r.ctx, key, 0, -1).Result()
|
||||
if err == redis.Nil {
|
||||
return nil, nil
|
||||
} else if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
// 检查是否包含空值标志
|
||||
if len(values) == 1 && values[0] == r.emptyCacheValue {
|
||||
return nil, nil
|
||||
}
|
||||
|
||||
return values, nil
|
||||
}
|
||||
|
||||
func (r *RedisHelper) LRem(key, val string) (int64, error) {
|
||||
count := 0 // 删除所有与 valueToRemove 相等的元素
|
||||
result, err := r.client.LRem(r.ctx, key, int64(count), val).Result()
|
||||
if err != nil {
|
||||
fmt.Printf("删除元素失败: %v\n", err)
|
||||
}
|
||||
|
||||
return result, nil
|
||||
}
|
||||
|
||||
func (r *RedisHelper) IsElementInList(key string, element string) (bool, error) {
|
||||
var cursor int64 = 0
|
||||
const batchSize int64 = 1000 // 每批次获取的元素数量
|
||||
|
||||
for {
|
||||
// 分批次获取列表元素
|
||||
elements, err := r.client.LRange(r.ctx, key, cursor, cursor+batchSize-1).Result()
|
||||
if err != nil {
|
||||
return false, err
|
||||
}
|
||||
if len(elements) == 0 {
|
||||
break // 没有更多数据
|
||||
}
|
||||
|
||||
// 遍历当前批次的元素
|
||||
for _, e := range elements {
|
||||
if e == element {
|
||||
return true, nil
|
||||
}
|
||||
}
|
||||
|
||||
cursor += batchSize // 移动到下一批次
|
||||
}
|
||||
|
||||
return false, nil
|
||||
}
|
||||
|
||||
/*
|
||||
SetListCache 重新设置列表缓存
|
||||
- @expiration 0-过期 1-过期时间
|
||||
*/
|
||||
func (r *RedisHelper) SetListCache(key string, expiration time.Duration, values ...string) error {
|
||||
tempKey := key + ":temp"
|
||||
|
||||
// 使用事务来确保操作的原子性
|
||||
pipe := r.client.TxPipeline()
|
||||
|
||||
// 将新数据插入到临时列表中
|
||||
pipe.RPush(r.ctx, tempKey, values)
|
||||
|
||||
// 重命名临时列表为目标列表
|
||||
pipe.Rename(r.ctx, tempKey, key)
|
||||
|
||||
if expiration > 0 {
|
||||
// 设置目标列表的过期时间
|
||||
pipe.Expire(r.ctx, key, expiration)
|
||||
}
|
||||
|
||||
// 执行事务
|
||||
_, err := pipe.Exec(r.ctx)
|
||||
return err
|
||||
}
|
||||
|
||||
// SetEmptyListCache 设置空值缓存
|
||||
func (r *RedisHelper) SetEmptyListCache(key string, expiration time.Duration) error {
|
||||
// 使用一个特殊标志值表示列表为空
|
||||
_, err := r.client.RPush(r.ctx, key, r.emptyCacheValue).Result()
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
// 设置列表的过期时间
|
||||
return r.client.Expire(r.ctx, key, expiration).Err()
|
||||
}
|
||||
|
||||
// scanKeys 使用 SCAN 命令获取所有匹配的键
|
||||
func (r *RedisHelper) ScanKeys(pattern string) ([]string, error) {
|
||||
|
||||
var cursor uint64
|
||||
var keys []string
|
||||
for {
|
||||
var newKeys []string
|
||||
var err error
|
||||
|
||||
// SCAN 命令每次返回部分匹配的键
|
||||
newKeys, cursor, err = r.client.Scan(r.ctx, cursor, pattern, 1000).Result()
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
keys = append(keys, newKeys...)
|
||||
if cursor == 0 {
|
||||
break
|
||||
}
|
||||
}
|
||||
return keys, nil
|
||||
}
|
||||
|
||||
// 泛型函数,用于获取所有键的列表数据并合并为一个数组
|
||||
func GetAndMergeLists[T any](r *RedisHelper, keys []string) ([]T, error) {
|
||||
var combinedList []T
|
||||
for _, key := range keys {
|
||||
// 获取每个键的列表数据
|
||||
listData, err := r.client.LRange(r.ctx, key, 0, -1).Result()
|
||||
if err != nil {
|
||||
return nil, err
|
||||
}
|
||||
|
||||
// 解码每个数据项为类型 T,并添加到结果列表中
|
||||
for _, data := range listData {
|
||||
var item T
|
||||
if err := sonic.Unmarshal([]byte(data), &item); err != nil {
|
||||
return nil, err
|
||||
}
|
||||
combinedList = append(combinedList, item)
|
||||
}
|
||||
}
|
||||
return combinedList, nil
|
||||
}
|
||||
|
||||
// SetNX 实现类似于 Redis 的 SETNX 命令
|
||||
func (r *RedisHelper) SetNX(key string, value interface{}, expiration time.Duration) (bool, error) {
|
||||
result, err := r.client.Set(r.ctx, key, value, expiration).Result()
|
||||
if err != nil {
|
||||
return false, err
|
||||
}
|
||||
|
||||
// 如果键不存在则 result 会等于 "OK"
|
||||
return result == "OK", nil
|
||||
}
|
||||
|
||||
func getFieldsFromStruct(obj interface{}) map[string]interface{} {
|
||||
fields := make(map[string]interface{})
|
||||
val := reflect.ValueOf(obj)
|
||||
typ := reflect.TypeOf(obj)
|
||||
|
||||
for i := 0; i < val.NumField(); i++ {
|
||||
field := typ.Field(i)
|
||||
tag := field.Tag.Get("redis")
|
||||
if tag != "" {
|
||||
fieldVal := val.Field(i)
|
||||
if fieldVal.Kind() == reflect.Slice || fieldVal.Kind() == reflect.Map {
|
||||
// 处理切片或映射类型
|
||||
// 对于切片,使用索引作为字段名
|
||||
if fieldVal.Kind() == reflect.Slice {
|
||||
for j := 0; j < fieldVal.Len(); j++ {
|
||||
elem := fieldVal.Index(j).Interface()
|
||||
fields[fmt.Sprintf("%s_%d", tag, j)] = elem
|
||||
}
|
||||
} else if fieldVal.Kind() == reflect.Map {
|
||||
// 对于映射,使用键作为字段名
|
||||
for _, key := range fieldVal.MapKeys() {
|
||||
elem := fieldVal.MapIndex(key).Interface()
|
||||
fields[fmt.Sprintf("%s_%v", tag, key.Interface())] = elem
|
||||
}
|
||||
}
|
||||
} else {
|
||||
fields[tag] = fieldVal.Interface()
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return fields
|
||||
}
|
||||
|
||||
func (r *RedisHelper) SetHashWithTags(key string, obj interface{}) error {
|
||||
fields := getFieldsFromStruct(obj)
|
||||
_, err := r.client.HSet(r.ctx, key, fields).Result()
|
||||
return err
|
||||
}
|
||||
|
||||
// HSetField 设置哈希中的一个字段
|
||||
func (r *RedisHelper) HSetField(key, field string, value interface{}) error {
|
||||
_, err := r.client.HSet(r.ctx, key, field, value).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error setting field %s in hash %s: %v", field, key, err)
|
||||
return err
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
// HSetMultipleFields 设置哈希中的多个字段
|
||||
func (r *RedisHelper) HSetMultipleFields(key string, fields map[string]interface{}) error {
|
||||
_, err := r.client.HSet(r.ctx, key, fields).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error setting multiple fields in hash %s: %v", key, err)
|
||||
return err
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
// HGetField 获取哈希中某个字段的值
|
||||
func (r *RedisHelper) HGetField(key, field string) (string, error) {
|
||||
val, err := r.client.HGet(r.ctx, key, field).Result()
|
||||
if err != nil {
|
||||
if err == redis.Nil {
|
||||
return "", nil // Field does not exist
|
||||
}
|
||||
log.Printf("Error getting field %s from hash %s: %v", field, key, err)
|
||||
return "", err
|
||||
}
|
||||
return val, nil
|
||||
}
|
||||
|
||||
// HGetAllFields 获取哈希中所有字段的值
|
||||
func (r *RedisHelper) HGetAllFields(key string) (map[string]string, error) {
|
||||
fields, err := r.client.HGetAll(r.ctx, key).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error getting all fields from hash %s: %v", key, err)
|
||||
return nil, err
|
||||
}
|
||||
return fields, nil
|
||||
}
|
||||
|
||||
// HDelField 删除哈希中的某个字段
|
||||
func (r *RedisHelper) HDelField(key, field string) error {
|
||||
_, err := r.client.HDel(r.ctx, key, field).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error deleting field %s from hash %s: %v", field, key, err)
|
||||
return err
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
// 删除哈希
|
||||
func (r *RedisHelper) HDelAll(key string) error {
|
||||
_, err := r.client.Del(r.ctx, key).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error deleting from hash %s: %v", key, err)
|
||||
return err
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
// HKeys 获取哈希中所有字段的名字
|
||||
func (r *RedisHelper) HKeys(key string) ([]string, error) {
|
||||
fields, err := r.client.HKeys(r.ctx, key).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error getting keys from hash %s: %v", key, err)
|
||||
return nil, err
|
||||
}
|
||||
return fields, nil
|
||||
}
|
||||
|
||||
// DelSet 从集合中删除元素
|
||||
func (r *RedisHelper) DelSet(key string, value string) error {
|
||||
_, err := r.client.SRem(r.ctx, key, value).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error del value from set %s: %v", key, err)
|
||||
return err
|
||||
}
|
||||
return nil
|
||||
}
|
||||
|
||||
func (r *RedisHelper) Sismember(key string, value string) (bool, error) {
|
||||
result, err := r.client.SIsMember(r.ctx, key, value).Result()
|
||||
if err != nil {
|
||||
log.Printf("Error Sismember value from set %s: %v", key, err)
|
||||
}
|
||||
return result, err
|
||||
}
|
||||
|
||||
// sort set start
|
||||
// 批量添加
|
||||
func (r *RedisHelper) BatchSortSet(key string, array []*redis.Z) error {
|
||||
pipe := r.client.Pipeline()
|
||||
for _, val := range array {
|
||||
pipe.ZAdd(r.ctx, key, val)
|
||||
}
|
||||
|
||||
_, err := pipe.Exec(r.ctx)
|
||||
return err
|
||||
}
|
||||
|
||||
// 单一写入 sort set
|
||||
func (e *RedisHelper) SignelAdd(key string, score float64, member string) error {
|
||||
// 先删除具有相同 score 的所有成员
|
||||
scoreStr := strconv.FormatFloat(score, 'g', -1, 64)
|
||||
_, err := e.client.ZRemRangeByScore(e.ctx, key, scoreStr, scoreStr).Result()
|
||||
|
||||
if err != nil {
|
||||
fmt.Printf("删除score失败", err.Error())
|
||||
}
|
||||
_, err = e.client.ZAdd(e.ctx, key, &redis.Z{
|
||||
Score: score,
|
||||
Member: member,
|
||||
}).Result()
|
||||
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
return nil
|
||||
}
|
||||
|
||||
// 写入数据
|
||||
func (e *RedisHelper) AddSortSet(key string, score float64, member string) error {
|
||||
_, err := e.client.ZAdd(e.ctx, key, &redis.Z{
|
||||
Score: score,
|
||||
Member: member,
|
||||
}).Result()
|
||||
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
return nil
|
||||
}
|
||||
|
||||
// 删除指定元素
|
||||
func (e *RedisHelper) DelSortSet(key, member string) error {
|
||||
return e.client.ZRem(e.ctx, key, member).Err()
|
||||
}
|
||||
|
||||
/*
|
||||
获取sort set 所有数据
|
||||
*/
|
||||
func (e *RedisHelper) GetAllSortSet(key string) ([]string, error) {
|
||||
return e.client.ZRange(e.ctx, key, 0, -1).Result()
|
||||
}
|
||||
|
||||
/*
|
||||
获取sort set 所有数据和score
|
||||
*/
|
||||
func (e *RedisHelper) GetRevRangeScoresSortSet(key string) ([]redis.Z, error) {
|
||||
return e.client.ZRevRangeWithScores(e.ctx, key, 0, -1).Result()
|
||||
}
|
||||
|
||||
// 获取指定区间数据
|
||||
func (e *RedisHelper) GetSortSetMembers(key string, start, stop int64) ([]string, error) {
|
||||
return e.client.ZRange(e.ctx, key, start, stop).Result()
|
||||
}
|
||||
|
||||
// 获取最后N条数据
|
||||
func (e *RedisHelper) GetLastSortSetMembers(key string, num int64) ([]string, error) {
|
||||
return e.client.ZRevRange(e.ctx, key, 0, num).Result()
|
||||
}
|
||||
|
||||
// func (e *RedisHelper) DelSortSet(key,)
|
||||
|
||||
// 根据索引范围删除
|
||||
func (e *RedisHelper) DelByRank(key string, start, stop int64) error {
|
||||
return e.client.ZRemRangeByRank(e.ctx, key, start, stop).Err()
|
||||
}
|
||||
|
||||
// sort set end
|
||||
|
||||
// GetUserLoginPwdErrFre 获取用户登录密码错误频次
|
||||
func (e *RedisHelper) GetUserLoginPwdErrFre(key string) (total int, wait time.Duration, err error) {
|
||||
total, _ = e.client.Get(e.ctx, key).Int()
|
||||
wait = e.client.TTL(e.ctx, key).Val()
|
||||
return
|
||||
}
|
||||
|
||||
// SetUserLoginPwdErrFre 设置用户登录密码错误频次
|
||||
func (e *RedisHelper) SetUserLoginPwdErrFre(key string, expire time.Duration) (val int64, err error) {
|
||||
val, err = e.client.Incr(e.ctx, key).Result()
|
||||
if err != nil {
|
||||
return
|
||||
}
|
||||
if err = e.client.Expire(e.ctx, key, expire).Err(); err != nil {
|
||||
return
|
||||
}
|
||||
return
|
||||
}
|
||||
183
common/helper/redislock.go
Normal file
183
common/helper/redislock.go
Normal file
@ -0,0 +1,183 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"context"
|
||||
"errors"
|
||||
"go-admin/pkg/utility"
|
||||
"math/rand"
|
||||
"strconv"
|
||||
"sync"
|
||||
"sync/atomic"
|
||||
"time"
|
||||
|
||||
log "github.com/go-admin-team/go-admin-core/logger"
|
||||
"github.com/go-redis/redis/v8"
|
||||
"go.uber.org/zap"
|
||||
)
|
||||
|
||||
const (
|
||||
tolerance = 500 // milliseconds
|
||||
millisPerSecond = 1000
|
||||
lockCommand = `if redis.call("GET", KEYS[1]) == ARGV[1] then
|
||||
redis.call("SET", KEYS[1], ARGV[1], "PX", ARGV[2])
|
||||
return "OK"
|
||||
else
|
||||
return redis.call("SET", KEYS[1], ARGV[1], "NX", "PX", ARGV[2])
|
||||
end`
|
||||
delCommand = `if redis.call("GET", KEYS[1]) == ARGV[1] then
|
||||
return redis.call("DEL", KEYS[1])
|
||||
else
|
||||
return 0
|
||||
end`
|
||||
touchCommand = `if redis.call("GET", KEYS[1]) == ARGV[1] then
|
||||
return redis.call("PEXPIRE", KEYS[1], ARGV[2])
|
||||
else
|
||||
return 0
|
||||
end`
|
||||
)
|
||||
|
||||
var (
|
||||
clientRedisLock *redis.Client
|
||||
onece sync.Once
|
||||
ErrFailed = errors.New("redsync: failed to acquire lock")
|
||||
)
|
||||
|
||||
// InitLockRedisConn 初始化 Redis 连接
|
||||
func InitLockRedisConn(host, password, dbIndex string) {
|
||||
onece.Do(func() {
|
||||
dbIndexInt, err := strconv.Atoi(dbIndex)
|
||||
if err != nil {
|
||||
dbIndexInt = 0
|
||||
}
|
||||
clientRedisLock = redis.NewClient(&redis.Options{
|
||||
Addr: host,
|
||||
Password: password,
|
||||
DB: dbIndexInt,
|
||||
})
|
||||
|
||||
// 测试连接
|
||||
if _, err := clientRedisLock.Ping(context.Background()).Result(); err != nil {
|
||||
log.Error("Failed to connect to Redis", zap.Error(err))
|
||||
panic(err)
|
||||
}
|
||||
})
|
||||
}
|
||||
|
||||
// RedisLock 分布式锁结构
|
||||
type RedisLock struct {
|
||||
redisClient *redis.Client
|
||||
key string
|
||||
id string
|
||||
expiry time.Duration
|
||||
retryCount int // 重试次数
|
||||
retryInterval time.Duration // 重试间隔时间
|
||||
seconds uint32
|
||||
}
|
||||
|
||||
// NewRedisLock 创建一个新的 Redis 锁
|
||||
func NewRedisLock(key string, timeout uint32, retryCount int, retryInterval time.Duration) *RedisLock {
|
||||
return &RedisLock{
|
||||
redisClient: clientRedisLock,
|
||||
key: key,
|
||||
id: utility.GetXid(),
|
||||
expiry: time.Duration(timeout) * time.Second,
|
||||
retryCount: retryCount,
|
||||
retryInterval: retryInterval,
|
||||
seconds: timeout,
|
||||
}
|
||||
}
|
||||
|
||||
// Acquire 获取锁
|
||||
func (rl *RedisLock) Acquire() (bool, error) {
|
||||
return rl.acquireCtx(context.Background())
|
||||
}
|
||||
|
||||
// AcquireWait 获取锁,支持重试和超时
|
||||
func (rl *RedisLock) AcquireWait(ctx context.Context) (bool, error) {
|
||||
if ctx == nil {
|
||||
ctx = context.Background()
|
||||
}
|
||||
|
||||
for i := 0; i < rl.retryCount; i++ {
|
||||
if i > 0 {
|
||||
// 指数退避
|
||||
baseInterval := time.Duration(int64(rl.retryInterval) * (1 << i)) // 指数增长
|
||||
if baseInterval > time.Second {
|
||||
baseInterval = time.Second
|
||||
}
|
||||
|
||||
// 随机退避
|
||||
retryInterval := time.Duration(rand.Int63n(int64(baseInterval))) // 随机退避
|
||||
if retryInterval < time.Millisecond*100 {
|
||||
retryInterval = time.Millisecond * 100 // 至少 100ms
|
||||
}
|
||||
select {
|
||||
case <-ctx.Done():
|
||||
return false, ctx.Err()
|
||||
case <-time.After(retryInterval):
|
||||
}
|
||||
}
|
||||
|
||||
ok, err := rl.acquireCtx(ctx)
|
||||
if ok {
|
||||
return true, nil
|
||||
}
|
||||
if err != nil {
|
||||
log.Error("Failed to acquire lock", zap.String("key", rl.key), zap.Error(err))
|
||||
}
|
||||
}
|
||||
return false, ErrFailed
|
||||
}
|
||||
|
||||
// Release 释放锁
|
||||
func (rl *RedisLock) Release() (bool, error) {
|
||||
return rl.releaseCtx(context.Background())
|
||||
}
|
||||
|
||||
// Touch 续期锁
|
||||
func (rl *RedisLock) Touch() (bool, error) {
|
||||
return rl.touchCtx(context.Background())
|
||||
}
|
||||
|
||||
// acquireCtx 获取锁的核心逻辑
|
||||
func (rl *RedisLock) acquireCtx(ctx context.Context) (bool, error) {
|
||||
resp, err := rl.redisClient.Eval(ctx, lockCommand, []string{rl.key}, []string{
|
||||
rl.id, strconv.Itoa(int(rl.seconds)*millisPerSecond + tolerance),
|
||||
}).Result()
|
||||
if err == redis.Nil {
|
||||
return false, nil
|
||||
} else if err != nil {
|
||||
log.Error("Error acquiring lock", zap.String("key", rl.key), zap.Error(err))
|
||||
return false, err
|
||||
}
|
||||
|
||||
reply, ok := resp.(string)
|
||||
return ok && reply == "OK", nil
|
||||
}
|
||||
|
||||
// releaseCtx 释放锁的核心逻辑
|
||||
func (rl *RedisLock) releaseCtx(ctx context.Context) (bool, error) {
|
||||
resp, err := rl.redisClient.Eval(ctx, delCommand, []string{rl.key}, []string{rl.id}).Result()
|
||||
if err != nil {
|
||||
log.Error("Error releasing lock", zap.String("key", rl.key), zap.Error(err))
|
||||
return false, err
|
||||
}
|
||||
|
||||
reply, ok := resp.(int64)
|
||||
return ok && reply == 1, nil
|
||||
}
|
||||
|
||||
// touchCtx 续期锁的核心逻辑
|
||||
func (rl *RedisLock) touchCtx(ctx context.Context) (bool, error) {
|
||||
seconds := atomic.LoadUint32(&rl.seconds)
|
||||
resp, err := rl.redisClient.Eval(ctx, touchCommand, []string{rl.key}, []string{
|
||||
rl.id, strconv.Itoa(int(seconds)*millisPerSecond + tolerance),
|
||||
}).Result()
|
||||
if err != nil {
|
||||
log.Error("Error touching lock", zap.String("key", rl.key), zap.Error(err))
|
||||
return false, err
|
||||
}
|
||||
|
||||
reply, ok := resp.(int64)
|
||||
return ok && reply == 1, nil
|
||||
}
|
||||
50
common/helper/snowflake.go
Normal file
50
common/helper/snowflake.go
Normal file
@ -0,0 +1,50 @@
|
||||
package helper
|
||||
|
||||
import (
|
||||
"strconv"
|
||||
"sync"
|
||||
|
||||
extendConfig "go-admin/config"
|
||||
|
||||
"github.com/bwmarrin/snowflake"
|
||||
log "github.com/go-admin-team/go-admin-core/logger"
|
||||
)
|
||||
|
||||
// 全局雪花节点实例
|
||||
var (
|
||||
node *snowflake.Node
|
||||
once sync.Once
|
||||
)
|
||||
|
||||
func InitSnowflakeNode() error {
|
||||
var err error
|
||||
|
||||
node, err = snowflake.NewNode(extendConfig.ExtConfig.ServiceId)
|
||||
if err != nil {
|
||||
return err
|
||||
}
|
||||
|
||||
return nil
|
||||
}
|
||||
|
||||
// 获取订单雪花id
|
||||
func GetOrderNo() string {
|
||||
if node == nil {
|
||||
once.Do(func() {
|
||||
if node == nil {
|
||||
if err := InitSnowflakeNode(); err != nil {
|
||||
log.Fatalf("初始化雪花算法节点失败: %v", err)
|
||||
}
|
||||
}
|
||||
})
|
||||
}
|
||||
|
||||
if node == nil {
|
||||
log.Fatal("雪花算法节点未初始化")
|
||||
}
|
||||
|
||||
orderID := node.Generate()
|
||||
idStr := strconv.FormatInt(orderID.Int64(), 10)
|
||||
|
||||
return idStr
|
||||
}
|
||||
Reference in New Issue
Block a user