-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtask.go
83 lines (70 loc) · 2.28 KB
/
task.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
package cloudtasks
import (
"crypto/md5"
"encoding/json"
"fmt"
"log/slog"
"strings"
)
// Task is a task sent or receieved from a queue.
type Task struct {
key string // key we are invoking
name string // name of the task, autogenerated if empty
payload []byte // body of the request
// Read only. The current retry count.
Retries int64
}
// Name returns the name of the task. By default it is autogenerated.
func (task *Task) Name() string {
return task.name
}
// Read unmarshals the task payload into the provided destination.
func (task *Task) Read(dest interface{}) error {
if err := json.Unmarshal(task.payload, dest); err != nil {
return fmt.Errorf("cloudtasks: cannot read task payload: %w", err)
}
return nil
}
// LogValue implements slog.LogValuer.
func (task *Task) LogValue() slog.Value {
return slog.GroupValue(
slog.String("name", task.name),
slog.String("key", task.key),
slog.String("payload", string(task.payload)),
slog.Int64("retries", task.Retries),
)
}
var _ slog.LogValuer = new(Task)
// TaskOption configures tasks when creating them.
type TaskOption func(task *Task)
// WithName configures a custom name for the task. By default it will be autogenerated. A custom name could be problematic
// with tombstones (task names that can't be repeated) and concurrency controls, so assign it with care and read
// Google Cloud Tasks documentation before using it.
func WithName(name string) TaskOption {
return func(task *Task) {
task.name = name
}
}
// ExternalTask should be filled with the data of the task to call in an external Cloud Run application.
type ExternalTask struct {
URL string
Payload any
name string
}
var _ slog.LogValuer = new(ExternalTask)
// LogValue implements slog.LogValuer.
func (task *ExternalTask) LogValue() slog.Value {
payload, err := json.Marshal(task.Payload)
if err != nil {
return slog.GroupValue(slog.String("url", task.URL), slog.String("payload-err", err.Error()))
}
return slog.GroupValue(slog.String("url", task.URL), slog.String("payload", string(payload)))
}
// generateTaskName generates name with hash.
func generateTaskName(parent, name string) string {
if name != "" {
hash := fmt.Sprintf("%x", md5.Sum([]byte(string(name))))[:8]
return strings.Join([]string{parent, "tasks", hash}, "/")
}
return name
}