-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathendpoint_bindings.go
287 lines (254 loc) · 9.09 KB
/
endpoint_bindings.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
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
// Copyright 2015 Canonical Ltd.
// Licensed under the AGPLv3, see LICENCE file for details.
package state
import (
"github.com/juju/errors"
jujutxn "github.com/juju/txn"
"github.com/juju/utils/set"
"gopkg.in/juju/charm.v6-unstable"
"gopkg.in/mgo.v2"
"gopkg.in/mgo.v2/bson"
"gopkg.in/mgo.v2/txn"
)
// endpointBindingsDoc represents how a service endpoints are bound to spaces.
// The DocID field contains the service's global key, so there is always one
// endpointBindingsDoc per service.
type endpointBindingsDoc struct {
// DocID is always the same as a service's global key.
DocID string `bson:"_id"`
// Bindings maps a service endpoint name to the space name it is bound to.
Bindings bindingsMap `bson:"bindings"`
// TxnRevno is used to assert the collection have not changed since this
// document was fetched.
TxnRevno int64 `bson:"txn-revno"`
}
// bindingsMap is the underlying type stored in mongo for bindings.
type bindingsMap map[string]string
// SetBSON ensures any special characters ($ or .) are unescaped in keys after
// unmarshalling the raw BSON coming from the stored document.
func (bp *bindingsMap) SetBSON(raw bson.Raw) error {
rawMap := make(map[string]string)
if err := raw.Unmarshal(rawMap); err != nil {
return err
}
for key, value := range rawMap {
newKey := unescapeReplacer.Replace(key)
if newKey != key {
delete(rawMap, key)
}
rawMap[newKey] = value
}
*bp = bindingsMap(rawMap)
return nil
}
// GetBSON ensures any special characters ($ or .) are escaped in keys before
// marshalling the map into BSON and storing in mongo.
func (b bindingsMap) GetBSON() (interface{}, error) {
if b == nil || len(b) == 0 {
// We need to return a non-nil map otherwise bson.Unmarshal
// call will fail when reading the doc back.
return make(map[string]string), nil
}
rawMap := make(map[string]string, len(b))
for key, value := range b {
newKey := escapeReplacer.Replace(key)
rawMap[newKey] = value
}
return rawMap, nil
}
// mergeBindings returns the effective bindings, by combining the default
// bindings based on the given charm metadata, overriding them first with
// matching oldMap values, and then with newMap values (for the same keys).
// newMap and oldMap are both optional and will ignored when empty. Returns a
// map containing only those bindings that need updating, and a sorted slice of
// keys to remove (if any) - those are present in oldMap but missing in both
// newMap and defaults.
func mergeBindings(newMap, oldMap map[string]string, meta *charm.Meta) (map[string]string, []string, error) {
defaultsMap := DefaultEndpointBindingsForCharm(meta)
// defaultsMap contains all endpoints that must be bound for the given charm
// metadata, but we need to figure out which value to use for each key.
updated := make(map[string]string)
for key, defaultValue := range defaultsMap {
effectiveValue := defaultValue
oldValue, hasOld := oldMap[key]
if hasOld && oldValue != effectiveValue {
effectiveValue = oldValue
}
newValue, hasNew := newMap[key]
if hasNew && newValue != effectiveValue {
effectiveValue = newValue
}
updated[key] = effectiveValue
}
// Any other bindings in newMap are most likely extraneous, but add them
// anyway and let the validation handle them.
for key, newValue := range newMap {
if _, defaultExists := defaultsMap[key]; !defaultExists {
updated[key] = newValue
}
}
// All defaults were processed, so anything else in oldMap not about to be
// updated and not having a default for the given metadata needs to be
// removed.
removedKeys := set.NewStrings()
for key := range oldMap {
if _, updating := updated[key]; !updating {
removedKeys.Add(key)
}
if _, defaultExists := defaultsMap[key]; !defaultExists {
removedKeys.Add(key)
}
}
removed := removedKeys.SortedValues()
return updated, removed, nil
}
// createEndpointBindingsOp returns the op needed to create new endpoint
// bindings using the optional givenMap and the specified charm metadata to for
// determining defaults and to validate the effective bindings.
func createEndpointBindingsOp(st *State, key string, givenMap map[string]string, meta *charm.Meta) (txn.Op, error) {
// No existing map to merge, just use the defaults.
initialMap, _, err := mergeBindings(givenMap, nil, meta)
if err != nil {
return txn.Op{}, errors.Trace(err)
}
// Validate the bindings before inserting.
if err := validateEndpointBindingsForCharm(st, initialMap, meta); err != nil {
return txn.Op{}, errors.Trace(err)
}
return txn.Op{
C: endpointBindingsC,
Id: key,
Assert: txn.DocMissing,
Insert: endpointBindingsDoc{
Bindings: initialMap,
},
}, nil
}
// updateEndpointBindingsOp returns an op that merges the existing bindings with
// givenMap, using newMeta to validate the merged bindings, and asserting the
// existing ones haven't changed in the since we fetched them.
func updateEndpointBindingsOp(st *State, key string, givenMap map[string]string, newMeta *charm.Meta) (txn.Op, error) {
// Fetch existing bindings.
existingMap, txnRevno, err := readEndpointBindings(st, key)
if err != nil && !errors.IsNotFound(err) {
return txn.Op{}, errors.Trace(err)
}
// Merge existing with given as needed.
updatedMap, removedKeys, err := mergeBindings(givenMap, existingMap, newMeta)
if err != nil {
return txn.Op{}, errors.Trace(err)
}
// Validate the bindings before updating.
if err := validateEndpointBindingsForCharm(st, updatedMap, newMeta); err != nil {
return txn.Op{}, errors.Trace(err)
}
// Prepare the update operations.
sanitize := inSubdocEscapeReplacer("bindings")
changes := make(bson.M, len(updatedMap))
for endpoint, space := range updatedMap {
changes[sanitize(endpoint)] = space
}
deletes := make(bson.M, len(removedKeys))
for _, endpoint := range removedKeys {
deletes[sanitize(endpoint)] = 1
}
var update bson.D
if len(changes) != 0 {
update = append(update, bson.DocElem{Name: "$set", Value: changes})
}
if len(deletes) != 0 {
update = append(update, bson.DocElem{Name: "$unset", Value: deletes})
}
if len(update) == 0 {
return txn.Op{}, jujutxn.ErrNoOperations
}
updateOp := txn.Op{
C: endpointBindingsC,
Id: key,
Update: update,
}
if existingMap != nil {
// Only assert existing haven't changed when they actually exist.
updateOp.Assert = bson.D{{"txn-revno", txnRevno}}
}
return updateOp, nil
}
// removeEndpointBindingsOp returns an op removing the bindings for the given
// key, without asserting they exist in the first place.
func removeEndpointBindingsOp(key string) txn.Op {
return txn.Op{
C: endpointBindingsC,
Id: key,
Remove: true,
}
}
// readEndpointBindings returns the stored bindings and TxnRevno for the given
// service global key, or an error satisfying errors.IsNotFound() otherwise.
func readEndpointBindings(st *State, key string) (map[string]string, int64, error) {
endpointBindings, closer := st.getCollection(endpointBindingsC)
defer closer()
var doc endpointBindingsDoc
err := endpointBindings.FindId(key).One(&doc)
if err == mgo.ErrNotFound {
return nil, 0, errors.NotFoundf("endpoint bindings for %q", key)
}
if err != nil {
return nil, 0, errors.Annotatef(err, "cannot get endpoint bindings for %q", key)
}
return doc.Bindings, doc.TxnRevno, nil
}
// validateEndpointBindingsForCharm verifies that all endpoint names in bindings
// are valid for the given charm metadata, and each endpoint is bound to a known
// space - otherwise an error satisfying errors.IsNotValid() will be returned.
func validateEndpointBindingsForCharm(st *State, bindings map[string]string, charmMeta *charm.Meta) error {
if st == nil {
return errors.NotValidf("nil state")
}
if bindings == nil {
return errors.NotValidf("nil bindings")
}
if charmMeta == nil {
return errors.NotValidf("nil charm metadata")
}
spaces, err := st.AllSpaces()
if err != nil {
return errors.Trace(err)
}
spacesNamesSet := set.NewStrings()
for _, space := range spaces {
spacesNamesSet.Add(space.Name())
}
allBindings := DefaultEndpointBindingsForCharm(charmMeta)
endpointsNamesSet := set.NewStrings()
for name := range allBindings {
endpointsNamesSet.Add(name)
}
// Ensure there are no unknown endpoints and/or spaces specified.
//
// TODO(dimitern): This assumes spaces cannot be deleted when they are used
// in bindings. In follow-up, this will be enforced by using refcounts on
// spaces.
for endpoint, space := range bindings {
if !endpointsNamesSet.Contains(endpoint) {
return errors.NotValidf("unknown endpoint %q", endpoint)
}
if space != "" && !spacesNamesSet.Contains(space) {
return errors.NotValidf("unknown space %q", space)
}
}
return nil
}
// DefaultEndpointBindingsForCharm populates a bindings map containing each
// endpoint of the given charm metadata (relation name or extra-binding name)
// bound to an empty space.
func DefaultEndpointBindingsForCharm(charmMeta *charm.Meta) map[string]string {
allRelations := charmMeta.CombinedRelations()
bindings := make(map[string]string, len(allRelations)+len(charmMeta.ExtraBindings))
for name := range allRelations {
bindings[name] = ""
}
for name := range charmMeta.ExtraBindings {
bindings[name] = ""
}
return bindings
}