mirror of
https://github.com/oarkflow/mq.git
synced 2025-10-05 07:57:00 +08:00
improvements
This commit is contained in:
187
task.go
187
task.go
@@ -3,6 +3,7 @@ package mq
|
||||
import (
|
||||
"context"
|
||||
"fmt"
|
||||
"sync"
|
||||
"time"
|
||||
|
||||
"github.com/oarkflow/json"
|
||||
@@ -12,9 +13,24 @@ import (
|
||||
)
|
||||
|
||||
type Queue struct {
|
||||
consumers storage.IMap[string, *consumer]
|
||||
tasks chan *QueuedTask // channel to hold tasks
|
||||
name string
|
||||
consumers storage.IMap[string, *consumer]
|
||||
tasks chan *QueuedTask // channel to hold tasks
|
||||
name string
|
||||
config *QueueConfig // Queue configuration
|
||||
deadLetter chan *QueuedTask // Dead letter queue for failed messages
|
||||
rateLimiter *RateLimiter // Rate limiter for the queue
|
||||
metrics *QueueMetrics // Queue-specific metrics
|
||||
mu sync.RWMutex // Mutex for thread safety
|
||||
}
|
||||
|
||||
// QueueMetrics holds metrics for a specific queue
|
||||
type QueueMetrics struct {
|
||||
MessagesReceived int64 `json:"messages_received"`
|
||||
MessagesProcessed int64 `json:"messages_processed"`
|
||||
MessagesFailed int64 `json:"messages_failed"`
|
||||
CurrentDepth int64 `json:"current_depth"`
|
||||
AverageLatency time.Duration `json:"average_latency"`
|
||||
LastActivity time.Time `json:"last_activity"`
|
||||
}
|
||||
|
||||
func newQueue(name string, queueSize int) *Queue {
|
||||
@@ -22,9 +38,41 @@ func newQueue(name string, queueSize int) *Queue {
|
||||
name: name,
|
||||
consumers: memory.New[string, *consumer](),
|
||||
tasks: make(chan *QueuedTask, queueSize), // buffer size for tasks
|
||||
config: &QueueConfig{
|
||||
MaxDepth: queueSize,
|
||||
MaxRetries: 3,
|
||||
MessageTTL: 1 * time.Hour,
|
||||
BatchSize: 1,
|
||||
},
|
||||
deadLetter: make(chan *QueuedTask, queueSize/10), // 10% of main queue size
|
||||
metrics: &QueueMetrics{},
|
||||
}
|
||||
}
|
||||
|
||||
// newQueueWithConfig creates a queue with specific configuration
|
||||
func newQueueWithConfig(name string, config QueueConfig) *Queue {
|
||||
queueSize := config.MaxDepth
|
||||
if queueSize <= 0 {
|
||||
queueSize = 100 // default size
|
||||
}
|
||||
|
||||
queue := &Queue{
|
||||
name: name,
|
||||
consumers: memory.New[string, *consumer](),
|
||||
tasks: make(chan *QueuedTask, queueSize),
|
||||
config: &config,
|
||||
deadLetter: make(chan *QueuedTask, queueSize/10),
|
||||
metrics: &QueueMetrics{},
|
||||
}
|
||||
|
||||
// Set up rate limiter if throttling is enabled
|
||||
if config.Throttling && config.ThrottleRate > 0 {
|
||||
queue.rateLimiter = NewRateLimiter(config.ThrottleRate, config.ThrottleBurst)
|
||||
}
|
||||
|
||||
return queue
|
||||
}
|
||||
|
||||
type QueueTask struct {
|
||||
ctx context.Context
|
||||
payload *Task
|
||||
@@ -63,31 +111,154 @@ type Task struct {
|
||||
CreatedAt time.Time `json:"created_at"`
|
||||
ProcessedAt time.Time `json:"processed_at"`
|
||||
Expiry time.Time `json:"expiry"`
|
||||
Error error `json:"error"`
|
||||
Error error `json:"-"` // Don't serialize errors directly
|
||||
ErrorMsg string `json:"error,omitempty"` // Serialize error message if present
|
||||
ID string `json:"id"`
|
||||
Topic string `json:"topic"`
|
||||
Status string `json:"status"`
|
||||
Status Status `json:"status"` // Use Status type instead of string
|
||||
Payload json.RawMessage `json:"payload"`
|
||||
Priority int `json:"priority,omitempty"`
|
||||
Retries int `json:"retries,omitempty"`
|
||||
MaxRetries int `json:"max_retries,omitempty"`
|
||||
dag any
|
||||
// new deduplication field
|
||||
DedupKey string `json:"dedup_key,omitempty"`
|
||||
// Enhanced deduplication and tracing
|
||||
DedupKey string `json:"dedup_key,omitempty"`
|
||||
TraceID string `json:"trace_id,omitempty"`
|
||||
SpanID string `json:"span_id,omitempty"`
|
||||
Tags map[string]string `json:"tags,omitempty"`
|
||||
Headers map[string]string `json:"headers,omitempty"`
|
||||
}
|
||||
|
||||
func (t *Task) GetFlow() any {
|
||||
return t.dag
|
||||
}
|
||||
|
||||
// SetError sets the error and updates the error message
|
||||
func (t *Task) SetError(err error) {
|
||||
t.Error = err
|
||||
if err != nil {
|
||||
t.ErrorMsg = err.Error()
|
||||
t.Status = Failed
|
||||
}
|
||||
}
|
||||
|
||||
// GetError returns the error if present
|
||||
func (t *Task) GetError() error {
|
||||
return t.Error
|
||||
}
|
||||
|
||||
// AddTag adds a tag to the task
|
||||
func (t *Task) AddTag(key, value string) {
|
||||
if t.Tags == nil {
|
||||
t.Tags = make(map[string]string)
|
||||
}
|
||||
t.Tags[key] = value
|
||||
}
|
||||
|
||||
// AddHeader adds a header to the task
|
||||
func (t *Task) AddHeader(key, value string) {
|
||||
if t.Headers == nil {
|
||||
t.Headers = make(map[string]string)
|
||||
}
|
||||
t.Headers[key] = value
|
||||
}
|
||||
|
||||
// IsExpired checks if the task has expired
|
||||
func (t *Task) IsExpired() bool {
|
||||
if t.Expiry.IsZero() {
|
||||
return false
|
||||
}
|
||||
return time.Now().After(t.Expiry)
|
||||
}
|
||||
|
||||
// CanRetry checks if the task can be retried
|
||||
func (t *Task) CanRetry() bool {
|
||||
return t.Retries < t.MaxRetries
|
||||
}
|
||||
|
||||
// IncrementRetry increments the retry count
|
||||
func (t *Task) IncrementRetry() {
|
||||
t.Retries++
|
||||
}
|
||||
|
||||
func NewTask(id string, payload json.RawMessage, nodeKey string, opts ...TaskOption) *Task {
|
||||
if id == "" {
|
||||
id = NewID()
|
||||
}
|
||||
task := &Task{ID: id, Payload: payload, Topic: nodeKey, CreatedAt: time.Now()}
|
||||
task := &Task{
|
||||
ID: id,
|
||||
Payload: payload,
|
||||
Topic: nodeKey,
|
||||
CreatedAt: time.Now(),
|
||||
Status: Pending,
|
||||
TraceID: NewID(), // Generate unique trace ID
|
||||
SpanID: NewID(), // Generate unique span ID
|
||||
}
|
||||
for _, opt := range opts {
|
||||
opt(task)
|
||||
}
|
||||
return task
|
||||
}
|
||||
|
||||
// TaskOption for setting priority
|
||||
func WithPriority(priority int) TaskOption {
|
||||
return func(t *Task) {
|
||||
t.Priority = priority
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for setting max retries
|
||||
func WithTaskMaxRetries(maxRetries int) TaskOption {
|
||||
return func(t *Task) {
|
||||
t.MaxRetries = maxRetries
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for setting expiry time
|
||||
func WithExpiry(expiry time.Time) TaskOption {
|
||||
return func(t *Task) {
|
||||
t.Expiry = expiry
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for setting TTL (time to live)
|
||||
func WithTTL(ttl time.Duration) TaskOption {
|
||||
return func(t *Task) {
|
||||
t.Expiry = time.Now().Add(ttl)
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for adding tags
|
||||
func WithTags(tags map[string]string) TaskOption {
|
||||
return func(t *Task) {
|
||||
if t.Tags == nil {
|
||||
t.Tags = make(map[string]string)
|
||||
}
|
||||
for k, v := range tags {
|
||||
t.Tags[k] = v
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for adding headers
|
||||
func WithTaskHeaders(headers map[string]string) TaskOption {
|
||||
return func(t *Task) {
|
||||
if t.Headers == nil {
|
||||
t.Headers = make(map[string]string)
|
||||
}
|
||||
for k, v := range headers {
|
||||
t.Headers[k] = v
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
// TaskOption for setting trace ID
|
||||
func WithTraceID(traceID string) TaskOption {
|
||||
return func(t *Task) {
|
||||
t.TraceID = traceID
|
||||
}
|
||||
}
|
||||
|
||||
// new TaskOption for deduplication:
|
||||
func WithDedupKey(key string) TaskOption {
|
||||
return func(t *Task) {
|
||||
|
Reference in New Issue
Block a user