-
Notifications
You must be signed in to change notification settings - Fork 244
/
future.go
105 lines (84 loc) · 2.22 KB
/
future.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
95
96
97
98
99
100
101
102
103
104
105
/*
Maddy Mail Server - Composable all-in-one email server.
Copyright © 2019-2020 Max Mazurov <fox.cpp@disroot.org>, Maddy Mail Server contributors
This program is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program. If not, see <https://www.gnu.org/licenses/>.
*/
package future
import (
"context"
"runtime/debug"
"sync"
"github.com/foxcpp/maddy/framework/log"
)
// The Future object implements a container for (value, error) pair that "will
// be populated later" and allows multiple users to wait for it to be set.
//
// It should not be copied after first use.
type Future struct {
mu sync.RWMutex
set bool
val interface{}
err error
notify chan struct{}
}
func New() *Future {
return &Future{notify: make(chan struct{})}
}
// Set sets the Future (value, error) pair. All currently blocked and future
// Get calls will return it.
func (f *Future) Set(val interface{}, err error) {
if f == nil {
panic("nil future used")
}
f.mu.Lock()
defer f.mu.Unlock()
if f.set {
stack := debug.Stack()
log.Println("Future.Set called multiple times", stack)
log.Println("value=", val, "err=", err)
return
}
f.set = true
f.val = val
f.err = err
close(f.notify)
}
func (f *Future) Get() (interface{}, error) {
if f == nil {
panic("nil future used")
}
return f.GetContext(context.Background())
}
func (f *Future) GetContext(ctx context.Context) (interface{}, error) {
if f == nil {
panic("nil future used")
}
f.mu.RLock()
if f.set {
val := f.val
err := f.err
f.mu.RUnlock()
return val, err
}
f.mu.RUnlock()
select {
case <-f.notify:
case <-ctx.Done():
return nil, ctx.Err()
}
f.mu.RLock()
defer f.mu.RUnlock()
if !f.set {
panic("future: Notification received, but value is not set")
}
return f.val, f.err
}