mirror of
				https://github.com/hibiken/asynq.git
				synced 2025-10-26 11:16:12 +08:00 
			
		
		
		
	
		
			
				
	
	
		
			1310 lines
		
	
	
		
			36 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
			
		
		
	
	
			1310 lines
		
	
	
		
			36 KiB
		
	
	
	
		
			Go
		
	
	
	
	
	
| // Copyright 2020 Kentaro Hibino. All rights reserved.
 | |
| // Use of this source code is governed by a MIT license
 | |
| // that can be found in the LICENSE file.
 | |
| 
 | |
| package rdb
 | |
| 
 | |
| import (
 | |
| 	"encoding/json"
 | |
| 	"fmt"
 | |
| 	"sync"
 | |
| 	"testing"
 | |
| 	"time"
 | |
| 
 | |
| 	"github.com/go-redis/redis/v7"
 | |
| 	"github.com/google/go-cmp/cmp"
 | |
| 	"github.com/google/go-cmp/cmp/cmpopts"
 | |
| 	h "github.com/hibiken/asynq/internal/asynqtest"
 | |
| 	"github.com/hibiken/asynq/internal/base"
 | |
| 	"github.com/rs/xid"
 | |
| )
 | |
| 
 | |
| // TODO(hibiken): Get Redis address and db number from ENV variables.
 | |
| func setup(t *testing.T) *RDB {
 | |
| 	t.Helper()
 | |
| 	r := NewRDB(redis.NewClient(&redis.Options{
 | |
| 		Addr: "localhost:6379",
 | |
| 		DB:   13,
 | |
| 	}))
 | |
| 	// Start each test with a clean slate.
 | |
| 	h.FlushDB(t, r.client)
 | |
| 	return r
 | |
| }
 | |
| 
 | |
| func TestEnqueue(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", map[string]interface{}{"to": "exampleuser@gmail.com", "from": "noreply@example.com"})
 | |
| 	t2 := h.NewTaskMessage("generate_csv", map[string]interface{}{})
 | |
| 	t2.Queue = "csv"
 | |
| 	t3 := h.NewTaskMessage("sync", nil)
 | |
| 	t3.Queue = "low"
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		msg *base.TaskMessage
 | |
| 	}{
 | |
| 		{t1},
 | |
| 		{t2},
 | |
| 		{t3},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case.
 | |
| 
 | |
| 		err := r.Enqueue(tc.msg)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).Enqueue(msg) = %v, want nil", err)
 | |
| 		}
 | |
| 
 | |
| 		qkey := base.QueueKey(tc.msg.Queue)
 | |
| 		gotEnqueued := h.GetEnqueuedMessages(t, r.client, tc.msg.Queue)
 | |
| 		if len(gotEnqueued) != 1 {
 | |
| 			t.Errorf("%q has length %d, want 1", qkey, len(gotEnqueued))
 | |
| 			continue
 | |
| 		}
 | |
| 		if diff := cmp.Diff(tc.msg, gotEnqueued[0]); diff != "" {
 | |
| 			t.Errorf("persisted data differed from the original input (-want, +got)\n%s", diff)
 | |
| 		}
 | |
