mirror of
				https://github.com/hibiken/asynq.git
				synced 2025-10-26 11:16:12 +08:00 
			
		
		
		
	merge from master
This commit is contained in:
		
							
								
								
									
										23
									
								
								CHANGELOG.md
									
									
									
									
									
								
							
							
						
						
									
										23
									
								
								CHANGELOG.md
									
									
									
									
									
								
							| @@ -7,11 +7,34 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0 | |||||||
|  |  | ||||||
| ## [Unreleased] | ## [Unreleased] | ||||||
|  |  | ||||||
|  | ## [0.18.5] - 2020-09-01 | ||||||
|  |  | ||||||
|  | ### Added | ||||||
|  |  | ||||||
|  | - `IsFailure` config option is added to determine whether error returned from Handler counts as a failure. | ||||||
|  |  | ||||||
|  | ## [0.18.4] - 2020-08-17 | ||||||
|  |  | ||||||
|  | ### Fixed | ||||||
|  |  | ||||||
|  | - Scheduler methods are now thread-safe. It's now safe to call `Register` and `Unregister` concurrently. | ||||||
|  |  | ||||||
|  | ## [0.18.3] - 2020-08-09 | ||||||
|  |  | ||||||
|  | ### Changed | ||||||
|  |  | ||||||
|  | - `Client.Enqueue` no longer enqueues tasks with empty typename; Error message is returned. | ||||||
|  |  | ||||||
| ## [0.18.2] - 2020-07-15 | ## [0.18.2] - 2020-07-15 | ||||||
|  |  | ||||||
| ### Changed | ### Changed | ||||||
|  |  | ||||||
| - Changed `Queue` function to not to convert the provided queue name to lowercase. Queue names are now case-sensitive. | - Changed `Queue` function to not to convert the provided queue name to lowercase. Queue names are now case-sensitive. | ||||||
|  | - `QueueInfo.MemoryUsage` is now an approximate usage value. | ||||||
|  |  | ||||||
|  | ### Fixed | ||||||
|  |  | ||||||
|  | - Fixed latency issue around memory usage (see https://github.com/hibiken/asynq/issues/309). | ||||||
|  |  | ||||||
| ## [0.18.1] - 2020-07-04 | ## [0.18.1] - 2020-07-04 | ||||||
|  |  | ||||||
|   | |||||||
							
								
								
									
										14
									
								
								README.md
									
									
									
									
									
								
							
							
						
						
									
										14
									
								
								README.md
									
									
									
									
									
								
							| @@ -28,8 +28,8 @@ Task queues are used as a mechanism to distribute work across multiple machines. | |||||||
| - Scheduling of tasks | - Scheduling of tasks | ||||||
| - [Retries](https://github.com/hibiken/asynq/wiki/Task-Retry) of failed tasks | - [Retries](https://github.com/hibiken/asynq/wiki/Task-Retry) of failed tasks | ||||||
| - Automatic recovery of tasks in the event of a worker crash | - Automatic recovery of tasks in the event of a worker crash | ||||||
| - [Weighted priority queues](https://github.com/hibiken/asynq/wiki/Priority-Queues#weighted-priority-queues) | - [Weighted priority queues](https://github.com/hibiken/asynq/wiki/Queue-Priority#weighted-priority) | ||||||
| - [Strict priority queues](https://github.com/hibiken/asynq/wiki/Priority-Queues#strict-priority-queues) | - [Strict priority queues](https://github.com/hibiken/asynq/wiki/Queue-Priority#strict-priority) | ||||||
| - Low latency to add a task since writes are fast in Redis | - Low latency to add a task since writes are fast in Redis | ||||||
| - De-duplication of tasks using [unique option](https://github.com/hibiken/asynq/wiki/Unique-Tasks) | - De-duplication of tasks using [unique option](https://github.com/hibiken/asynq/wiki/Unique-Tasks) | ||||||
| - Allow [timeout and deadline per task](https://github.com/hibiken/asynq/wiki/Task-Timeout-and-Cancelation) | - Allow [timeout and deadline per task](https://github.com/hibiken/asynq/wiki/Task-Timeout-and-Cancelation) | ||||||
| @@ -91,7 +91,7 @@ type ImageResizePayload struct { | |||||||
| //---------------------------------------------- | //---------------------------------------------- | ||||||
|  |  | ||||||
| func NewEmailDeliveryTask(userID int, tmplID string) (*asynq.Task, error) { | func NewEmailDeliveryTask(userID int, tmplID string) (*asynq.Task, error) { | ||||||
|     payload, err := json.Marshal(EmailDeliveryPayload{UserID: userID, TemplateID: templID}) |     payload, err := json.Marshal(EmailDeliveryPayload{UserID: userID, TemplateID: tmplID}) | ||||||
|     if err != nil { |     if err != nil { | ||||||
|         return nil, err |         return nil, err | ||||||
|     } |     } | ||||||
| @@ -129,7 +129,7 @@ type ImageProcessor struct { | |||||||
|     // ... fields for struct |     // ... fields for struct | ||||||
| } | } | ||||||
|  |  | ||||||
| func (p *ImageProcessor) ProcessTask(ctx context.Context, t *asynq.Task) error { | func (processor *ImageProcessor) ProcessTask(ctx context.Context, t *asynq.Task) error { | ||||||
|     var p ImageResizePayload |     var p ImageResizePayload | ||||||
|     if err := json.Unmarshal(t.Payload(), &p); err != nil { |     if err := json.Unmarshal(t.Payload(), &p); err != nil { | ||||||
|         return fmt.Errorf("json.Unmarshal failed: %v: %w", err, asynq.SkipRetry) |         return fmt.Errorf("json.Unmarshal failed: %v: %w", err, asynq.SkipRetry) | ||||||
| @@ -140,7 +140,7 @@ func (p *ImageProcessor) ProcessTask(ctx context.Context, t *asynq.Task) error { | |||||||
| } | } | ||||||
|  |  | ||||||
| func NewImageProcessor() *ImageProcessor { | func NewImageProcessor() *ImageProcessor { | ||||||
|     // ... return an instance | 	return &ImageProcessor{} | ||||||
| } | } | ||||||
| ``` | ``` | ||||||
|  |  | ||||||
| @@ -215,7 +215,7 @@ func main() { | |||||||
|  |  | ||||||
|     info, err = client.Enqueue(task, asynq.Queue("critical"), asynq.Timeout(30*time.Second)) |     info, err = client.Enqueue(task, asynq.Queue("critical"), asynq.Timeout(30*time.Second)) | ||||||
|     if err != nil { |     if err != nil { | ||||||
|         log.Fatal("could not enqueue task: %v", err) |         log.Fatalf("could not enqueue task: %v", err) | ||||||
|     } |     } | ||||||
|     log.Printf("enqueued task: id=%s queue=%s", info.ID, info.Queue) |     log.Printf("enqueued task: id=%s queue=%s", info.ID, info.Queue) | ||||||
| } | } | ||||||
| @@ -239,7 +239,7 @@ const redisAddr = "127.0.0.1:6379" | |||||||
|  |  | ||||||
| func main() { | func main() { | ||||||
|     srv := asynq.NewServer( |     srv := asynq.NewServer( | ||||||
|         asynq.RedisClientOpt{Addr: redisAddr} |         asynq.RedisClientOpt{Addr: redisAddr}, | ||||||
|         asynq.Config{ |         asynq.Config{ | ||||||
|             // Specify how many concurrent workers to use |             // Specify how many concurrent workers to use | ||||||
|             Concurrency: 10, |             Concurrency: 10, | ||||||
|   | |||||||
| @@ -6,6 +6,7 @@ package asynq | |||||||
|  |  | ||||||
| import ( | import ( | ||||||
| 	"fmt" | 	"fmt" | ||||||
|  | 	"strings" | ||||||
| 	"sync" | 	"sync" | ||||||
| 	"time" | 	"time" | ||||||
|  |  | ||||||
| @@ -266,6 +267,9 @@ func (c *Client) Close() error { | |||||||
| // | // | ||||||
| // If no ProcessAt or ProcessIn options are provided, the task will be pending immediately. | // If no ProcessAt or ProcessIn options are provided, the task will be pending immediately. | ||||||
| func (c *Client) Enqueue(task *Task, opts ...Option) (*TaskInfo, error) { | func (c *Client) Enqueue(task *Task, opts ...Option) (*TaskInfo, error) { | ||||||
|  | 	if strings.TrimSpace(task.Type()) == "" { | ||||||
|  | 		return nil, fmt.Errorf("task typename cannot be empty") | ||||||
|  | 	} | ||||||
| 	c.mu.Lock() | 	c.mu.Lock() | ||||||
| 	if defaults, ok := c.opts[task.Type()]; ok { | 	if defaults, ok := c.opts[task.Type()]; ok { | ||||||
| 		opts = append(defaults, opts...) | 		opts = append(defaults, opts...) | ||||||
|   | |||||||
| @@ -586,6 +586,16 @@ func TestClientEnqueueError(t *testing.T) { | |||||||
| 				Queue(""), | 				Queue(""), | ||||||
| 			}, | 			}, | ||||||
| 		}, | 		}, | ||||||
|  | 		{ | ||||||
|  | 			desc: "With empty task typename", | ||||||
|  | 			task: NewTask("", h.JSON(map[string]interface{}{})), | ||||||
|  | 			opts: []Option{}, | ||||||
|  | 		}, | ||||||
|  | 		{ | ||||||
|  | 			desc: "With blank task typename", | ||||||
|  | 			task: NewTask("    ", h.JSON(map[string]interface{}{})), | ||||||
|  | 			opts: []Option{}, | ||||||
|  | 		}, | ||||||
| 	} | 	} | ||||||
|  |  | ||||||
| 	for _, tc := range tests { | 	for _, tc := range tests { | ||||||
|   | |||||||
| @@ -50,6 +50,7 @@ type QueueInfo struct { | |||||||
| 	Queue string | 	Queue string | ||||||
|  |  | ||||||
| 	// Total number of bytes that the queue and its tasks require to be stored in redis. | 	// Total number of bytes that the queue and its tasks require to be stored in redis. | ||||||
|  | 	// It is an approximate memory usage value in bytes since the value is computed by sampling. | ||||||
| 	MemoryUsage int64 | 	MemoryUsage int64 | ||||||
|  |  | ||||||
| 	// Size is the total number of tasks in the queue. | 	// Size is the total number of tasks in the queue. | ||||||
|   | |||||||
| @@ -23,7 +23,7 @@ import ( | |||||||
| ) | ) | ||||||
|  |  | ||||||
| // Version of asynq library and CLI. | // Version of asynq library and CLI. | ||||||
| const Version = "0.18.2" | const Version = "0.18.5" | ||||||
|  |  | ||||||
| // DefaultQueueName is the queue name used if none are specified by user. | // DefaultQueueName is the queue name used if none are specified by user. | ||||||
| const DefaultQueueName = "default" | const DefaultQueueName = "default" | ||||||
| @@ -645,7 +645,7 @@ type Broker interface { | |||||||
| 	Requeue(msg *TaskMessage) error | 	Requeue(msg *TaskMessage) error | ||||||
| 	Schedule(msg *TaskMessage, processAt time.Time) error | 	Schedule(msg *TaskMessage, processAt time.Time) error | ||||||
| 	ScheduleUnique(msg *TaskMessage, processAt time.Time, ttl time.Duration) error | 	ScheduleUnique(msg *TaskMessage, processAt time.Time, ttl time.Duration) error | ||||||
| 	Retry(msg *TaskMessage, processAt time.Time, errMsg string) error | 	Retry(msg *TaskMessage, processAt time.Time, errMsg string, isFailure bool) error | ||||||
| 	Archive(msg *TaskMessage, errMsg string) error | 	Archive(msg *TaskMessage, errMsg string) error | ||||||
| 	ForwardIfReady(qnames ...string) error | 	ForwardIfReady(qnames ...string) error | ||||||
| 	ListDeadlineExceeded(deadline time.Time, qnames ...string) ([]*TaskMessage, error) | 	ListDeadlineExceeded(deadline time.Time, qnames ...string) ([]*TaskMessage, error) | ||||||
|   | |||||||
| @@ -184,7 +184,7 @@ func BenchmarkRetry(b *testing.B) { | |||||||
| 		asynqtest.SeedDeadlines(b, r.client, zs, base.DefaultQueueName) | 		asynqtest.SeedDeadlines(b, r.client, zs, base.DefaultQueueName) | ||||||
| 		b.StartTimer() | 		b.StartTimer() | ||||||
|  |  | ||||||
| 		if err := r.Retry(msgs[0], time.Now().Add(1*time.Minute), "error"); err != nil { | 		if err := r.Retry(msgs[0], time.Now().Add(1*time.Minute), "error", true /*isFailure*/); err != nil { | ||||||
| 			b.Fatalf("Retry failed: %v", err) | 			b.Fatalf("Retry failed: %v", err) | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
|   | |||||||
| @@ -27,7 +27,8 @@ type Stats struct { | |||||||
| 	// Name of the queue (e.g. "default", "critical"). | 	// Name of the queue (e.g. "default", "critical"). | ||||||
| 	Queue string | 	Queue string | ||||||
| 	// MemoryUsage is the total number of bytes the queue and its tasks require | 	// MemoryUsage is the total number of bytes the queue and its tasks require | ||||||
| 	// to be stored in redis. | 	// to be stored in redis. It is an approximate memory usage value in bytes | ||||||
|  | 	// since the value is computed by sampling. | ||||||
| 	MemoryUsage int64 | 	MemoryUsage int64 | ||||||
| 	// Paused indicates whether the queue is paused. | 	// Paused indicates whether the queue is paused. | ||||||
| 	// If true, tasks in the queue should not be processed. | 	// If true, tasks in the queue should not be processed. | ||||||
| @@ -173,31 +174,82 @@ func (r *RDB) CurrentStats(qname string) (*Stats, error) { | |||||||
| 	return stats, nil | 	return stats, nil | ||||||
| } | } | ||||||
|  |  | ||||||
|  | // Computes memory usage for the given queue by sampling tasks | ||||||
|  | // from each redis list/zset. Returns approximate memory usage value | ||||||
|  | // in bytes. | ||||||
|  | // | ||||||
|  | // KEYS[1] -> asynq:{qname}:active | ||||||
|  | // KEYS[2] -> asynq:{qname}:pending | ||||||
|  | // KEYS[3] -> asynq:{qname}:scheduled | ||||||
|  | // KEYS[4] -> asynq:{qname}:retry | ||||||
|  | // KEYS[5] -> asynq:{qname}:archived | ||||||
|  | // | ||||||
|  | // ARGV[1] -> asynq:{qname}:t: | ||||||
|  | // ARGV[2] -> sample_size (e.g 20) | ||||||
|  | var memoryUsageCmd = redis.NewScript(` | ||||||
|  | local sample_size = tonumber(ARGV[2]) | ||||||
|  | if sample_size <= 0 then | ||||||
|  |     return redis.error_reply("sample size must be a positive number") | ||||||
|  | end | ||||||
|  | local memusg = 0 | ||||||
|  | for i=1,2 do | ||||||
|  |     local ids = redis.call("LRANGE", KEYS[i], 0, sample_size - 1) | ||||||
|  |     local sample_total = 0 | ||||||
|  |     if (table.getn(ids) > 0) then | ||||||
|  |         for _, id in ipairs(ids) do | ||||||
|  |             local bytes = redis.call("MEMORY", "USAGE", ARGV[1] .. id) | ||||||
|  |             sample_total = sample_total + bytes | ||||||
|  |         end | ||||||
|  |         local n = redis.call("LLEN", KEYS[i]) | ||||||
|  |         local avg = sample_total / table.getn(ids) | ||||||
|  |         memusg = memusg + (avg * n) | ||||||
|  |     end | ||||||
|  |     local m = redis.call("MEMORY", "USAGE", KEYS[i]) | ||||||
|  |     if (m) then | ||||||
|  |         memusg = memusg + m | ||||||
|  |     end | ||||||
|  | end | ||||||
|  | for i=3,5 do | ||||||
|  |     local ids = redis.call("ZRANGE", KEYS[i], 0, sample_size - 1) | ||||||
|  |     local sample_total = 0 | ||||||
|  |     if (table.getn(ids) > 0) then | ||||||
|  |         for _, id in ipairs(ids) do | ||||||
|  |             local bytes = redis.call("MEMORY", "USAGE", ARGV[1] .. id) | ||||||
|  |             sample_total = sample_total + bytes | ||||||
|  |         end | ||||||
|  |         local n = redis.call("ZCARD", KEYS[i]) | ||||||
|  |         local avg = sample_total / table.getn(ids) | ||||||
|  |         memusg = memusg + (avg * n) | ||||||
|  |     end | ||||||
|  |     local m = redis.call("MEMORY", "USAGE", KEYS[i]) | ||||||
|  |     if (m) then | ||||||
|  |         memusg = memusg + m | ||||||
|  |     end | ||||||
|  | end | ||||||
|  | return memusg | ||||||
|  | `) | ||||||
|  |  | ||||||
| func (r *RDB) memoryUsage(qname string) (int64, error) { | func (r *RDB) memoryUsage(qname string) (int64, error) { | ||||||
| 	var op errors.Op = "rdb.memoryUsage" | 	var op errors.Op = "rdb.memoryUsage" | ||||||
| 	var ( | 	const sampleSize = 20 | ||||||
| 		keys   []string | 	keys := []string{ | ||||||
| 		data   []string | 		base.ActiveKey(qname), | ||||||
| 		cursor uint64 | 		base.PendingKey(qname), | ||||||
| 		err    error | 		base.ScheduledKey(qname), | ||||||
| 	) | 		base.RetryKey(qname), | ||||||
| 	for { | 		base.ArchivedKey(qname), | ||||||
| 		data, cursor, err = r.client.Scan(context.Background(), cursor, fmt.Sprintf("asynq:{%s}*", qname), 100).Result() |  | ||||||
| 		if err != nil { |  | ||||||
| 			return 0, errors.E(op, errors.Unknown, &errors.RedisCommandError{Command: "scan", Err: err}) |  | ||||||
| 		} |  | ||||||
| 		keys = append(keys, data...) |  | ||||||
| 		if cursor == 0 { |  | ||||||
| 			break |  | ||||||
| 		} |  | ||||||
| 	} | 	} | ||||||
| 	var usg int64 | 	argv := []interface{}{ | ||||||
| 	for _, k := range keys { | 		base.TaskKeyPrefix(qname), | ||||||
| 		n, err := r.client.MemoryUsage(context.Background(), k).Result() | 		sampleSize, | ||||||
| 		if err != nil { | 	} | ||||||
| 			return 0, errors.E(op, errors.Unknown, &errors.RedisCommandError{Command: "memory usage", Err: err}) | 	res, err := memoryUsageCmd.Run(context.Background(), r.client, keys, argv...).Result() | ||||||
| 		} | 	if err != nil { | ||||||
| 		usg += n | 		return 0, errors.E(op, errors.Unknown, fmt.Sprintf("redis eval error: %v", err)) | ||||||
|  | 	} | ||||||
|  | 	usg, err := cast.ToInt64E(res) | ||||||
|  | 	if err != nil { | ||||||
|  | 		return 0, errors.E(op, errors.Internal, fmt.Sprintf("could not cast script return value to int64")) | ||||||
| 	} | 	} | ||||||
| 	return usg, nil | 	return usg, nil | ||||||
| } | } | ||||||
|   | |||||||
| @@ -468,6 +468,7 @@ func (r *RDB) ScheduleUnique(msg *base.TaskMessage, processAt time.Time, ttl tim | |||||||
| // ARGV[2] -> updated base.TaskMessage value | // ARGV[2] -> updated base.TaskMessage value | ||||||
| // ARGV[3] -> retry_at UNIX timestamp | // ARGV[3] -> retry_at UNIX timestamp | ||||||
| // ARGV[4] -> stats expiration timestamp | // ARGV[4] -> stats expiration timestamp | ||||||
|  | // ARGV[5] -> is_failure (bool) | ||||||
| var retryCmd = redis.NewScript(` | var retryCmd = redis.NewScript(` | ||||||
| if redis.call("LREM", KEYS[2], 0, ARGV[1]) == 0 then | if redis.call("LREM", KEYS[2], 0, ARGV[1]) == 0 then | ||||||
|   return redis.error_reply("NOT FOUND") |   return redis.error_reply("NOT FOUND") | ||||||
| @@ -477,23 +478,28 @@ if redis.call("ZREM", KEYS[3], ARGV[1]) == 0 then | |||||||
| end | end | ||||||
| redis.call("ZADD", KEYS[4], ARGV[3], ARGV[1]) | redis.call("ZADD", KEYS[4], ARGV[3], ARGV[1]) | ||||||
| redis.call("HSET", KEYS[1], "msg", ARGV[2], "state", "retry") | redis.call("HSET", KEYS[1], "msg", ARGV[2], "state", "retry") | ||||||
| local n = redis.call("INCR", KEYS[5]) | if tonumber(ARGV[5]) == 1 then | ||||||
| if tonumber(n) == 1 then | 	local n = redis.call("INCR", KEYS[5]) | ||||||
| 	redis.call("EXPIREAT", KEYS[5], ARGV[4]) | 	if tonumber(n) == 1 then | ||||||
| end | 		redis.call("EXPIREAT", KEYS[5], ARGV[4]) | ||||||
| local m = redis.call("INCR", KEYS[6]) | 	end | ||||||
| if tonumber(m) == 1 then | 	local m = redis.call("INCR", KEYS[6]) | ||||||
| 	redis.call("EXPIREAT", KEYS[6], ARGV[4]) | 	if tonumber(m) == 1 then | ||||||
|  | 		redis.call("EXPIREAT", KEYS[6], ARGV[4]) | ||||||
|  | 	end | ||||||
| end | end | ||||||
| return redis.status_reply("OK")`) | return redis.status_reply("OK")`) | ||||||
|  |  | ||||||
| // Retry moves the task from active to retry queue, incrementing retry count | // Retry moves the task from active to retry queue. | ||||||
| // and assigning error message to the task message. | // It also annotates the message with the given error message and | ||||||
| func (r *RDB) Retry(msg *base.TaskMessage, processAt time.Time, errMsg string) error { | // if isFailure is true increments the retried counter. | ||||||
|  | func (r *RDB) Retry(msg *base.TaskMessage, processAt time.Time, errMsg string, isFailure bool) error { | ||||||
| 	var op errors.Op = "rdb.Retry" | 	var op errors.Op = "rdb.Retry" | ||||||
| 	now := time.Now() | 	now := time.Now() | ||||||
| 	modified := *msg | 	modified := *msg | ||||||
| 	modified.Retried++ | 	if isFailure { | ||||||
|  | 		modified.Retried++ | ||||||
|  | 	} | ||||||
| 	modified.ErrorMsg = errMsg | 	modified.ErrorMsg = errMsg | ||||||
| 	modified.LastFailedAt = now.Unix() | 	modified.LastFailedAt = now.Unix() | ||||||
| 	encoded, err := base.EncodeMessage(&modified) | 	encoded, err := base.EncodeMessage(&modified) | ||||||
| @@ -514,6 +520,7 @@ func (r *RDB) Retry(msg *base.TaskMessage, processAt time.Time, errMsg string) e | |||||||
| 		encoded, | 		encoded, | ||||||
| 		processAt.Unix(), | 		processAt.Unix(), | ||||||
| 		expireAt.Unix(), | 		expireAt.Unix(), | ||||||
|  | 		isFailure, | ||||||
| 	} | 	} | ||||||
| 	return r.runScript(op, retryCmd, keys, argv...) | 	return r.runScript(op, retryCmd, keys, argv...) | ||||||
| } | } | ||||||
|   | |||||||
| @@ -1159,7 +1159,7 @@ func TestRetry(t *testing.T) { | |||||||
| 		h.SeedAllRetryQueues(t, r.client, tc.retry) | 		h.SeedAllRetryQueues(t, r.client, tc.retry) | ||||||
|  |  | ||||||
| 		callTime := time.Now() // time when method was called | 		callTime := time.Now() // time when method was called | ||||||
| 		err := r.Retry(tc.msg, tc.processAt, tc.errMsg) | 		err := r.Retry(tc.msg, tc.processAt, tc.errMsg, true /*isFailure*/) | ||||||
| 		if err != nil { | 		if err != nil { | ||||||
| 			t.Errorf("(*RDB).Retry = %v, want nil", err) | 			t.Errorf("(*RDB).Retry = %v, want nil", err) | ||||||
| 			continue | 			continue | ||||||
| @@ -1211,6 +1211,173 @@ func TestRetry(t *testing.T) { | |||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
|  | func TestRetryWithNonFailureError(t *testing.T) { | ||||||
|  | 	r := setup(t) | ||||||
|  | 	defer r.Close() | ||||||
|  | 	now := time.Now() | ||||||
|  | 	t1 := &base.TaskMessage{ | ||||||
|  | 		ID:      uuid.New(), | ||||||
|  | 		Type:    "send_email", | ||||||
|  | 		Payload: h.JSON(map[string]interface{}{"subject": "Hola!"}), | ||||||
|  | 		Retried: 10, | ||||||
|  | 		Timeout: 1800, | ||||||
|  | 		Queue:   "default", | ||||||
|  | 	} | ||||||
|  | 	t2 := &base.TaskMessage{ | ||||||
|  | 		ID:      uuid.New(), | ||||||
|  | 		Type:    "gen_thumbnail", | ||||||
|  | 		Payload: h.JSON(map[string]interface{}{"path": "some/path/to/image.jpg"}), | ||||||
|  | 		Timeout: 3000, | ||||||
|  | 		Queue:   "default", | ||||||
|  | 	} | ||||||
|  | 	t3 := &base.TaskMessage{ | ||||||
|  | 		ID:      uuid.New(), | ||||||
|  | 		Type:    "reindex", | ||||||
|  | 		Payload: nil, | ||||||
|  | 		Timeout: 60, | ||||||
|  | 		Queue:   "default", | ||||||
|  | 	} | ||||||
|  | 	t4 := &base.TaskMessage{ | ||||||
|  | 		ID:      uuid.New(), | ||||||
|  | 		Type:    "send_notification", | ||||||
|  | 		Payload: nil, | ||||||
|  | 		Timeout: 1800, | ||||||
|  | 		Queue:   "custom", | ||||||
|  | 	} | ||||||
|  | 	t1Deadline := now.Unix() + t1.Timeout | ||||||
|  | 	t2Deadline := now.Unix() + t2.Timeout | ||||||
|  | 	t4Deadline := now.Unix() + t4.Timeout | ||||||
|  | 	errMsg := "SMTP server is not responding" | ||||||
|  |  | ||||||
|  | 	tests := []struct { | ||||||
|  | 		active        map[string][]*base.TaskMessage | ||||||
|  | 		deadlines     map[string][]base.Z | ||||||
|  | 		retry         map[string][]base.Z | ||||||
|  | 		msg           *base.TaskMessage | ||||||
|  | 		processAt     time.Time | ||||||
|  | 		errMsg        string | ||||||
|  | 		wantActive    map[string][]*base.TaskMessage | ||||||
|  | 		wantDeadlines map[string][]base.Z | ||||||
|  | 		getWantRetry  func(failedAt time.Time) map[string][]base.Z | ||||||
|  | 	}{ | ||||||
|  | 		{ | ||||||
|  | 			active: map[string][]*base.TaskMessage{ | ||||||
|  | 				"default": {t1, t2}, | ||||||
|  | 			}, | ||||||
|  | 			deadlines: map[string][]base.Z{ | ||||||
|  | 				"default": {{Message: t1, Score: t1Deadline}, {Message: t2, Score: t2Deadline}}, | ||||||
|  | 			}, | ||||||
|  | 			retry: map[string][]base.Z{ | ||||||
|  | 				"default": {{Message: t3, Score: now.Add(time.Minute).Unix()}}, | ||||||
|  | 			}, | ||||||
|  | 			msg:       t1, | ||||||
|  | 			processAt: now.Add(5 * time.Minute), | ||||||
|  | 			errMsg:    errMsg, | ||||||
|  | 			wantActive: map[string][]*base.TaskMessage{ | ||||||
|  | 				"default": {t2}, | ||||||
|  | 			}, | ||||||
|  | 			wantDeadlines: map[string][]base.Z{ | ||||||
|  | 				"default": {{Message: t2, Score: t2Deadline}}, | ||||||
|  | 			}, | ||||||
|  | 			getWantRetry: func(failedAt time.Time) map[string][]base.Z { | ||||||
|  | 				return map[string][]base.Z{ | ||||||
|  | 					"default": { | ||||||
|  | 						// Task message should include the error message but without incrementing the retry count. | ||||||
|  | 						{Message: h.TaskMessageWithError(*t1, errMsg, failedAt), Score: now.Add(5 * time.Minute).Unix()}, | ||||||
|  | 						{Message: t3, Score: now.Add(time.Minute).Unix()}, | ||||||
|  | 					}, | ||||||
|  | 				} | ||||||
|  | 			}, | ||||||
|  | 		}, | ||||||
|  | 		{ | ||||||
|  | 			active: map[string][]*base.TaskMessage{ | ||||||
|  | 				"default": {t1, t2}, | ||||||
|  | 				"custom":  {t4}, | ||||||
|  | 			}, | ||||||
|  | 			deadlines: map[string][]base.Z{ | ||||||
|  | 				"default": {{Message: t1, Score: t1Deadline}, {Message: t2, Score: t2Deadline}}, | ||||||
|  | 				"custom":  {{Message: t4, Score: t4Deadline}}, | ||||||
|  | 			}, | ||||||
|  | 			retry: map[string][]base.Z{ | ||||||
|  | 				"default": {}, | ||||||
|  | 				"custom":  {}, | ||||||
|  | 			}, | ||||||
|  | 			msg:       t4, | ||||||
|  | 			processAt: now.Add(5 * time.Minute), | ||||||
|  | 			errMsg:    errMsg, | ||||||
|  | 			wantActive: map[string][]*base.TaskMessage{ | ||||||
|  | 				"default": {t1, t2}, | ||||||
|  | 				"custom":  {}, | ||||||
|  | 			}, | ||||||
|  | 			wantDeadlines: map[string][]base.Z{ | ||||||
|  | 				"default": {{Message: t1, Score: t1Deadline}, {Message: t2, Score: t2Deadline}}, | ||||||
|  | 				"custom":  {}, | ||||||
|  | 			}, | ||||||
|  | 			getWantRetry: func(failedAt time.Time) map[string][]base.Z { | ||||||
|  | 				return map[string][]base.Z{ | ||||||
|  | 					"default": {}, | ||||||
|  | 					"custom": { | ||||||
|  | 						// Task message should include the error message but without incrementing the retry count. | ||||||
|  | 						{Message: h.TaskMessageWithError(*t4, errMsg, failedAt), Score: now.Add(5 * time.Minute).Unix()}, | ||||||
|  | 					}, | ||||||
|  | 				} | ||||||
|  | 			}, | ||||||
|  | 		}, | ||||||
|  | 	} | ||||||
|  |  | ||||||
|  | 	for _, tc := range tests { | ||||||
|  | 		h.FlushDB(t, r.client) | ||||||
|  | 		h.SeedAllActiveQueues(t, r.client, tc.active) | ||||||
|  | 		h.SeedAllDeadlines(t, r.client, tc.deadlines) | ||||||
|  | 		h.SeedAllRetryQueues(t, r.client, tc.retry) | ||||||
|  |  | ||||||
|  | 		callTime := time.Now() // time when method was called | ||||||
|  | 		err := r.Retry(tc.msg, tc.processAt, tc.errMsg, false /*isFailure*/) | ||||||
|  | 		if err != nil { | ||||||
|  | 			t.Errorf("(*RDB).Retry = %v, want nil", err) | ||||||
|  | 			continue | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		for queue, want := range tc.wantActive { | ||||||
|  | 			gotActive := h.GetActiveMessages(t, r.client, queue) | ||||||
|  | 			if diff := cmp.Diff(want, gotActive, h.SortMsgOpt); diff != "" { | ||||||
|  | 				t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.ActiveKey(queue), diff) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 		for queue, want := range tc.wantDeadlines { | ||||||
|  | 			gotDeadlines := h.GetDeadlinesEntries(t, r.client, queue) | ||||||
|  | 			if diff := cmp.Diff(want, gotDeadlines, h.SortZSetEntryOpt); diff != "" { | ||||||
|  | 				t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.DeadlinesKey(queue), diff) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  | 		cmpOpts := []cmp.Option{ | ||||||
|  | 			h.SortZSetEntryOpt, | ||||||
|  | 			cmpopts.EquateApproxTime(5 * time.Second), // for LastFailedAt field | ||||||
|  | 		} | ||||||
|  | 		wantRetry := tc.getWantRetry(callTime) | ||||||
|  | 		for queue, want := range wantRetry { | ||||||
|  | 			gotRetry := h.GetRetryEntries(t, r.client, queue) | ||||||
|  | 			if diff := cmp.Diff(want, gotRetry, cmpOpts...); diff != "" { | ||||||
|  | 				t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.RetryKey(queue), diff) | ||||||
|  | 			} | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		// If isFailure is set to false, no stats should be recorded to avoid skewing the error rate. | ||||||
|  | 		processedKey := base.ProcessedKey(tc.msg.Queue, time.Now()) | ||||||
|  | 		gotProcessed := r.client.Get(context.Background(), processedKey).Val() | ||||||
|  | 		if gotProcessed != "" { | ||||||
|  | 			t.Errorf("GET %q = %q, want empty", processedKey, gotProcessed) | ||||||
|  | 		} | ||||||
|  |  | ||||||
|  | 		// If isFailure is set to false, no stats should be recorded to avoid skewing the error rate. | ||||||
|  | 		failedKey := base.FailedKey(tc.msg.Queue, time.Now()) | ||||||
|  | 		gotFailed := r.client.Get(context.Background(), failedKey).Val() | ||||||
|  | 		if gotFailed != "" { | ||||||
|  | 			t.Errorf("GET %q = %q, want empty", failedKey, gotFailed) | ||||||
|  | 		} | ||||||
|  | 	} | ||||||
|  | } | ||||||
|  |  | ||||||
| func TestArchive(t *testing.T) { | func TestArchive(t *testing.T) { | ||||||
| 	r := setup(t) | 	r := setup(t) | ||||||
| 	defer r.Close() | 	defer r.Close() | ||||||
|   | |||||||
| @@ -108,13 +108,13 @@ func (tb *TestBroker) ScheduleUnique(msg *base.TaskMessage, processAt time.Time, | |||||||
| 	return tb.real.ScheduleUnique(msg, processAt, ttl) | 	return tb.real.ScheduleUnique(msg, processAt, ttl) | ||||||
| } | } | ||||||
|  |  | ||||||
| func (tb *TestBroker) Retry(msg *base.TaskMessage, processAt time.Time, errMsg string) error { | func (tb *TestBroker) Retry(msg *base.TaskMessage, processAt time.Time, errMsg string, isFailure bool) error { | ||||||
| 	tb.mu.Lock() | 	tb.mu.Lock() | ||||||
| 	defer tb.mu.Unlock() | 	defer tb.mu.Unlock() | ||||||
| 	if tb.sleeping { | 	if tb.sleeping { | ||||||
| 		return errRedisDown | 		return errRedisDown | ||||||
| 	} | 	} | ||||||
| 	return tb.real.Retry(msg, processAt, errMsg) | 	return tb.real.Retry(msg, processAt, errMsg, isFailure) | ||||||
| } | } | ||||||
|  |  | ||||||
| func (tb *TestBroker) Archive(msg *base.TaskMessage, errMsg string) error { | func (tb *TestBroker) Archive(msg *base.TaskMessage, errMsg string) error { | ||||||
|   | |||||||
							
								
								
									
										24
									
								
								processor.go
									
									
									
									
									
								
							
							
						
						
									
										24
									
								
								processor.go
									
									
									
									
									
								
							| @@ -33,6 +33,7 @@ type processor struct { | |||||||
| 	orderedQueues []string | 	orderedQueues []string | ||||||
|  |  | ||||||
| 	retryDelayFunc RetryDelayFunc | 	retryDelayFunc RetryDelayFunc | ||||||
|  | 	isFailureFunc  func(error) bool | ||||||
|  |  | ||||||
| 	errHandler ErrorHandler | 	errHandler ErrorHandler | ||||||
|  |  | ||||||
| @@ -70,6 +71,7 @@ type processorParams struct { | |||||||
| 	logger          *log.Logger | 	logger          *log.Logger | ||||||
| 	broker          base.Broker | 	broker          base.Broker | ||||||
| 	retryDelayFunc  RetryDelayFunc | 	retryDelayFunc  RetryDelayFunc | ||||||
|  | 	isFailureFunc   func(error) bool | ||||||
| 	syncCh          chan<- *syncRequest | 	syncCh          chan<- *syncRequest | ||||||
| 	cancelations    *base.Cancelations | 	cancelations    *base.Cancelations | ||||||
| 	concurrency     int | 	concurrency     int | ||||||
| @@ -94,6 +96,7 @@ func newProcessor(params processorParams) *processor { | |||||||
| 		queueConfig:     queues, | 		queueConfig:     queues, | ||||||
| 		orderedQueues:   orderedQueues, | 		orderedQueues:   orderedQueues, | ||||||
| 		retryDelayFunc:  params.retryDelayFunc, | 		retryDelayFunc:  params.retryDelayFunc, | ||||||
|  | 		isFailureFunc:   params.isFailureFunc, | ||||||
| 		syncRequestCh:   params.syncCh, | 		syncRequestCh:   params.syncCh, | ||||||
| 		cancelations:    params.cancelations, | 		cancelations:    params.cancelations, | ||||||
| 		errLogLimiter:   rate.NewLimiter(rate.Every(3*time.Second), 1), | 		errLogLimiter:   rate.NewLimiter(rate.Every(3*time.Second), 1), | ||||||
| @@ -197,7 +200,7 @@ func (p *processor) exec() { | |||||||
| 			select { | 			select { | ||||||
| 			case <-ctx.Done(): | 			case <-ctx.Done(): | ||||||
| 				// already canceled (e.g. deadline exceeded). | 				// already canceled (e.g. deadline exceeded). | ||||||
| 				p.retryOrKill(ctx, msg, ctx.Err()) | 				p.retryOrArchive(ctx, msg, ctx.Err()) | ||||||
| 				return | 				return | ||||||
| 			default: | 			default: | ||||||
| 			} | 			} | ||||||
| @@ -214,7 +217,7 @@ func (p *processor) exec() { | |||||||
| 				p.requeue(msg) | 				p.requeue(msg) | ||||||
| 				return | 				return | ||||||
| 			case <-ctx.Done(): | 			case <-ctx.Done(): | ||||||
| 				p.retryOrKill(ctx, msg, ctx.Err()) | 				p.retryOrArchive(ctx, msg, ctx.Err()) | ||||||
| 				return | 				return | ||||||
| 			case resErr := <-resCh: | 			case resErr := <-resCh: | ||||||
| 				// Note: One of three things should happen. | 				// Note: One of three things should happen. | ||||||
| @@ -222,7 +225,7 @@ func (p *processor) exec() { | |||||||
| 				// 2) Retry    -> Removes the message from Active & Adds the message to Retry | 				// 2) Retry    -> Removes the message from Active & Adds the message to Retry | ||||||
| 				// 3) Archive  -> Removes the message from Active & Adds the message to archive | 				// 3) Archive  -> Removes the message from Active & Adds the message to archive | ||||||
| 				if resErr != nil { | 				if resErr != nil { | ||||||
| 					p.retryOrKill(ctx, msg, resErr) | 					p.retryOrArchive(ctx, msg, resErr) | ||||||
| 					return | 					return | ||||||
| 				} | 				} | ||||||
| 				p.markAsDone(ctx, msg) | 				p.markAsDone(ctx, msg) | ||||||
| @@ -263,22 +266,27 @@ func (p *processor) markAsDone(ctx context.Context, msg *base.TaskMessage) { | |||||||
| // the task should not be retried and should be archived instead. | // the task should not be retried and should be archived instead. | ||||||
| var SkipRetry = errors.New("skip retry for the task") | var SkipRetry = errors.New("skip retry for the task") | ||||||
|  |  | ||||||
| func (p *processor) retryOrKill(ctx context.Context, msg *base.TaskMessage, err error) { | func (p *processor) retryOrArchive(ctx context.Context, msg *base.TaskMessage, err error) { | ||||||
| 	if p.errHandler != nil { | 	if p.errHandler != nil { | ||||||
| 		p.errHandler.HandleError(ctx, NewTask(msg.Type, msg.Payload), err) | 		p.errHandler.HandleError(ctx, NewTask(msg.Type, msg.Payload), err) | ||||||
| 	} | 	} | ||||||
|  | 	if !p.isFailureFunc(err) { | ||||||
|  | 		// retry the task without marking it as failed | ||||||
|  | 		p.retry(ctx, msg, err, false /*isFailure*/) | ||||||
|  | 		return | ||||||
|  | 	} | ||||||
| 	if msg.Retried >= msg.Retry || errors.Is(err, SkipRetry) { | 	if msg.Retried >= msg.Retry || errors.Is(err, SkipRetry) { | ||||||
| 		p.logger.Warnf("Retry exhausted for task id=%s", msg.ID) | 		p.logger.Warnf("Retry exhausted for task id=%s", msg.ID) | ||||||
| 		p.archive(ctx, msg, err) | 		p.archive(ctx, msg, err) | ||||||
| 	} else { | 	} else { | ||||||
| 		p.retry(ctx, msg, err) | 		p.retry(ctx, msg, err, true /*isFailure*/) | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
| func (p *processor) retry(ctx context.Context, msg *base.TaskMessage, e error) { | func (p *processor) retry(ctx context.Context, msg *base.TaskMessage, e error, isFailure bool) { | ||||||
| 	d := p.retryDelayFunc(msg.Retried, e, NewTask(msg.Type, msg.Payload)) | 	d := p.retryDelayFunc(msg.Retried, e, NewTask(msg.Type, msg.Payload)) | ||||||
| 	retryAt := time.Now().Add(d) | 	retryAt := time.Now().Add(d) | ||||||
| 	err := p.broker.Retry(msg, retryAt, e.Error()) | 	err := p.broker.Retry(msg, retryAt, e.Error(), isFailure) | ||||||
| 	if err != nil { | 	if err != nil { | ||||||
| 		errMsg := fmt.Sprintf("Could not move task id=%s from %q to %q", msg.ID, base.ActiveKey(msg.Queue), base.RetryKey(msg.Queue)) | 		errMsg := fmt.Sprintf("Could not move task id=%s from %q to %q", msg.ID, base.ActiveKey(msg.Queue), base.RetryKey(msg.Queue)) | ||||||
| 		deadline, ok := ctx.Deadline() | 		deadline, ok := ctx.Deadline() | ||||||
| @@ -288,7 +296,7 @@ func (p *processor) retry(ctx context.Context, msg *base.TaskMessage, e error) { | |||||||
| 		p.logger.Warnf("%s; Will retry syncing", errMsg) | 		p.logger.Warnf("%s; Will retry syncing", errMsg) | ||||||
| 		p.syncRequestCh <- &syncRequest{ | 		p.syncRequestCh <- &syncRequest{ | ||||||
| 			fn: func() error { | 			fn: func() error { | ||||||
| 				return p.broker.Retry(msg, retryAt, e.Error()) | 				return p.broker.Retry(msg, retryAt, e.Error(), isFailure) | ||||||
| 			}, | 			}, | ||||||
| 			errMsg:   errMsg, | 			errMsg:   errMsg, | ||||||
| 			deadline: deadline, | 			deadline: deadline, | ||||||
|   | |||||||
| @@ -98,6 +98,7 @@ func TestProcessorSuccessWithSingleQueue(t *testing.T) { | |||||||
| 			logger:          testLogger, | 			logger:          testLogger, | ||||||
| 			broker:          rdbClient, | 			broker:          rdbClient, | ||||||
| 			retryDelayFunc:  DefaultRetryDelayFunc, | 			retryDelayFunc:  DefaultRetryDelayFunc, | ||||||
|  | 			isFailureFunc:   defaultIsFailureFunc, | ||||||
| 			syncCh:          syncCh, | 			syncCh:          syncCh, | ||||||
| 			cancelations:    base.NewCancelations(), | 			cancelations:    base.NewCancelations(), | ||||||
| 			concurrency:     10, | 			concurrency:     10, | ||||||
| @@ -190,6 +191,7 @@ func TestProcessorSuccessWithMultipleQueues(t *testing.T) { | |||||||
| 			logger:         testLogger, | 			logger:         testLogger, | ||||||
| 			broker:         rdbClient, | 			broker:         rdbClient, | ||||||
| 			retryDelayFunc: DefaultRetryDelayFunc, | 			retryDelayFunc: DefaultRetryDelayFunc, | ||||||
|  | 			isFailureFunc:  defaultIsFailureFunc, | ||||||
| 			syncCh:         syncCh, | 			syncCh:         syncCh, | ||||||
| 			cancelations:   base.NewCancelations(), | 			cancelations:   base.NewCancelations(), | ||||||
| 			concurrency:    10, | 			concurrency:    10, | ||||||
| @@ -276,6 +278,7 @@ func TestProcessTasksWithLargeNumberInPayload(t *testing.T) { | |||||||
| 			logger:          testLogger, | 			logger:          testLogger, | ||||||
| 			broker:          rdbClient, | 			broker:          rdbClient, | ||||||
| 			retryDelayFunc:  DefaultRetryDelayFunc, | 			retryDelayFunc:  DefaultRetryDelayFunc, | ||||||
|  | 			isFailureFunc:   defaultIsFailureFunc, | ||||||
| 			syncCh:          syncCh, | 			syncCh:          syncCh, | ||||||
| 			cancelations:    base.NewCancelations(), | 			cancelations:    base.NewCancelations(), | ||||||
| 			concurrency:     10, | 			concurrency:     10, | ||||||
| @@ -395,6 +398,7 @@ func TestProcessorRetry(t *testing.T) { | |||||||
| 			logger:          testLogger, | 			logger:          testLogger, | ||||||
| 			broker:          rdbClient, | 			broker:          rdbClient, | ||||||
| 			retryDelayFunc:  delayFunc, | 			retryDelayFunc:  delayFunc, | ||||||
|  | 			isFailureFunc:   defaultIsFailureFunc, | ||||||
| 			syncCh:          nil, | 			syncCh:          nil, | ||||||
| 			cancelations:    base.NewCancelations(), | 			cancelations:    base.NewCancelations(), | ||||||
| 			concurrency:     10, | 			concurrency:     10, | ||||||
| @@ -486,6 +490,7 @@ func TestProcessorQueues(t *testing.T) { | |||||||
| 			logger:          testLogger, | 			logger:          testLogger, | ||||||
| 			broker:          nil, | 			broker:          nil, | ||||||
| 			retryDelayFunc:  DefaultRetryDelayFunc, | 			retryDelayFunc:  DefaultRetryDelayFunc, | ||||||
|  | 			isFailureFunc:   defaultIsFailureFunc, | ||||||
| 			syncCh:          nil, | 			syncCh:          nil, | ||||||
| 			cancelations:    base.NewCancelations(), | 			cancelations:    base.NewCancelations(), | ||||||
| 			concurrency:     10, | 			concurrency:     10, | ||||||
| @@ -577,6 +582,7 @@ func TestProcessorWithStrictPriority(t *testing.T) { | |||||||
| 			logger:          testLogger, | 			logger:          testLogger, | ||||||
| 			broker:          rdbClient, | 			broker:          rdbClient, | ||||||
| 			retryDelayFunc:  DefaultRetryDelayFunc, | 			retryDelayFunc:  DefaultRetryDelayFunc, | ||||||
|  | 			isFailureFunc:   defaultIsFailureFunc, | ||||||
| 			syncCh:          syncCh, | 			syncCh:          syncCh, | ||||||
| 			cancelations:    base.NewCancelations(), | 			cancelations:    base.NewCancelations(), | ||||||
| 			concurrency:     1, // Set concurrency to 1 to make sure tasks are processed one at a time. | 			concurrency:     1, // Set concurrency to 1 to make sure tasks are processed one at a time. | ||||||
|   | |||||||
							
								
								
									
										20
									
								
								recoverer.go
									
									
									
									
									
								
							
							
						
						
									
										20
									
								
								recoverer.go
									
									
									
									
									
								
							| @@ -5,7 +5,7 @@ | |||||||
| package asynq | package asynq | ||||||
|  |  | ||||||
| import ( | import ( | ||||||
| 	"fmt" | 	"context" | ||||||
| 	"sync" | 	"sync" | ||||||
| 	"time" | 	"time" | ||||||
|  |  | ||||||
| @@ -17,6 +17,7 @@ type recoverer struct { | |||||||
| 	logger         *log.Logger | 	logger         *log.Logger | ||||||
| 	broker         base.Broker | 	broker         base.Broker | ||||||
| 	retryDelayFunc RetryDelayFunc | 	retryDelayFunc RetryDelayFunc | ||||||
|  | 	isFailureFunc  func(error) bool | ||||||
|  |  | ||||||
| 	// channel to communicate back to the long running "recoverer" goroutine. | 	// channel to communicate back to the long running "recoverer" goroutine. | ||||||
| 	done chan struct{} | 	done chan struct{} | ||||||
| @@ -34,6 +35,7 @@ type recovererParams struct { | |||||||
| 	queues         []string | 	queues         []string | ||||||
| 	interval       time.Duration | 	interval       time.Duration | ||||||
| 	retryDelayFunc RetryDelayFunc | 	retryDelayFunc RetryDelayFunc | ||||||
|  | 	isFailureFunc  func(error) bool | ||||||
| } | } | ||||||
|  |  | ||||||
| func newRecoverer(params recovererParams) *recoverer { | func newRecoverer(params recovererParams) *recoverer { | ||||||
| @@ -44,6 +46,7 @@ func newRecoverer(params recovererParams) *recoverer { | |||||||
| 		queues:         params.queues, | 		queues:         params.queues, | ||||||
| 		interval:       params.interval, | 		interval:       params.interval, | ||||||
| 		retryDelayFunc: params.retryDelayFunc, | 		retryDelayFunc: params.retryDelayFunc, | ||||||
|  | 		isFailureFunc:  params.isFailureFunc, | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
| @@ -81,26 +84,25 @@ func (r *recoverer) recover() { | |||||||
| 		r.logger.Warn("recoverer: could not list deadline exceeded tasks") | 		r.logger.Warn("recoverer: could not list deadline exceeded tasks") | ||||||
| 		return | 		return | ||||||
| 	} | 	} | ||||||
| 	const errMsg = "deadline exceeded" |  | ||||||
| 	for _, msg := range msgs { | 	for _, msg := range msgs { | ||||||
| 		if msg.Retried >= msg.Retry { | 		if msg.Retried >= msg.Retry { | ||||||
| 			r.archive(msg, errMsg) | 			r.archive(msg, context.DeadlineExceeded) | ||||||
| 		} else { | 		} else { | ||||||
| 			r.retry(msg, errMsg) | 			r.retry(msg, context.DeadlineExceeded) | ||||||
| 		} | 		} | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
| func (r *recoverer) retry(msg *base.TaskMessage, errMsg string) { | func (r *recoverer) retry(msg *base.TaskMessage, err error) { | ||||||
| 	delay := r.retryDelayFunc(msg.Retried, fmt.Errorf(errMsg), NewTask(msg.Type, msg.Payload)) | 	delay := r.retryDelayFunc(msg.Retried, err, NewTask(msg.Type, msg.Payload)) | ||||||
| 	retryAt := time.Now().Add(delay) | 	retryAt := time.Now().Add(delay) | ||||||
| 	if err := r.broker.Retry(msg, retryAt, errMsg); err != nil { | 	if err := r.broker.Retry(msg, retryAt, err.Error(), r.isFailureFunc(err)); err != nil { | ||||||
| 		r.logger.Warnf("recoverer: could not retry deadline exceeded task: %v", err) | 		r.logger.Warnf("recoverer: could not retry deadline exceeded task: %v", err) | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|  |  | ||||||
| func (r *recoverer) archive(msg *base.TaskMessage, errMsg string) { | func (r *recoverer) archive(msg *base.TaskMessage, err error) { | ||||||
| 	if err := r.broker.Archive(msg, errMsg); err != nil { | 	if err := r.broker.Archive(msg, err.Error()); err != nil { | ||||||
| 		r.logger.Warnf("recoverer: could not move task to archive: %v", err) | 		r.logger.Warnf("recoverer: could not move task to archive: %v", err) | ||||||
| 	} | 	} | ||||||
| } | } | ||||||
|   | |||||||
| @@ -234,6 +234,7 @@ func TestRecoverer(t *testing.T) { | |||||||
| 			queues:         []string{"default", "critical"}, | 			queues:         []string{"default", "critical"}, | ||||||
| 			interval:       1 * time.Second, | 			interval:       1 * time.Second, | ||||||
| 			retryDelayFunc: func(n int, err error, task *Task) time.Duration { return 30 * time.Second }, | 			retryDelayFunc: func(n int, err error, task *Task) time.Duration { return 30 * time.Second }, | ||||||
|  | 			isFailureFunc:  defaultIsFailureFunc, | ||||||
| 		}) | 		}) | ||||||
|  |  | ||||||
| 		var wg sync.WaitGroup | 		var wg sync.WaitGroup | ||||||
| @@ -259,7 +260,7 @@ func TestRecoverer(t *testing.T) { | |||||||
| 			gotRetry := h.GetRetryMessages(t, r, qname) | 			gotRetry := h.GetRetryMessages(t, r, qname) | ||||||
| 			var wantRetry []*base.TaskMessage // Note: construct message here since `LastFailedAt` is relative to each test run | 			var wantRetry []*base.TaskMessage // Note: construct message here since `LastFailedAt` is relative to each test run | ||||||
| 			for _, msg := range msgs { | 			for _, msg := range msgs { | ||||||
| 				wantRetry = append(wantRetry, h.TaskMessageAfterRetry(*msg, "deadline exceeded", runTime)) | 				wantRetry = append(wantRetry, h.TaskMessageAfterRetry(*msg, "context deadline exceeded", runTime)) | ||||||
| 			} | 			} | ||||||
| 			if diff := cmp.Diff(wantRetry, gotRetry, h.SortMsgOpt, cmpOpt); diff != "" { | 			if diff := cmp.Diff(wantRetry, gotRetry, h.SortMsgOpt, cmpOpt); diff != "" { | ||||||
| 				t.Errorf("%s; mismatch found in %q: (-want, +got)\n%s", tc.desc, base.RetryKey(qname), diff) | 				t.Errorf("%s; mismatch found in %q: (-want, +got)\n%s", tc.desc, base.RetryKey(qname), diff) | ||||||
| @@ -269,7 +270,7 @@ func TestRecoverer(t *testing.T) { | |||||||
| 			gotArchived := h.GetArchivedMessages(t, r, qname) | 			gotArchived := h.GetArchivedMessages(t, r, qname) | ||||||
| 			var wantArchived []*base.TaskMessage | 			var wantArchived []*base.TaskMessage | ||||||
| 			for _, msg := range msgs { | 			for _, msg := range msgs { | ||||||
| 				wantArchived = append(wantArchived, h.TaskMessageWithError(*msg, "deadline exceeded", runTime)) | 				wantArchived = append(wantArchived, h.TaskMessageWithError(*msg, "context deadline exceeded", runTime)) | ||||||
| 			} | 			} | ||||||
| 			if diff := cmp.Diff(wantArchived, gotArchived, h.SortMsgOpt, cmpOpt); diff != "" { | 			if diff := cmp.Diff(wantArchived, gotArchived, h.SortMsgOpt, cmpOpt); diff != "" { | ||||||
| 				t.Errorf("%s; mismatch found in %q: (-want, +got)\n%s", tc.desc, base.ArchivedKey(qname), diff) | 				t.Errorf("%s; mismatch found in %q: (-want, +got)\n%s", tc.desc, base.ArchivedKey(qname), diff) | ||||||
|   | |||||||
							
								
								
									
										10
									
								
								scheduler.go
									
									
									
									
									
								
							
							
						
						
									
										10
									
								
								scheduler.go
									
									
									
									
									
								
							| @@ -19,6 +19,8 @@ import ( | |||||||
| ) | ) | ||||||
|  |  | ||||||
| // A Scheduler kicks off tasks at regular intervals based on the user defined schedule. | // A Scheduler kicks off tasks at regular intervals based on the user defined schedule. | ||||||
|  | // | ||||||
|  | // Schedulers are safe for concurrent use by multiple goroutines. | ||||||
| type Scheduler struct { | type Scheduler struct { | ||||||
| 	id         string | 	id         string | ||||||
| 	state      *base.ServerState | 	state      *base.ServerState | ||||||
| @@ -30,6 +32,9 @@ type Scheduler struct { | |||||||
| 	done       chan struct{} | 	done       chan struct{} | ||||||
| 	wg         sync.WaitGroup | 	wg         sync.WaitGroup | ||||||
| 	errHandler func(task *Task, opts []Option, err error) | 	errHandler func(task *Task, opts []Option, err error) | ||||||
|  |  | ||||||
|  | 	// guards idmap | ||||||
|  | 	mu sync.Mutex | ||||||
| 	// idmap maps Scheduler's entry ID to cron.EntryID | 	// idmap maps Scheduler's entry ID to cron.EntryID | ||||||
| 	// to avoid using cron.EntryID as the public API of | 	// to avoid using cron.EntryID as the public API of | ||||||
| 	// the Scheduler. | 	// the Scheduler. | ||||||
| @@ -154,17 +159,22 @@ func (s *Scheduler) Register(cronspec string, task *Task, opts ...Option) (entry | |||||||
| 	if err != nil { | 	if err != nil { | ||||||
| 		return "", err | 		return "", err | ||||||
| 	} | 	} | ||||||
|  | 	s.mu.Lock() | ||||||
| 	s.idmap[job.id.String()] = cronID | 	s.idmap[job.id.String()] = cronID | ||||||
|  | 	s.mu.Unlock() | ||||||
| 	return job.id.String(), nil | 	return job.id.String(), nil | ||||||
| } | } | ||||||
|  |  | ||||||
| // Unregister removes a registered entry by entry ID. | // Unregister removes a registered entry by entry ID. | ||||||
| // Unregister returns a non-nil error if no entries were found for the given entryID. | // Unregister returns a non-nil error if no entries were found for the given entryID. | ||||||
| func (s *Scheduler) Unregister(entryID string) error { | func (s *Scheduler) Unregister(entryID string) error { | ||||||
|  | 	s.mu.Lock() | ||||||
|  | 	defer s.mu.Unlock() | ||||||
| 	cronID, ok := s.idmap[entryID] | 	cronID, ok := s.idmap[entryID] | ||||||
| 	if !ok { | 	if !ok { | ||||||
| 		return fmt.Errorf("asynq: no scheduler entry found") | 		return fmt.Errorf("asynq: no scheduler entry found") | ||||||
| 	} | 	} | ||||||
|  | 	delete(s.idmap, entryID) | ||||||
| 	s.cron.Remove(cronID) | 	s.cron.Remove(cronID) | ||||||
| 	return nil | 	return nil | ||||||
| } | } | ||||||
|   | |||||||
| @@ -98,7 +98,7 @@ func (mux *ServeMux) Handle(pattern string, handler Handler) { | |||||||
| 	mux.mu.Lock() | 	mux.mu.Lock() | ||||||
| 	defer mux.mu.Unlock() | 	defer mux.mu.Unlock() | ||||||
|  |  | ||||||
| 	if pattern == "" { | 	if strings.TrimSpace(pattern) == "" { | ||||||
| 		panic("asynq: invalid pattern") | 		panic("asynq: invalid pattern") | ||||||
| 	} | 	} | ||||||
| 	if handler == nil { | 	if handler == nil { | ||||||
|   | |||||||
							
								
								
									
										16
									
								
								server.go
									
									
									
									
									
								
							
							
						
						
									
										16
									
								
								server.go
									
									
									
									
									
								
							| @@ -64,6 +64,14 @@ type Config struct { | |||||||
| 	// By default, it uses exponential backoff algorithm to calculate the delay. | 	// By default, it uses exponential backoff algorithm to calculate the delay. | ||||||
| 	RetryDelayFunc RetryDelayFunc | 	RetryDelayFunc RetryDelayFunc | ||||||
|  |  | ||||||
|  | 	// Predicate function to determine whether the error returned from Handler is a failure. | ||||||
|  | 	// If the function returns false, Server will not increment the retried counter for the task, | ||||||
|  | 	// and Server won't record the queue stats (processed and failed stats) to avoid skewing the error | ||||||
|  | 	// rate of the queue. | ||||||
|  | 	// | ||||||
|  | 	// By default, if the given error is non-nil the function returns true. | ||||||
|  | 	IsFailure func(error) bool | ||||||
|  |  | ||||||
| 	// List of queues to process with given priority value. Keys are the names of the | 	// List of queues to process with given priority value. Keys are the names of the | ||||||
| 	// queues and values are associated priority value. | 	// queues and values are associated priority value. | ||||||
| 	// | 	// | ||||||
| @@ -268,6 +276,8 @@ func DefaultRetryDelayFunc(n int, e error, t *Task) time.Duration { | |||||||
| 	return time.Duration(s) * time.Second | 	return time.Duration(s) * time.Second | ||||||
| } | } | ||||||
|  |  | ||||||
|  | func defaultIsFailureFunc(err error) bool { return err != nil } | ||||||
|  |  | ||||||
| var defaultQueueConfig = map[string]int{ | var defaultQueueConfig = map[string]int{ | ||||||
| 	base.DefaultQueueName: 1, | 	base.DefaultQueueName: 1, | ||||||
| } | } | ||||||
| @@ -293,6 +303,10 @@ func NewServer(r RedisConnOpt, cfg Config) *Server { | |||||||
| 	if delayFunc == nil { | 	if delayFunc == nil { | ||||||
| 		delayFunc = DefaultRetryDelayFunc | 		delayFunc = DefaultRetryDelayFunc | ||||||
| 	} | 	} | ||||||
|  | 	isFailureFunc := cfg.IsFailure | ||||||
|  | 	if isFailureFunc == nil { | ||||||
|  | 		isFailureFunc = defaultIsFailureFunc | ||||||
|  | 	} | ||||||
| 	queues := make(map[string]int) | 	queues := make(map[string]int) | ||||||
| 	for qname, p := range cfg.Queues { | 	for qname, p := range cfg.Queues { | ||||||
| 		if err := base.ValidateQueueName(qname); err != nil { | 		if err := base.ValidateQueueName(qname); err != nil { | ||||||
| @@ -362,6 +376,7 @@ func NewServer(r RedisConnOpt, cfg Config) *Server { | |||||||
| 		logger:          logger, | 		logger:          logger, | ||||||
| 		broker:          rdb, | 		broker:          rdb, | ||||||
| 		retryDelayFunc:  delayFunc, | 		retryDelayFunc:  delayFunc, | ||||||
|  | 		isFailureFunc:   isFailureFunc, | ||||||
| 		syncCh:          syncCh, | 		syncCh:          syncCh, | ||||||
| 		cancelations:    cancels, | 		cancelations:    cancels, | ||||||
| 		concurrency:     n, | 		concurrency:     n, | ||||||
| @@ -376,6 +391,7 @@ func NewServer(r RedisConnOpt, cfg Config) *Server { | |||||||
| 		logger:         logger, | 		logger:         logger, | ||||||
| 		broker:         rdb, | 		broker:         rdb, | ||||||
| 		retryDelayFunc: delayFunc, | 		retryDelayFunc: delayFunc, | ||||||
|  | 		isFailureFunc:  isFailureFunc, | ||||||
| 		queues:         qnames, | 		queues:         qnames, | ||||||
| 		interval:       1 * time.Minute, | 		interval:       1 * time.Minute, | ||||||
| 	}) | 	}) | ||||||
|   | |||||||
		Reference in New Issue
	
	Block a user