mirror of
				https://github.com/zitadel/zitadel.git
				synced 2025-10-26 05:39:19 +00:00 
			
		
		
		
	 ee7beca61f
			
		
	
	ee7beca61f
	
	
	
		
			
			# Which Problems Are Solved When Zitadel starts the first time with a configured Redis cache, the circuit break would open on the first requests, with no explanatory error and only log-lines explaining the state of the Circuit breaker. Using a debugger, `NOSCRIPT No matching script. Please use EVAL.` was found the be passed to `Limiter.ReportResult`. This error is actually retried by go-redis after a [`Script.Run`](https://pkg.go.dev/github.com/redis/go-redis/v9@v9.7.0#Script.Run): > Run optimistically uses EVALSHA to run the script. If script does not exist it is retried using EVAL. # How the Problems Are Solved Add the `NOSCRIPT` error prefix to the whitelist. # Additional Changes - none # Additional Context - Introduced in: https://github.com/zitadel/zitadel/pull/8890 - Workaround for: https://github.com/redis/go-redis/issues/3203
		
			
				
	
	
		
			92 lines
		
	
	
		
			2.7 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			92 lines
		
	
	
		
			2.7 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
| package redis
 | |
| 
 | |
| import (
 | |
| 	"context"
 | |
| 	"errors"
 | |
| 	"time"
 | |
| 
 | |
| 	"github.com/redis/go-redis/v9"
 | |
| 	"github.com/sony/gobreaker/v2"
 | |
| 	"github.com/zitadel/logging"
 | |
| )
 | |
| 
 | |
| const defaultInflightSize = 100000
 | |
| 
 | |
| type CBConfig struct {
 | |
| 	// Interval when the counters are reset to 0.
 | |
| 	// 0 interval never resets the counters until the CB is opened.
 | |
| 	Interval time.Duration
 | |
| 	// Amount of consecutive failures permitted
 | |
| 	MaxConsecutiveFailures uint32
 | |
| 	// The ratio of failed requests out of total requests
 | |
| 	MaxFailureRatio float64
 | |
| 	// Timeout after opening of the CB, until the state is set to half-open.
 | |
| 	Timeout time.Duration
 | |
| 	// The allowed amount of requests that are allowed to pass when the CB is half-open.
 | |
| 	MaxRetryRequests uint32
 | |
| }
 | |
| 
 | |
| func (config *CBConfig) readyToTrip(counts gobreaker.Counts) bool {
 | |
| 	if config.MaxConsecutiveFailures > 0 && counts.ConsecutiveFailures > config.MaxConsecutiveFailures {
 | |
| 		return true
 | |
| 	}
 | |
| 	if config.MaxFailureRatio > 0 && counts.Requests > 0 {
 | |
| 		failureRatio := float64(counts.TotalFailures) / float64(counts.Requests)
 | |
| 		return failureRatio > config.MaxFailureRatio
 | |
| 	}
 | |
| 	return false
 | |
| }
 | |
| 
 | |
| // limiter implements [redis.Limiter] as a circuit breaker.
 | |
| type limiter struct {
 | |
| 	inflight chan func(success bool)
 | |
| 	cb       *gobreaker.TwoStepCircuitBreaker[struct{}]
 | |
| }
 | |
| 
 | |
| func newLimiter(config *CBConfig, maxActiveConns int) redis.Limiter {
 | |
| 	if config == nil {
 | |
| 		return nil
 | |
| 	}
 | |
| 	// The size of the inflight channel needs to be big enough for maxActiveConns to prevent blocking.
 | |
| 	// When that is 0 (no limit), we must set a sane default.
 | |
| 	if maxActiveConns <= 0 {
 | |
| 		maxActiveConns = defaultInflightSize
 | |
| 	}
 | |
| 	return &limiter{
 | |
| 		inflight: make(chan func(success bool), maxActiveConns),
 | |
| 		cb: gobreaker.NewTwoStepCircuitBreaker[struct{}](gobreaker.Settings{
 | |
| 			Name:        "redis cache",
 | |
| 			MaxRequests: config.MaxRetryRequests,
 | |
| 			Interval:    config.Interval,
 | |
| 			Timeout:     config.Timeout,
 | |
| 			ReadyToTrip: config.readyToTrip,
 | |
| 			OnStateChange: func(name string, from, to gobreaker.State) {
 | |
| 				logging.WithFields("name", name, "from", from, "to", to).Warn("circuit breaker state change")
 | |
| 			},
 | |
| 		}),
 | |
| 	}
 | |
| }
 | |
| 
 | |
| // Allow implements [redis.Limiter].
 | |
| func (l *limiter) Allow() error {
 | |
| 	done, err := l.cb.Allow()
 | |
| 	if err != nil {
 | |
| 		return err
 | |
| 	}
 | |
| 	l.inflight <- done
 | |
| 	return nil
 | |
| }
 | |
| 
 | |
| // ReportResult implements [redis.Limiter].
 | |
| //
 | |
| // ReportResult checks the error returned by the Redis client.
 | |
| // `nil`, [redis.Nil] and [context.Canceled] are not considered failures.
 | |
| // Any other error, like connection or [context.DeadlineExceeded] is counted as a failure.
 | |
| func (l *limiter) ReportResult(err error) {
 | |
| 	done := <-l.inflight
 | |
| 	done(err == nil ||
 | |
| 		errors.Is(err, redis.Nil) ||
 | |
| 		errors.Is(err, context.Canceled) ||
 | |
| 		redis.HasErrorPrefix(err, "NOSCRIPT"))
 | |
| }
 |