| 		if !r.client.SIsMember(base.AllQueues, qkey).Val() {
 | |
| 			t.Errorf("%q is not a member of SET %q", qkey, base.AllQueues)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestEnqueueUnique(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	m1 := base.TaskMessage{
 | |
| 		ID:        xid.New(),
 | |
| 		Type:      "email",
 | |
| 		Payload:   map[string]interface{}{"user_id": 123},
 | |
| 		Queue:     base.DefaultQueueName,
 | |
| 		UniqueKey: "email:user_id=123:default",
 | |
| 	}
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		msg *base.TaskMessage
 | |
| 		ttl time.Duration // uniqueness ttl
 | |
| 	}{
 | |
| 		{&m1, time.Minute},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case.
 | |
| 
 | |
| 		err := r.EnqueueUnique(tc.msg, tc.ttl)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("First message: (*RDB).EnqueueUnique(%v, %v) = %v, want nil",
 | |
| 				tc.msg, tc.ttl, err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		got := r.EnqueueUnique(tc.msg, tc.ttl)
 | |
| 		if got != ErrDuplicateTask {
 | |
| 			t.Errorf("Second message: (*RDB).EnqueueUnique(%v, %v) = %v, want %v",
 | |
| 				tc.msg, tc.ttl, got, ErrDuplicateTask)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotTTL := r.client.TTL(tc.msg.UniqueKey).Val()
 | |
| 		if !cmp.Equal(tc.ttl.Seconds(), gotTTL.Seconds(), cmpopts.EquateApprox(0, 1)) {
 | |
| 			t.Errorf("TTL %q = %v, want %v", tc.msg.UniqueKey, gotTTL, tc.ttl)
 | |
| 			continue
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestDequeue(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	now := time.Now()
 | |
| 	t1 := &base.TaskMessage{
 | |
| 		ID:       xid.New(),
 | |
| 		Type:     "send_email",
 | |
| 		Payload:  map[string]interface{}{"subject": "hello!"},
 | |
| 		Timeout:  1800,
 | |
| 		Deadline: 0,
 | |
| 	}
 | |
| 	t1Deadline := int(now.Unix()) + t1.Timeout
 | |
| 	t2 := &base.TaskMessage{
 | |
| 		ID:       xid.New(),
 | |
| 		Type:     "export_csv",
 | |
| 		Payload:  nil,
 | |
| 		Timeout:  0,
 | |
| 		Deadline: 1593021600,
 | |
| 	}
 | |
| 	t2Deadline := t2.Deadline
 | |
| 	t3 := &base.TaskMessage{
 | |
| 		ID:       xid.New(),
 | |
| 		Type:     "reindex",
 | |
| 		Payload:  nil,
 | |
| 		Timeout:  int((5 * time.Minute).Seconds()),
 | |
| 		Deadline: int(time.Now().Add(10 * time.Minute).Unix()),
 | |
| 	}
 | |
| 	t3Deadline := int(now.Unix()) + t3.Timeout // use whichever is earliest
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		enqueued       map[string][]*base.TaskMessage
 | |
| 		args           []string // list of queues to query
 | |
| 		wantMsg        *base.TaskMessage
 | |
| 		wantDeadline   int
 | |
| 		err            error
 | |
| 		wantEnqueued   map[string][]*base.TaskMessage
 | |
| 		wantInProgress []*base.TaskMessage
 | |
| 		wantDeadlines  []h.ZSetEntry
 | |
| 	}{
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {t1},
 | |
| 			},
 | |
| 			args:         []string{"default"},
 | |
| 			wantMsg:      t1,
 | |
| 			wantDeadline: t1Deadline,
 | |
| 			err:          nil,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t1},
 | |
| 			wantDeadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1,
 | |
| 					Score: float64(t1Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {},
 | |
| 			},
 | |
| 			args:         []string{"default"},
 | |
| 			wantMsg:      nil,
 | |
| 			wantDeadline: 0,
 | |
| 			err:          ErrNoProcessableTask,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 			wantDeadlines:  []h.ZSetEntry{},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {t2},
 | |
| 				"low":      {t3},
 | |
| 			},
 | |
| 			args:         []string{"critical", "default", "low"},
 | |
| 			wantMsg:      t2,
 | |
| 			wantDeadline: t2Deadline,
 | |
| 			err:          nil,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {},
 | |
| 				"low":      {t3},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 			wantDeadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t2,
 | |
| 					Score: float64(t2Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t3},
 | |
| 				"critical": {},
 | |
| 				"low":      {t2, t1},
 | |
| 			},
 | |
| 			args:         []string{"critical", "default", "low"},
 | |
| 			wantMsg:      t3,
 | |
| 			wantDeadline: t3Deadline,
 | |
| 			err:          nil,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {},
 | |
| 				"critical": {},
 | |
| 				"low":      {t2, t1},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t3},
 | |
| 			wantDeadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(t3Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {},
 | |
| 				"critical": {},
 | |
| 				"low":      {},
 | |
| 			},
 | |
| 			args:         []string{"critical", "default", "low"},
 | |
| 			wantMsg:      nil,
 | |
| 			wantDeadline: 0,
 | |
| 			err:          ErrNoProcessableTask,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {},
 | |
| 				"critical": {},
 | |
| 				"low":      {},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 			wantDeadlines:  []h.ZSetEntry{},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		for queue, msgs := range tc.enqueued {
 | |
| 			h.SeedEnqueuedQueue(t, r.client, msgs, queue)
 | |
| 		}
 | |
| 
 | |
| 		gotMsg, gotDeadline, err := r.Dequeue(tc.args...)
 | |
| 		if err != tc.err {
 | |
| 			t.Errorf("(*RDB).Dequeue(%v) returned error %v; want %v",
 | |
| 				tc.args, err, tc.err)
 | |
| 			continue
 | |
| 		}
 | |
| 		if !cmp.Equal(gotMsg, tc.wantMsg) || err != tc.err {
 | |
| 			t.Errorf("(*RDB).Dequeue(%v) returned message %v; want %v",
 | |
| 				tc.args, gotMsg, tc.wantMsg)
 | |
| 			continue
 | |
| 		}
 | |
| 		if gotDeadline != tc.wantDeadline {
 | |
| 			t.Errorf("(*RDB).Dequeue(%v) returned deadline %v; want %v",
 | |
| 				tc.args, gotDeadline, tc.wantDeadline)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		for queue, want := range tc.wantEnqueued {
 | |
| 			gotEnqueued := h.GetEnqueuedMessages(t, r.client, queue)
 | |
| 			if diff := cmp.Diff(want, gotEnqueued, h.SortMsgOpt); diff != "" {
 | |
| 				t.Errorf("mismatch found in %q: (-want,+got):\n%s", base.QueueKey(queue), diff)
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want,+got):\n%s", base.InProgressQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		gotDeadlines := h.GetDeadlinesEntries(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantDeadlines, gotDeadlines, h.SortZSetEntryOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want,+got):\n%s", base.KeyDeadlines, diff)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestDequeueIgnoresPausedQueues(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", map[string]interface{}{"subject": "hello!"})
 | |
| 	t2 := h.NewTaskMessage("export_csv", nil)
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		paused         []string // list of paused queues
 | |
| 		enqueued       map[string][]*base.TaskMessage
 | |
| 		args           []string // list of queues to query
 | |
| 		wantMsg        *base.TaskMessage
 | |
| 		err            error
 | |
| 		wantEnqueued   map[string][]*base.TaskMessage
 | |
| 		wantInProgress []*base.TaskMessage
 | |
| 	}{
 | |
| 		{
 | |
| 			paused: []string{"default"},
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {t2},
 | |
| 			},
 | |
| 			args:    []string{"default", "critical"},
 | |
| 			wantMsg: t2,
 | |
| 			err:     nil,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 		},
 | |
| 		{
 | |
| 			paused: []string{"default"},
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {t1},
 | |
| 			},
 | |
| 			args:    []string{"default"},
 | |
| 			wantMsg: nil,
 | |
| 			err:     ErrNoProcessableTask,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {t1},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 		},
 | |
| 		{
 | |
| 			paused: []string{"critical", "default"},
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {t2},
 | |
| 			},
 | |
| 			args:    []string{"default", "critical"},
 | |
| 			wantMsg: nil,
 | |
| 			err:     ErrNoProcessableTask,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {t2},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		for _, qname := range tc.paused {
 | |
| 			if err := r.Pause(qname); err != nil {
 | |
| 				t.Fatal(err)
 | |
| 			}
 | |
| 		}
 | |
| 		for queue, msgs := range tc.enqueued {
 | |
| 			h.SeedEnqueuedQueue(t, r.client, msgs, queue)
 | |
| 		}
 | |
| 
 | |
| 		got, _, err := r.Dequeue(tc.args...)
 | |
| 		if !cmp.Equal(got, tc.wantMsg) || err != tc.err {
 | |
| 			t.Errorf("Dequeue(%v) = %v, %v; want %v, %v",
 | |
| 				tc.args, got, err, tc.wantMsg, tc.err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		for queue, want := range tc.wantEnqueued {
 | |
| 			gotEnqueued := h.GetEnqueuedMessages(t, r.client, queue)
 | |
| 			if diff := cmp.Diff(want, gotEnqueued, h.SortMsgOpt); diff != "" {
 | |
| 				t.Errorf("mismatch found in %q: (-want,+got):\n%s", base.QueueKey(queue), diff)
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want,+got):\n%s", base.InProgressQueue, diff)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestDone(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	now := time.Now()
 | |
| 	t1 := &base.TaskMessage{
 | |
| 		ID:       xid.New(),
 | |
| 		Type:     "send_email",
 | |
| 		Payload:  nil,
 | |
| 		Timeout:  1800,
 | |
| 		Deadline: 0,
 | |
| 	}
 | |
| 	t1Deadline := int(now.Unix()) + t1.Timeout
 | |
| 	t2 := &base.TaskMessage{
 | |
| 		ID:       xid.New(),
 | |
| 		Type:     "export_csv",
 | |
| 		Payload:  nil,
 | |
| 		Timeout:  0,
 | |
| 		Deadline: 1592485787,
 | |
| 	}
 | |
| 	t2Deadline := t2.Deadline
 | |
| 	t3 := &base.TaskMessage{
 | |
| 		ID:        xid.New(),
 | |
| 		Type:      "reindex",
 | |
| 		Payload:   nil,
 | |
| 		Timeout:   1800,
 | |
| 		Deadline:  0,
 | |
| 		UniqueKey: "reindex:nil:default",
 | |
| 		Queue:     "default",
 | |
| 	}
 | |
| 	t3Deadline := int(now.Unix()) + t3.Deadline
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		inProgress     []*base.TaskMessage // initial state of the in-progress list
 | |
| 		deadlines      []h.ZSetEntry       // initial state of deadlines set
 | |
| 		target         *base.TaskMessage   // task to remove
 | |
| 		wantInProgress []*base.TaskMessage // final state of the in-progress list
 | |
| 		wantDeadlines  []h.ZSetEntry       // final state of the deadline set
 | |
| 	}{
 | |
| 		{
 | |
| 			inProgress: []*base.TaskMessage{t1, t2},
 | |
| 			deadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1,
 | |
| 					Score: float64(t1Deadline),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t2,
 | |
| 					Score: float64(t2Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 			target:         t1,
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 			wantDeadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t2,
 | |
| 					Score: float64(t2Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 		{
 | |
| 			inProgress: []*base.TaskMessage{t1},
 | |
| 			deadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1,
 | |
| 					Score: float64(t1Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 			target:         t1,
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 			wantDeadlines:  []h.ZSetEntry{},
 | |
| 		},
 | |
| 		{
 | |
| 			inProgress: []*base.TaskMessage{t1, t2, t3},
 | |
| 			deadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1,
 | |
| 					Score: float64(t1Deadline),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t2,
 | |
| 					Score: float64(t2Deadline),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(t3Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 			target:         t3,
 | |
| 			wantInProgress: []*base.TaskMessage{t1, t2},
 | |
| 			wantDeadlines: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1,
 | |
| 					Score: float64(t1Deadline),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t2,
 | |
| 					Score: float64(t2Deadline),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		h.SeedDeadlines(t, r.client, tc.deadlines)
 | |
| 		h.SeedInProgressQueue(t, r.client, tc.inProgress)
 | |
| 		for _, msg := range tc.inProgress {
 | |
| 			// Set uniqueness lock if unique key is present.
 | |
| 			if len(msg.UniqueKey) > 0 {
 | |
| 				err := r.client.SetNX(msg.UniqueKey, msg.ID.String(), time.Minute).Err()
 | |
| 				if err != nil {
 | |
| 					t.Fatal(err)
 | |
| 				}
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		err := r.Done(tc.target)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).Done(task) = %v, want nil", err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want, +got):\n%s", base.InProgressQueue, diff)
 | |
| 			continue
 | |
| 		}
 | |
| 		gotDeadlines := h.GetDeadlinesEntries(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantDeadlines, gotDeadlines, h.SortZSetEntryOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want, +got):\n%s", base.KeyDeadlines, diff)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		processedKey := base.ProcessedKey(time.Now())
 | |
| 		gotProcessed := r.client.Get(processedKey).Val()
 | |
| 		if gotProcessed != "1" {
 | |
| 			t.Errorf("GET %q = %q, want 1", processedKey, gotProcessed)
 | |
| 		}
 | |
| 
 | |
| 		gotTTL := r.client.TTL(processedKey).Val()
 | |
| 		if gotTTL > statsTTL {
 | |
| 			t.Errorf("TTL %q = %v, want less than or equal to %v", processedKey, gotTTL, statsTTL)
 | |
| 		}
 | |
| 
 | |
| 		if len(tc.target.UniqueKey) > 0 && r.client.Exists(tc.target.UniqueKey).Val() != 0 {
 | |
| 			t.Errorf("Uniqueness lock %q still exists", tc.target.UniqueKey)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestRequeue(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", nil)
 | |
| 	t2 := h.NewTaskMessage("export_csv", nil)
 | |
| 	t3 := h.NewTaskMessageWithQueue("send_email", nil, "critical")
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		enqueued       map[string][]*base.TaskMessage // initial state of queues
 | |
| 		inProgress     []*base.TaskMessage            // initial state of the in-progress list
 | |
| 		target         *base.TaskMessage              // task to requeue
 | |
| 		wantEnqueued   map[string][]*base.TaskMessage // final state of queues
 | |
| 		wantInProgress []*base.TaskMessage            // final state of the in-progress list
 | |
| 	}{
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {},
 | |
| 			},
 | |
| 			inProgress: []*base.TaskMessage{t1, t2},
 | |
| 			target:     t1,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {t1},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {t1},
 | |
| 			},
 | |
| 			inProgress: []*base.TaskMessage{t2},
 | |
| 			target:     t2,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {t1, t2},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{},
 | |
| 		},
 | |
| 		{
 | |
| 			enqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {t1},
 | |
| 				"critical":            {},
 | |
| 			},
 | |
| 			inProgress: []*base.TaskMessage{t2, t3},
 | |
| 			target:     t3,
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				base.DefaultQueueName: {t1},
 | |
| 				"critical":            {t3},
 | |
| 			},
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		for qname, msgs := range tc.enqueued {
 | |
| 			h.SeedEnqueuedQueue(t, r.client, msgs, qname)
 | |
| 		}
 | |
| 		h.SeedInProgressQueue(t, r.client, tc.inProgress)
 | |
| 
 | |
| 		err := r.Requeue(tc.target)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).Requeue(task) = %v, want nil", err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		for qname, want := range tc.wantEnqueued {
 | |
| 			gotEnqueued := h.GetEnqueuedMessages(t, r.client, qname)
 | |
| 			if diff := cmp.Diff(want, gotEnqueued, h.SortMsgOpt); diff != "" {
 | |
| 				t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.QueueKey(qname), diff)
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want, +got):\n%s", base.InProgressQueue, diff)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestSchedule(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", map[string]interface{}{"subject": "hello"})
 | |
| 	tests := []struct {
 | |
| 		msg       *base.TaskMessage
 | |
| 		processAt time.Time
 | |
| 	}{
 | |
| 		{t1, time.Now().Add(15 * time.Minute)},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 
 | |
| 		desc := fmt.Sprintf("(*RDB).Schedule(%v, %v)", tc.msg, tc.processAt)
 | |
| 		err := r.Schedule(tc.msg, tc.processAt)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("%s = %v, want nil", desc, err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotScheduled := h.GetScheduledEntries(t, r.client)
 | |
| 		if len(gotScheduled) != 1 {
 | |
| 			t.Errorf("%s inserted %d items to %q, want 1 items inserted", desc, len(gotScheduled), base.ScheduledQueue)
 | |
| 			continue
 | |
| 		}
 | |
| 		if int64(gotScheduled[0].Score) != tc.processAt.Unix() {
 | |
| 			t.Errorf("%s inserted an item with score %d, want %d", desc, int64(gotScheduled[0].Score), tc.processAt.Unix())
 | |
| 			continue
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestScheduleUnique(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	m1 := base.TaskMessage{
 | |
| 		ID:        xid.New(),
 | |
| 		Type:      "email",
 | |
| 		Payload:   map[string]interface{}{"user_id": 123},
 | |
| 		Queue:     base.DefaultQueueName,
 | |
| 		UniqueKey: "email:user_id=123:default",
 | |
| 	}
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		msg       *base.TaskMessage
 | |
| 		processAt time.Time
 | |
| 		ttl       time.Duration // uniqueness lock ttl
 | |
| 	}{
 | |
| 		{&m1, time.Now().Add(15 * time.Minute), time.Minute},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 
 | |
| 		desc := fmt.Sprintf("(*RDB).ScheduleUnique(%v, %v, %v)", tc.msg, tc.processAt, tc.ttl)
 | |
| 		err := r.ScheduleUnique(tc.msg, tc.processAt, tc.ttl)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("Frist task: %s = %v, want nil", desc, err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotScheduled := h.GetScheduledEntries(t, r.client)
 | |
| 		if len(gotScheduled) != 1 {
 | |
| 			t.Errorf("%s inserted %d items to %q, want 1 items inserted", desc, len(gotScheduled), base.ScheduledQueue)
 | |
| 			continue
 | |
| 		}
 | |
| 		if int64(gotScheduled[0].Score) != tc.processAt.Unix() {
 | |
| 			t.Errorf("%s inserted an item with score %d, want %d", desc, int64(gotScheduled[0].Score), tc.processAt.Unix())
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		got := r.ScheduleUnique(tc.msg, tc.processAt, tc.ttl)
 | |
| 		if got != ErrDuplicateTask {
 | |
| 			t.Errorf("Second task: %s = %v, want %v",
 | |
| 				desc, got, ErrDuplicateTask)
 | |
| 		}
 | |
| 
 | |
| 		gotTTL := r.client.TTL(tc.msg.UniqueKey).Val()
 | |
| 		if !cmp.Equal(tc.ttl.Seconds(), gotTTL.Seconds(), cmpopts.EquateApprox(0, 1)) {
 | |
| 			t.Errorf("TTL %q = %v, want %v", tc.msg.UniqueKey, gotTTL, tc.ttl)
 | |
| 			continue
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestRetry(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", map[string]interface{}{"subject": "Hola!"})
 | |
| 	t2 := h.NewTaskMessage("gen_thumbnail", map[string]interface{}{"path": "some/path/to/image.jpg"})
 | |
| 	t3 := h.NewTaskMessage("reindex", nil)
 | |
| 	t1.Retried = 10
 | |
| 	errMsg := "SMTP server is not responding"
 | |
| 	t1AfterRetry := &base.TaskMessage{
 | |
| 		ID:       t1.ID,
 | |
| 		Type:     t1.Type,
 | |
| 		Payload:  t1.Payload,
 | |
| 		Queue:    t1.Queue,
 | |
| 		Retry:    t1.Retry,
 | |
| 		Retried:  t1.Retried + 1,
 | |
| 		ErrorMsg: errMsg,
 | |
| 	}
 | |
| 	now := time.Now()
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		inProgress     []*base.TaskMessage
 | |
| 		retry          []h.ZSetEntry
 | |
| 		msg            *base.TaskMessage
 | |
| 		processAt      time.Time
 | |
| 		errMsg         string
 | |
| 		wantInProgress []*base.TaskMessage
 | |
| 		wantRetry      []h.ZSetEntry
 | |
| 	}{
 | |
| 		{
 | |
| 			inProgress: []*base.TaskMessage{t1, t2},
 | |
| 			retry: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(now.Add(time.Minute).Unix()),
 | |
| 				},
 | |
| 			},
 | |
| 			msg:            t1,
 | |
| 			processAt:      now.Add(5 * time.Minute),
 | |
| 			errMsg:         errMsg,
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 			wantRetry: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1AfterRetry,
 | |
| 					Score: float64(now.Add(5 * time.Minute).Unix()),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(now.Add(time.Minute).Unix()),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client)
 | |
| 		h.SeedInProgressQueue(t, r.client, tc.inProgress)
 | |
| 		h.SeedRetryQueue(t, r.client, tc.retry)
 | |
| 
 | |
| 		err := r.Retry(tc.msg, tc.processAt, tc.errMsg)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).Retry = %v, want nil", err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.InProgressQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		gotRetry := h.GetRetryEntries(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantRetry, gotRetry, h.SortZSetEntryOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.RetryQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		processedKey := base.ProcessedKey(time.Now())
 | |
| 		gotProcessed := r.client.Get(processedKey).Val()
 | |
| 		if gotProcessed != "1" {
 | |
| 			t.Errorf("GET %q = %q, want 1", processedKey, gotProcessed)
 | |
| 		}
 | |
| 		gotTTL := r.client.TTL(processedKey).Val()
 | |
| 		if gotTTL > statsTTL {
 | |
| 			t.Errorf("TTL %q = %v, want less than or equal to %v", processedKey, gotTTL, statsTTL)
 | |
| 		}
 | |
| 
 | |
| 		failureKey := base.FailureKey(time.Now())
 | |
| 		gotFailure := r.client.Get(failureKey).Val()
 | |
| 		if gotFailure != "1" {
 | |
| 			t.Errorf("GET %q = %q, want 1", failureKey, gotFailure)
 | |
| 		}
 | |
| 		gotTTL = r.client.TTL(processedKey).Val()
 | |
| 		if gotTTL > statsTTL {
 | |
| 			t.Errorf("TTL %q = %v, want less than or equal to %v", failureKey, gotTTL, statsTTL)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestKill(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", nil)
 | |
| 	t2 := h.NewTaskMessage("reindex", nil)
 | |
| 	t3 := h.NewTaskMessage("generate_csv", nil)
 | |
| 	errMsg := "SMTP server not responding"
 | |
| 	t1AfterKill := &base.TaskMessage{
 | |
| 		ID:       t1.ID,
 | |
| 		Type:     t1.Type,
 | |
| 		Payload:  t1.Payload,
 | |
| 		Queue:    t1.Queue,
 | |
| 		Retry:    t1.Retry,
 | |
| 		Retried:  t1.Retried,
 | |
| 		ErrorMsg: errMsg,
 | |
| 	}
 | |
| 	now := time.Now()
 | |
| 
 | |
| 	// TODO(hibiken): add test cases for trimming
 | |
| 	tests := []struct {
 | |
| 		inProgress     []*base.TaskMessage
 | |
| 		dead           []h.ZSetEntry
 | |
| 		target         *base.TaskMessage // task to kill
 | |
| 		wantInProgress []*base.TaskMessage
 | |
| 		wantDead       []h.ZSetEntry
 | |
| 	}{
 | |
| 		{
 | |
| 			inProgress: []*base.TaskMessage{t1, t2},
 | |
| 			dead: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(now.Add(-time.Hour).Unix()),
 | |
| 				},
 | |
| 			},
 | |
| 			target:         t1,
 | |
| 			wantInProgress: []*base.TaskMessage{t2},
 | |
| 			wantDead: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1AfterKill,
 | |
| 					Score: float64(now.Unix()),
 | |
| 				},
 | |
| 				{
 | |
| 					Msg:   t3,
 | |
| 					Score: float64(now.Add(-time.Hour).Unix()),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 		{
 | |
| 			inProgress:     []*base.TaskMessage{t1, t2, t3},
 | |
| 			dead:           []h.ZSetEntry{},
 | |
| 			target:         t1,
 | |
| 			wantInProgress: []*base.TaskMessage{t2, t3},
 | |
| 			wantDead: []h.ZSetEntry{
 | |
| 				{
 | |
| 					Msg:   t1AfterKill,
 | |
| 					Score: float64(now.Unix()),
 | |
| 				},
 | |
| 			},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		h.SeedInProgressQueue(t, r.client, tc.inProgress)
 | |
| 		h.SeedDeadQueue(t, r.client, tc.dead)
 | |
| 
 | |
| 		err := r.Kill(tc.target, errMsg)
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).Kill(%v, %v) = %v, want nil", tc.target, errMsg, err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		gotInProgress := h.GetInProgressMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantInProgress, gotInProgress, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q: (-want, +got)\n%s", base.InProgressQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		gotDead := h.GetDeadEntries(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantDead, gotDead, h.SortZSetEntryOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q after calling (*RDB).Kill: (-want, +got):\n%s", base.DeadQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		processedKey := base.ProcessedKey(time.Now())
 | |
| 		gotProcessed := r.client.Get(processedKey).Val()
 | |
| 		if gotProcessed != "1" {
 | |
| 			t.Errorf("GET %q = %q, want 1", processedKey, gotProcessed)
 | |
| 		}
 | |
| 		gotTTL := r.client.TTL(processedKey).Val()
 | |
| 		if gotTTL > statsTTL {
 | |
| 			t.Errorf("TTL %q = %v, want less than or equal to %v", processedKey, gotTTL, statsTTL)
 | |
| 		}
 | |
| 
 | |
| 		failureKey := base.FailureKey(time.Now())
 | |
| 		gotFailure := r.client.Get(failureKey).Val()
 | |
| 		if gotFailure != "1" {
 | |
| 			t.Errorf("GET %q = %q, want 1", failureKey, gotFailure)
 | |
| 		}
 | |
| 		gotTTL = r.client.TTL(processedKey).Val()
 | |
| 		if gotTTL > statsTTL {
 | |
| 			t.Errorf("TTL %q = %v, want less than or equal to %v", failureKey, gotTTL, statsTTL)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestCheckAndEnqueue(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 	t1 := h.NewTaskMessage("send_email", nil)
 | |
| 	t2 := h.NewTaskMessage("generate_csv", nil)
 | |
| 	t3 := h.NewTaskMessage("gen_thumbnail", nil)
 | |
| 	t4 := h.NewTaskMessage("important_task", nil)
 | |
| 	t4.Queue = "critical"
 | |
| 	t5 := h.NewTaskMessage("minor_task", nil)
 | |
| 	t5.Queue = "low"
 | |
| 	secondAgo := time.Now().Add(-time.Second)
 | |
| 	hourFromNow := time.Now().Add(time.Hour)
 | |
| 
 | |
| 	tests := []struct {
 | |
| 		scheduled     []h.ZSetEntry
 | |
| 		retry         []h.ZSetEntry
 | |
| 		wantEnqueued  map[string][]*base.TaskMessage
 | |
| 		wantScheduled []*base.TaskMessage
 | |
| 		wantRetry     []*base.TaskMessage
 | |
| 	}{
 | |
| 		{
 | |
| 			scheduled: []h.ZSetEntry{
 | |
| 				{Msg: t1, Score: float64(secondAgo.Unix())},
 | |
| 				{Msg: t2, Score: float64(secondAgo.Unix())},
 | |
| 			},
 | |
| 			retry: []h.ZSetEntry{
 | |
| 				{Msg: t3, Score: float64(secondAgo.Unix())}},
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {t1, t2, t3},
 | |
| 			},
 | |
| 			wantScheduled: []*base.TaskMessage{},
 | |
| 			wantRetry:     []*base.TaskMessage{},
 | |
| 		},
 | |
| 		{
 | |
| 			scheduled: []h.ZSetEntry{
 | |
| 				{Msg: t1, Score: float64(hourFromNow.Unix())},
 | |
| 				{Msg: t2, Score: float64(secondAgo.Unix())}},
 | |
| 			retry: []h.ZSetEntry{
 | |
| 				{Msg: t3, Score: float64(secondAgo.Unix())}},
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {t2, t3},
 | |
| 			},
 | |
| 			wantScheduled: []*base.TaskMessage{t1},
 | |
| 			wantRetry:     []*base.TaskMessage{},
 | |
| 		},
 | |
| 		{
 | |
| 			scheduled: []h.ZSetEntry{
 | |
| 				{Msg: t1, Score: float64(hourFromNow.Unix())},
 | |
| 				{Msg: t2, Score: float64(hourFromNow.Unix())}},
 | |
| 			retry: []h.ZSetEntry{
 | |
| 				{Msg: t3, Score: float64(hourFromNow.Unix())}},
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default": {},
 | |
| 			},
 | |
| 			wantScheduled: []*base.TaskMessage{t1, t2},
 | |
| 			wantRetry:     []*base.TaskMessage{t3},
 | |
| 		},
 | |
| 		{
 | |
| 			scheduled: []h.ZSetEntry{
 | |
| 				{Msg: t1, Score: float64(secondAgo.Unix())},
 | |
| 				{Msg: t4, Score: float64(secondAgo.Unix())},
 | |
| 			},
 | |
| 			retry: []h.ZSetEntry{
 | |
| 				{Msg: t5, Score: float64(secondAgo.Unix())}},
 | |
| 			wantEnqueued: map[string][]*base.TaskMessage{
 | |
| 				"default":  {t1},
 | |
| 				"critical": {t4},
 | |
| 				"low":      {t5},
 | |
| 			},
 | |
| 			wantScheduled: []*base.TaskMessage{},
 | |
| 			wantRetry:     []*base.TaskMessage{},
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	for _, tc := range tests {
 | |
| 		h.FlushDB(t, r.client) // clean up db before each test case
 | |
| 		h.SeedScheduledQueue(t, r.client, tc.scheduled)
 | |
| 		h.SeedRetryQueue(t, r.client, tc.retry)
 | |
| 
 | |
| 		err := r.CheckAndEnqueue()
 | |
| 		if err != nil {
 | |
| 			t.Errorf("(*RDB).CheckScheduled() = %v, want nil", err)
 | |
| 			continue
 | |
| 		}
 | |
| 
 | |
| 		for qname, want := range tc.wantEnqueued {
 | |
| 			gotEnqueued := h.GetEnqueuedMessages(t, r.client, qname)
 | |
| 			if diff := cmp.Diff(want, gotEnqueued, h.SortMsgOpt); diff != "" {
 | |
| 				t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.QueueKey(qname), diff)
 | |
| 			}
 | |
| 		}
 | |
| 
 | |
| 		gotScheduled := h.GetScheduledMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantScheduled, gotScheduled, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.ScheduledQueue, diff)
 | |
| 		}
 | |
| 
 | |
| 		gotRetry := h.GetRetryMessages(t, r.client)
 | |
| 		if diff := cmp.Diff(tc.wantRetry, gotRetry, h.SortMsgOpt); diff != "" {
 | |
| 			t.Errorf("mismatch found in %q; (-want, +got)\n%s", base.RetryQueue, diff)
 | |
| 		}
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestWriteServerState(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 
 | |
| 	var (
 | |
| 		host     = "localhost"
 | |
| 		pid      = 4242
 | |
| 		serverID = "server123"
 | |
| 
 | |
| 		ttl = 5 * time.Second
 | |
| 	)
 | |
| 
 | |
| 	info := base.ServerInfo{
 | |
| 		Host:              host,
 | |
| 		PID:               pid,
 | |
| 		ServerID:          serverID,
 | |
| 		Concurrency:       10,
 | |
| 		Queues:            map[string]int{"default": 2, "email": 5, "low": 1},
 | |
| 		StrictPriority:    false,
 | |
| 		Started:           time.Now(),
 | |
| 		Status:            "running",
 | |
| 		ActiveWorkerCount: 0,
 | |
| 	}
 | |
| 
 | |
| 	err := r.WriteServerState(&info, nil /* workers */, ttl)
 | |
| 	if err != nil {
 | |
| 		t.Errorf("r.WriteServerState returned an error: %v", err)
 | |
| 	}
 | |
| 
 | |
| 	// Check ServerInfo was written correctly.
 | |
| 	skey := base.ServerInfoKey(host, pid, serverID)
 | |
| 	data := r.client.Get(skey).Val()
 | |
| 	var got base.ServerInfo
 | |
| 	err = json.Unmarshal([]byte(data), &got)
 | |
| 	if err != nil {
 | |
| 		t.Fatalf("could not decode json: %v", err)
 | |
| 	}
 | |
| 	if diff := cmp.Diff(info, got); diff != "" {
 | |
| 		t.Errorf("persisted ServerInfo was %v, want %v; (-want,+got)\n%s",
 | |
| 			got, info, diff)
 | |
| 	}
 | |
| 	// Check ServerInfo TTL was set correctly.
 | |
| 	gotTTL := r.client.TTL(skey).Val()
 | |
| 	if !cmp.Equal(ttl.Seconds(), gotTTL.Seconds(), cmpopts.EquateApprox(0, 1)) {
 | |
| 		t.Errorf("TTL of %q was %v, want %v", skey, gotTTL, ttl)
 | |
| 	}
 | |
| 	// Check ServerInfo key was added to the set all server keys correctly.
 | |
| 	gotServerKeys := r.client.ZRange(base.AllServers, 0, -1).Val()
 | |
| 	wantServerKeys := []string{skey}
 | |
| 	if diff := cmp.Diff(wantServerKeys, gotServerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllServers, gotServerKeys, wantServerKeys)
 | |
| 	}
 | |
| 
 | |
| 	// Check WorkersInfo was written correctly.
 | |
| 	wkey := base.WorkersKey(host, pid, serverID)
 | |
| 	workerExist := r.client.Exists(wkey).Val()
 | |
| 	if workerExist != 0 {
 | |
| 		t.Errorf("%q key exists", wkey)
 | |
| 	}
 | |
| 	// Check WorkersInfo key was added to the set correctly.
 | |
| 	gotWorkerKeys := r.client.ZRange(base.AllWorkers, 0, -1).Val()
 | |
| 	wantWorkerKeys := []string{wkey}
 | |
| 	if diff := cmp.Diff(wantWorkerKeys, gotWorkerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllWorkers, gotWorkerKeys, wantWorkerKeys)
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestWriteServerStateWithWorkers(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 
 | |
| 	var (
 | |
| 		host     = "127.0.0.1"
 | |
| 		pid      = 4242
 | |
| 		serverID = "server123"
 | |
| 
 | |
| 		msg1 = h.NewTaskMessage("send_email", map[string]interface{}{"user_id": "123"})
 | |
| 		msg2 = h.NewTaskMessage("gen_thumbnail", map[string]interface{}{"path": "some/path/to/imgfile"})
 | |
| 
 | |
| 		ttl = 5 * time.Second
 | |
| 	)
 | |
| 
 | |
| 	workers := []*base.WorkerInfo{
 | |
| 		{
 | |
| 			Host:    host,
 | |
| 			PID:     pid,
 | |
| 			ID:      msg1.ID.String(),
 | |
| 			Type:    msg1.Type,
 | |
| 			Queue:   msg1.Queue,
 | |
| 			Payload: msg1.Payload,
 | |
| 			Started: time.Now().Add(-10 * time.Second),
 | |
| 		},
 | |
| 		{
 | |
| 			Host:    host,
 | |
| 			PID:     pid,
 | |
| 			ID:      msg2.ID.String(),
 | |
| 			Type:    msg2.Type,
 | |
| 			Queue:   msg2.Queue,
 | |
| 			Payload: msg2.Payload,
 | |
| 			Started: time.Now().Add(-2 * time.Minute),
 | |
| 		},
 | |
| 	}
 | |
| 
 | |
| 	serverInfo := base.ServerInfo{
 | |
| 		Host:              host,
 | |
| 		PID:               pid,
 | |
| 		ServerID:          serverID,
 | |
| 		Concurrency:       10,
 | |
| 		Queues:            map[string]int{"default": 2, "email": 5, "low": 1},
 | |
| 		StrictPriority:    false,
 | |
| 		Started:           time.Now().Add(-10 * time.Minute),
 | |
| 		Status:            "running",
 | |
| 		ActiveWorkerCount: len(workers),
 | |
| 	}
 | |
| 
 | |
| 	err := r.WriteServerState(&serverInfo, workers, ttl)
 | |
| 	if err != nil {
 | |
| 		t.Fatalf("r.WriteServerState returned an error: %v", err)
 | |
| 	}
 | |
| 
 | |
| 	// Check ServerInfo was written correctly.
 | |
| 	skey := base.ServerInfoKey(host, pid, serverID)
 | |
| 	data := r.client.Get(skey).Val()
 | |
| 	var got base.ServerInfo
 | |
| 	err = json.Unmarshal([]byte(data), &got)
 | |
| 	if err != nil {
 | |
| 		t.Fatalf("could not decode json: %v", err)
 | |
| 	}
 | |
| 	if diff := cmp.Diff(serverInfo, got); diff != "" {
 | |
| 		t.Errorf("persisted ServerInfo was %v, want %v; (-want,+got)\n%s",
 | |
| 			got, serverInfo, diff)
 | |
| 	}
 | |
| 	// Check ServerInfo TTL was set correctly.
 | |
| 	gotTTL := r.client.TTL(skey).Val()
 | |
| 	if !cmp.Equal(ttl.Seconds(), gotTTL.Seconds(), cmpopts.EquateApprox(0, 1)) {
 | |
| 		t.Errorf("TTL of %q was %v, want %v", skey, gotTTL, ttl)
 | |
| 	}
 | |
| 	// Check ServerInfo key was added to the set correctly.
 | |
| 	gotServerKeys := r.client.ZRange(base.AllServers, 0, -1).Val()
 | |
| 	wantServerKeys := []string{skey}
 | |
| 	if diff := cmp.Diff(wantServerKeys, gotServerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllServers, gotServerKeys, wantServerKeys)
 | |
| 	}
 | |
| 
 | |
| 	// Check WorkersInfo was written correctly.
 | |
| 	wkey := base.WorkersKey(host, pid, serverID)
 | |
| 	wdata := r.client.HGetAll(wkey).Val()
 | |
| 	if len(wdata) != 2 {
 | |
| 		t.Fatalf("HGETALL %q returned a hash of size %d, want 2", wkey, len(wdata))
 | |
| 	}
 | |
| 	var gotWorkers []*base.WorkerInfo
 | |
| 	for _, val := range wdata {
 | |
| 		var w base.WorkerInfo
 | |
| 		if err := json.Unmarshal([]byte(val), &w); err != nil {
 | |
| 			t.Fatalf("could not unmarshal worker's data: %v", err)
 | |
| 		}
 | |
| 		gotWorkers = append(gotWorkers, &w)
 | |
| 	}
 | |
| 	if diff := cmp.Diff(workers, gotWorkers, h.SortWorkerInfoOpt); diff != "" {
 | |
| 		t.Errorf("persisted workers info was %v, want %v; (-want,+got)\n%s",
 | |
| 			gotWorkers, workers, diff)
 | |
| 	}
 | |
| 
 | |
| 	// Check WorkersInfo TTL was set correctly.
 | |
| 	gotTTL = r.client.TTL(wkey).Val()
 | |
| 	if !cmp.Equal(ttl.Seconds(), gotTTL.Seconds(), cmpopts.EquateApprox(0, 1)) {
 | |
| 		t.Errorf("TTL of %q was %v, want %v", wkey, gotTTL, ttl)
 | |
| 	}
 | |
| 	// Check WorkersInfo key was added to the set correctly.
 | |
| 	gotWorkerKeys := r.client.ZRange(base.AllWorkers, 0, -1).Val()
 | |
| 	wantWorkerKeys := []string{wkey}
 | |
| 	if diff := cmp.Diff(wantWorkerKeys, gotWorkerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllWorkers, gotWorkerKeys, wantWorkerKeys)
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestClearServerState(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 
 | |
| 	var (
 | |
| 		host     = "127.0.0.1"
 | |
| 		pid      = 1234
 | |
| 		serverID = "server123"
 | |
| 
 | |
| 		otherHost     = "127.0.0.2"
 | |
| 		otherPID      = 9876
 | |
| 		otherServerID = "server987"
 | |
| 
 | |
| 		msg1 = h.NewTaskMessage("send_email", map[string]interface{}{"user_id": "123"})
 | |
| 		msg2 = h.NewTaskMessage("gen_thumbnail", map[string]interface{}{"path": "some/path/to/imgfile"})
 | |
| 
 | |
| 		ttl = 5 * time.Second
 | |
| 	)
 | |
| 
 | |
| 	workers1 := []*base.WorkerInfo{
 | |
| 		{
 | |
| 			Host:    host,
 | |
| 			PID:     pid,
 | |
| 			ID:      msg1.ID.String(),
 | |
| 			Type:    msg1.Type,
 | |
| 			Queue:   msg1.Queue,
 | |
| 			Payload: msg1.Payload,
 | |
| 			Started: time.Now().Add(-10 * time.Second),
 | |
| 		},
 | |
| 	}
 | |
| 	serverInfo1 := base.ServerInfo{
 | |
| 		Host:              host,
 | |
| 		PID:               pid,
 | |
| 		ServerID:          serverID,
 | |
| 		Concurrency:       10,
 | |
| 		Queues:            map[string]int{"default": 2, "email": 5, "low": 1},
 | |
| 		StrictPriority:    false,
 | |
| 		Started:           time.Now().Add(-10 * time.Minute),
 | |
| 		Status:            "running",
 | |
| 		ActiveWorkerCount: len(workers1),
 | |
| 	}
 | |
| 
 | |
| 	workers2 := []*base.WorkerInfo{
 | |
| 		{
 | |
| 			Host:    otherHost,
 | |
| 			PID:     otherPID,
 | |
| 			ID:      msg2.ID.String(),
 | |
| 			Type:    msg2.Type,
 | |
| 			Queue:   msg2.Queue,
 | |
| 			Payload: msg2.Payload,
 | |
| 			Started: time.Now().Add(-30 * time.Second),
 | |
| 		},
 | |
| 	}
 | |
| 	serverInfo2 := base.ServerInfo{
 | |
| 		Host:              otherHost,
 | |
| 		PID:               otherPID,
 | |
| 		ServerID:          otherServerID,
 | |
| 		Concurrency:       10,
 | |
| 		Queues:            map[string]int{"default": 2, "email": 5, "low": 1},
 | |
| 		StrictPriority:    false,
 | |
| 		Started:           time.Now().Add(-15 * time.Minute),
 | |
| 		Status:            "running",
 | |
| 		ActiveWorkerCount: len(workers2),
 | |
| 	}
 | |
| 
 | |
| 	// Write server and workers data.
 | |
| 	if err := r.WriteServerState(&serverInfo1, workers1, ttl); err != nil {
 | |
| 		t.Fatalf("could not write server state: %v", err)
 | |
| 	}
 | |
| 	if err := r.WriteServerState(&serverInfo2, workers2, ttl); err != nil {
 | |
| 		t.Fatalf("could not write server state: %v", err)
 | |
| 	}
 | |
| 
 | |
| 	err := r.ClearServerState(host, pid, serverID)
 | |
| 	if err != nil {
 | |
| 		t.Fatalf("(*RDB).ClearServerState failed: %v", err)
 | |
| 	}
 | |
| 
 | |
| 	skey := base.ServerInfoKey(host, pid, serverID)
 | |
| 	wkey := base.WorkersKey(host, pid, serverID)
 | |
| 	otherSKey := base.ServerInfoKey(otherHost, otherPID, otherServerID)
 | |
| 	otherWKey := base.WorkersKey(otherHost, otherPID, otherServerID)
 | |
| 	// Check all keys are cleared.
 | |
| 	if r.client.Exists(skey).Val() != 0 {
 | |
| 		t.Errorf("Redis key %q exists", skey)
 | |
| 	}
 | |
| 	if r.client.Exists(wkey).Val() != 0 {
 | |
| 		t.Errorf("Redis key %q exists", wkey)
 | |
| 	}
 | |
| 	gotServerKeys := r.client.ZRange(base.AllServers, 0, -1).Val()
 | |
| 	wantServerKeys := []string{otherSKey}
 | |
| 	if diff := cmp.Diff(wantServerKeys, gotServerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllServers, gotServerKeys, wantServerKeys)
 | |
| 	}
 | |
| 	gotWorkerKeys := r.client.ZRange(base.AllWorkers, 0, -1).Val()
 | |
| 	wantWorkerKeys := []string{otherWKey}
 | |
| 	if diff := cmp.Diff(wantWorkerKeys, gotWorkerKeys); diff != "" {
 | |
| 		t.Errorf("%q contained %v, want %v", base.AllWorkers, gotWorkerKeys, wantWorkerKeys)
 | |
| 	}
 | |
| }
 | |
| 
 | |
| func TestCancelationPubSub(t *testing.T) {
 | |
| 	r := setup(t)
 | |
| 
 | |
| 	pubsub, err := r.CancelationPubSub()
 | |
| 	if err != nil {
 | |
| 		t.Fatalf("(*RDB).CancelationPubSub() returned an error: %v", err)
 | |
| 	}
 | |
| 
 | |
| 	cancelCh := pubsub.Channel()
 | |
| 
 | |
| 	var (
 | |
| 		mu       sync.Mutex
 | |
| 		received []string
 | |
| 	)
 | |
| 
 | |
| 	go func() {
 | |
| 		for msg := range cancelCh {
 | |
| 			mu.Lock()
 | |
| 			received = append(received, msg.Payload)
 | |
| 			mu.Unlock()
 | |
| 		}
 | |
| 	}()
 | |
| 
 | |
| 	publish := []string{"one", "two", "three"}
 | |
| 
 | |
| 	for _, msg := range publish {
 | |
| 		r.PublishCancelation(msg)
 | |
| 	}
 | |
| 
 | |
| 	// allow for message to reach subscribers.
 | |
| 	time.Sleep(time.Second)
 | |
| 
 | |
| 	pubsub.Close()
 | |
| 
 | |
| 	mu.Lock()
 | |
| 	if diff := cmp.Diff(publish, received, h.SortStringSliceOpt); diff != "" {
 | |
| 		t.Errorf("subscriber received %v, want %v; (-want,+got)\n%s", received, publish, diff)
 | |
| 	}
 | |
| 	mu.Unlock()
 | |
| }
 |