-
Notifications
You must be signed in to change notification settings - Fork 17
/
routine.go
94 lines (80 loc) · 2.27 KB
/
routine.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
84
85
86
87
88
89
90
91
92
93
94
package machine
import (
"context"
"fmt"
"runtime/trace"
"strings"
"sync"
"time"
)
// Routine is an interface representing a goroutine
type Routine interface {
// Context returns the goroutines unique context that may be used for cancellation
Context() context.Context
// Cancel cancels the context returned from Context()
Cancel()
// PID() is the goroutines unique process id
PID() string
// Tags() are the tags associated with the goroutine
Tags() []string
// Start is when the goroutine started
Start() time.Time
// Duration is the duration since the goroutine started
Duration() time.Duration
// Publish publishes the object to the given channel
Publish(channel string, obj interface{}) error
// Subscribe subscribes to a channel and executes the function on every message passed to it. It exits if the goroutines context is cancelled.
Subscribe(channel string, handler func(obj interface{})) error
// TraceLog logs a message within the goroutine execution tracer. ref: https://golang.org/pkg/runtime/trace/#example_
TraceLog(message string)
// Machine returns the underlying routine's machine instance
Machine() *Machine
}
type goRoutine struct {
machine *Machine
ctx context.Context
id string
tags []string
start time.Time
doneOnce sync.Once
cancel func()
}
func (r *goRoutine) Context() context.Context {
return r.ctx
}
func (r *goRoutine) PID() string {
return r.id
}
func (r *goRoutine) Tags() []string {
return r.tags
}
func (r *goRoutine) Cancel() {
r.cancel()
}
func (r *goRoutine) Start() time.Time {
return r.start
}
func (r *goRoutine) Duration() time.Duration {
return time.Since(r.start)
}
func (g *goRoutine) Publish(channel string, obj interface{}) error {
return g.machine.pubsub.Publish(channel, obj)
}
func (g *goRoutine) Subscribe(channel string, handler func(obj interface{})) error {
return g.machine.pubsub.Subscribe(g.ctx, channel, handler)
}
func (g *goRoutine) Machine() *Machine {
return g.machine
}
func (g *goRoutine) done() {
g.doneOnce.Do(func() {
g.cancel()
g.machine.mu.Lock()
delete(g.machine.routines, g.id)
g.machine.mu.Unlock()
})
routinePool.deallocateRoutine(g)
}
func (g *goRoutine) TraceLog(message string) {
trace.Logf(g.ctx, strings.Join(g.tags, " "), fmt.Sprintf("%s %s", g.PID(), message))
}