-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathmachine.go
1734 lines (1582 loc) · 54.9 KB
/
machine.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
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
// Copyright 2012, 2013 Canonical Ltd.
// Licensed under the AGPLv3, see LICENCE file for details.
package state
import (
"fmt"
"strings"
"time"
"github.com/juju/errors"
jujutxn "github.com/juju/txn"
"github.com/juju/utils"
"github.com/juju/utils/set"
"github.com/juju/version"
"gopkg.in/juju/names.v2"
"gopkg.in/mgo.v2"
"gopkg.in/mgo.v2/bson"
"gopkg.in/mgo.v2/txn"
"github.com/juju/juju/constraints"
"github.com/juju/juju/core/actions"
"github.com/juju/juju/instance"
"github.com/juju/juju/mongo"
"github.com/juju/juju/network"
"github.com/juju/juju/state/multiwatcher"
"github.com/juju/juju/state/presence"
"github.com/juju/juju/status"
"github.com/juju/juju/tools"
)
// Machine represents the state of a machine.
type Machine struct {
st *State
doc machineDoc
}
// MachineJob values define responsibilities that machines may be
// expected to fulfil.
type MachineJob int
const (
_ MachineJob = iota
JobHostUnits
JobManageModel
)
var (
jobNames = map[MachineJob]multiwatcher.MachineJob{
JobHostUnits: multiwatcher.JobHostUnits,
JobManageModel: multiwatcher.JobManageModel,
}
jobMigrationValue = map[MachineJob]string{
JobHostUnits: "host-units",
JobManageModel: "api-server",
}
)
// AllJobs returns all supported machine jobs.
func AllJobs() []MachineJob {
return []MachineJob{
JobHostUnits,
JobManageModel,
}
}
// ToParams returns the job as multiwatcher.MachineJob.
func (job MachineJob) ToParams() multiwatcher.MachineJob {
if jujuJob, ok := jobNames[job]; ok {
return jujuJob
}
return multiwatcher.MachineJob(fmt.Sprintf("<unknown job %d>", int(job)))
}
// params.JobsFromJobs converts state jobs to juju jobs.
func paramsJobsFromJobs(jobs []MachineJob) []multiwatcher.MachineJob {
jujuJobs := make([]multiwatcher.MachineJob, len(jobs))
for i, machineJob := range jobs {
jujuJobs[i] = machineJob.ToParams()
}
return jujuJobs
}
// MigrationValue converts the state job into a useful human readable
// string for model migration.
func (job MachineJob) MigrationValue() string {
if value, ok := jobMigrationValue[job]; ok {
return value
}
return "unknown"
}
func (job MachineJob) String() string {
return string(job.ToParams())
}
// manualMachinePrefix signals as prefix of Nonce that a machine is
// manually provisioned.
const manualMachinePrefix = "manual:"
// machineDoc represents the internal state of a machine in MongoDB.
// Note the correspondence with MachineInfo in apiserver/juju.
type machineDoc struct {
DocID string `bson:"_id"`
Id string `bson:"machineid"`
ModelUUID string `bson:"model-uuid"`
Nonce string
Series string
ContainerType string
Principals []string
Life Life
Tools *tools.Tools `bson:",omitempty"`
Jobs []MachineJob
NoVote bool
HasVote bool
PasswordHash string
Clean bool
// Volumes contains the names of volumes attached to the machine.
Volumes []string `bson:"volumes,omitempty"`
// Filesystems contains the names of filesystems attached to the machine.
Filesystems []string `bson:"filesystems,omitempty"`
// We store 2 different sets of addresses for the machine, obtained
// from different sources.
// Addresses is the set of addresses obtained by asking the provider.
Addresses []address
// MachineAddresses is the set of addresses obtained from the machine itself.
MachineAddresses []address
// PreferredPublicAddress is the preferred address to be used for
// the machine when a public address is requested.
PreferredPublicAddress address `bson:",omitempty"`
// PreferredPrivateAddress is the preferred address to be used for
// the machine when a private address is requested.
PreferredPrivateAddress address `bson:",omitempty"`
// The SupportedContainers attributes are used to advertise what containers this
// machine is capable of hosting.
SupportedContainersKnown bool
SupportedContainers []instance.ContainerType `bson:",omitempty"`
// Placement is the placement directive that should be used when provisioning
// an instance for the machine.
Placement string `bson:",omitempty"`
// StopMongoUntilVersion holds the version that must be checked to
// know if mongo must be stopped.
StopMongoUntilVersion string `bson:",omitempty"`
}
func newMachine(st *State, doc *machineDoc) *Machine {
machine := &Machine{
st: st,
doc: *doc,
}
return machine
}
func wantsVote(jobs []MachineJob, noVote bool) bool {
return hasJob(jobs, JobManageModel) && !noVote
}
// Id returns the machine id.
func (m *Machine) Id() string {
return m.doc.Id
}
// Principals returns the principals for the machine.
func (m *Machine) Principals() []string {
return m.doc.Principals
}
// Series returns the operating system series running on the machine.
func (m *Machine) Series() string {
return m.doc.Series
}
// ContainerType returns the type of container hosting this machine.
func (m *Machine) ContainerType() instance.ContainerType {
return instance.ContainerType(m.doc.ContainerType)
}
// machineGlobalKey returns the global database key for the identified machine.
func machineGlobalKey(id string) string {
return "m#" + id
}
// machineGlobalInstanceKey returns the global database key for the identified machine's instance.
func machineGlobalInstanceKey(id string) string {
return machineGlobalKey(id) + "#instance"
}
// globalInstanceKey returns the global database key for the machinei's instance.
func (m *Machine) globalInstanceKey() string {
return machineGlobalInstanceKey(m.doc.Id)
}
// globalKey returns the global database key for the machine.
func (m *Machine) globalKey() string {
return machineGlobalKey(m.doc.Id)
}
// instanceData holds attributes relevant to a provisioned machine.
type instanceData struct {
DocID string `bson:"_id"`
MachineId string `bson:"machineid"`
InstanceId instance.Id `bson:"instanceid"`
ModelUUID string `bson:"model-uuid"`
Status string `bson:"status,omitempty"`
Arch *string `bson:"arch,omitempty"`
Mem *uint64 `bson:"mem,omitempty"`
RootDisk *uint64 `bson:"rootdisk,omitempty"`
CpuCores *uint64 `bson:"cpucores,omitempty"`
CpuPower *uint64 `bson:"cpupower,omitempty"`
Tags *[]string `bson:"tags,omitempty"`
AvailZone *string `bson:"availzone,omitempty"`
}
func hardwareCharacteristics(instData instanceData) *instance.HardwareCharacteristics {
return &instance.HardwareCharacteristics{
Arch: instData.Arch,
Mem: instData.Mem,
RootDisk: instData.RootDisk,
CpuCores: instData.CpuCores,
CpuPower: instData.CpuPower,
Tags: instData.Tags,
AvailabilityZone: instData.AvailZone,
}
}
// TODO(wallyworld): move this method to a service.
func (m *Machine) HardwareCharacteristics() (*instance.HardwareCharacteristics, error) {
instData, err := getInstanceData(m.st, m.Id())
if err != nil {
return nil, err
}
return hardwareCharacteristics(instData), nil
}
func getInstanceData(st *State, id string) (instanceData, error) {
instanceDataCollection, closer := st.getCollection(instanceDataC)
defer closer()
var instData instanceData
err := instanceDataCollection.FindId(id).One(&instData)
if err == mgo.ErrNotFound {
return instanceData{}, errors.NotFoundf("instance data for machine %v", id)
}
if err != nil {
return instanceData{}, fmt.Errorf("cannot get instance data for machine %v: %v", id, err)
}
return instData, nil
}
// Tag returns a tag identifying the machine. The String method provides a
// string representation that is safe to use as a file name. The returned name
// will be different from other Tag values returned by any other entities
// from the same state.
func (m *Machine) Tag() names.Tag {
return m.MachineTag()
}
// MachineTag returns the more specific MachineTag type as opposed
// to the more generic Tag type.
func (m *Machine) MachineTag() names.MachineTag {
return names.NewMachineTag(m.Id())
}
// Life returns whether the machine is Alive, Dying or Dead.
func (m *Machine) Life() Life {
return m.doc.Life
}
// Jobs returns the responsibilities that must be fulfilled by m's agent.
func (m *Machine) Jobs() []MachineJob {
return m.doc.Jobs
}
// WantsVote reports whether the machine is a controller
// that wants to take part in peer voting.
func (m *Machine) WantsVote() bool {
return wantsVote(m.doc.Jobs, m.doc.NoVote)
}
// HasVote reports whether that machine is currently a voting
// member of the replica set.
func (m *Machine) HasVote() bool {
return m.doc.HasVote
}
// SetHasVote sets whether the machine is currently a voting
// member of the replica set. It should only be called
// from the worker that maintains the replica set.
func (m *Machine) SetHasVote(hasVote bool) error {
ops := []txn.Op{{
C: machinesC,
Id: m.doc.DocID,
Assert: notDeadDoc,
Update: bson.D{{"$set", bson.D{{"hasvote", hasVote}}}},
}}
if err := m.st.runTransaction(ops); err != nil {
return fmt.Errorf("cannot set HasVote of machine %v: %v", m, onAbort(err, ErrDead))
}
m.doc.HasVote = hasVote
return nil
}
// SetStopMongoUntilVersion sets a version that is to be checked against
// the agent config before deciding if mongo must be started on a
// state server.
func (m *Machine) SetStopMongoUntilVersion(v mongo.Version) error {
ops := []txn.Op{{
C: machinesC,
Id: m.doc.DocID,
Update: bson.D{{"$set", bson.D{{"stopmongountilversion", v.String()}}}},
}}
if err := m.st.runTransaction(ops); err != nil {
return fmt.Errorf("cannot set StopMongoUntilVersion %v: %v", m, onAbort(err, ErrDead))
}
m.doc.StopMongoUntilVersion = v.String()
return nil
}
// StopMongoUntilVersion returns the current minimum version that
// is required for this machine to have mongo running.
func (m *Machine) StopMongoUntilVersion() (mongo.Version, error) {
return mongo.NewVersion(m.doc.StopMongoUntilVersion)
}
// IsManager returns true if the machine has JobManageModel.
func (m *Machine) IsManager() bool {
return hasJob(m.doc.Jobs, JobManageModel)
}
// IsManual returns true if the machine was manually provisioned.
func (m *Machine) IsManual() (bool, error) {
// Apart from the bootstrap machine, manually provisioned
// machines have a nonce prefixed with "manual:". This is
// unique to manual provisioning.
if strings.HasPrefix(m.doc.Nonce, manualMachinePrefix) {
return true, nil
}
// The bootstrap machine uses BootstrapNonce, so in that
// case we need to check if its provider type is "manual".
// We also check for "null", which is an alias for manual.
if m.doc.Id == "0" {
cfg, err := m.st.ModelConfig()
if err != nil {
return false, err
}
t := cfg.Type()
return t == "null" || t == "manual", nil
}
return false, nil
}
// AgentTools returns the tools that the agent is currently running.
// It returns an error that satisfies errors.IsNotFound if the tools
// have not yet been set.
func (m *Machine) AgentTools() (*tools.Tools, error) {
if m.doc.Tools == nil {
return nil, errors.NotFoundf("agent tools for machine %v", m)
}
tools := *m.doc.Tools
return &tools, nil
}
// checkVersionValidity checks whether the given version is suitable
// for passing to SetAgentVersion.
func checkVersionValidity(v version.Binary) error {
if v.Series == "" || v.Arch == "" {
return fmt.Errorf("empty series or arch")
}
return nil
}
// SetAgentVersion sets the version of juju that the agent is
// currently running.
func (m *Machine) SetAgentVersion(v version.Binary) (err error) {
defer errors.DeferredAnnotatef(&err, "cannot set agent version for machine %v", m)
if err = checkVersionValidity(v); err != nil {
return err
}
tools := &tools.Tools{Version: v}
ops := []txn.Op{{
C: machinesC,
Id: m.doc.DocID,
Assert: notDeadDoc,
Update: bson.D{{"$set", bson.D{{"tools", tools}}}},
}}
// A "raw" transaction is needed here because this function gets
// called before database migraions have run so we don't
// necessarily want the env UUID added to the id.
if err := m.st.runRawTransaction(ops); err != nil {
return onAbort(err, ErrDead)
}
m.doc.Tools = tools
return nil
}
// SetMongoPassword sets the password the agent responsible for the machine
// should use to communicate with the controllers. Previous passwords
// are invalidated.
func (m *Machine) SetMongoPassword(password string) error {
if !m.IsManager() {
return errors.NotSupportedf("setting mongo password for non-controller machine %v", m)
}
return mongo.SetAdminMongoPassword(m.st.session, m.Tag().String(), password)
}
// SetPassword sets the password for the machine's agent.
func (m *Machine) SetPassword(password string) error {
if len(password) < utils.MinAgentPasswordLength {
return fmt.Errorf("password is only %d bytes long, and is not a valid Agent password", len(password))
}
return m.setPasswordHash(utils.AgentPasswordHash(password))
}
// setPasswordHash sets the underlying password hash in the database directly
// to the value supplied. This is split out from SetPassword to allow direct
// manipulation in tests (to check for backwards compatibility).
func (m *Machine) setPasswordHash(passwordHash string) error {
ops := []txn.Op{{
C: machinesC,
Id: m.doc.DocID,
Assert: notDeadDoc,
Update: bson.D{{"$set", bson.D{{"passwordhash", passwordHash}}}},
}}
// A "raw" transaction is used here because this code has to work
// before the machine env UUID DB migration has run. In this case
// we don't want the automatic env UUID prefixing to the doc _id
// to occur.
if err := m.st.runRawTransaction(ops); err != nil {
return fmt.Errorf("cannot set password of machine %v: %v", m, onAbort(err, ErrDead))
}
m.doc.PasswordHash = passwordHash
return nil
}
// Return the underlying PasswordHash stored in the database. Used by the test
// suite to check that the PasswordHash gets properly updated to new values
// when compatibility mode is detected.
func (m *Machine) getPasswordHash() string {
return m.doc.PasswordHash
}
// PasswordValid returns whether the given password is valid
// for the given machine.
func (m *Machine) PasswordValid(password string) bool {
agentHash := utils.AgentPasswordHash(password)
return agentHash == m.doc.PasswordHash
}
// Destroy sets the machine lifecycle to Dying if it is Alive. It does
// nothing otherwise. Destroy will fail if the machine has principal
// units assigned, or if the machine has JobManageModel.
// If the machine has assigned units, Destroy will return
// a HasAssignedUnitsError.
func (m *Machine) Destroy() error {
return m.advanceLifecycle(Dying)
}
// ForceDestroy queues the machine for complete removal, including the
// destruction of all units and containers on the machine.
func (m *Machine) ForceDestroy() error {
ops, err := m.forceDestroyOps()
if err != nil {
return errors.Trace(err)
}
if err := m.st.runTransaction(ops); err != txn.ErrAborted {
return errors.Trace(err)
}
return nil
}
var managerMachineError = errors.New("machine is required by the model")
func (m *Machine) forceDestroyOps() ([]txn.Op, error) {
if m.IsManager() {
return nil, errors.Trace(managerMachineError)
}
return []txn.Op{{
C: machinesC,
Id: m.doc.DocID,
Assert: bson.D{{"jobs", bson.D{{"$nin", []MachineJob{JobManageModel}}}}},
}, newCleanupOp(cleanupForceDestroyedMachine, m.doc.Id)}, nil
}
// EnsureDead sets the machine lifecycle to Dead if it is Alive or Dying.
// It does nothing otherwise. EnsureDead will fail if the machine has
// principal units assigned, or if the machine has JobManageModel.
// If the machine has assigned units, EnsureDead will return
// a HasAssignedUnitsError.
func (m *Machine) EnsureDead() error {
return m.advanceLifecycle(Dead)
}
type HasAssignedUnitsError struct {
MachineId string
UnitNames []string
}
func (e *HasAssignedUnitsError) Error() string {
return fmt.Sprintf("machine %s has unit %q assigned", e.MachineId, e.UnitNames[0])
}
func IsHasAssignedUnitsError(err error) bool {
_, ok := err.(*HasAssignedUnitsError)
return ok
}
// Containers returns the container ids belonging to a parent machine.
// TODO(wallyworld): move this method to a service
func (m *Machine) Containers() ([]string, error) {
containerRefs, closer := m.st.getCollection(containerRefsC)
defer closer()
var mc machineContainers
err := containerRefs.FindId(m.doc.DocID).One(&mc)
if err == nil {
return mc.Children, nil
}
if err == mgo.ErrNotFound {
return nil, errors.NotFoundf("container info for machine %v", m.Id())
}
return nil, err
}
// ParentId returns the Id of the host machine if this machine is a container.
func (m *Machine) ParentId() (string, bool) {
parentId := ParentId(m.Id())
return parentId, parentId != ""
}
// IsContainer returns true if the machine is a container.
func (m *Machine) IsContainer() bool {
_, isContainer := m.ParentId()
return isContainer
}
type HasContainersError struct {
MachineId string
ContainerIds []string
}
func (e *HasContainersError) Error() string {
return fmt.Sprintf("machine %s is hosting containers %q", e.MachineId, strings.Join(e.ContainerIds, ","))
}
// IsHasContainersError reports whether or not the error is a
// HasContainersError, indicating that an attempt to destroy
// a machine failed due to it having containers.
func IsHasContainersError(err error) bool {
_, ok := errors.Cause(err).(*HasContainersError)
return ok
}
// HasAttachmentsError is the error returned by EnsureDead if the machine
// has attachments to resources that must be cleaned up first.
type HasAttachmentsError struct {
MachineId string
Attachments []names.Tag
}
func (e *HasAttachmentsError) Error() string {
return fmt.Sprintf(
"machine %s has attachments %s",
e.MachineId, e.Attachments,
)
}
// IsHasAttachmentsError reports whether or not the error is a
// HasAttachmentsError, indicating that an attempt to destroy
// a machine failed due to it having storage attachments.
func IsHasAttachmentsError(err error) bool {
_, ok := errors.Cause(err).(*HasAttachmentsError)
return ok
}
// advanceLifecycle ensures that the machine's lifecycle is no earlier
// than the supplied value. If the machine already has that lifecycle
// value, or a later one, no changes will be made to remote state. If
// the machine has any responsibilities that preclude a valid change in
// lifecycle, it will return an error.
func (original *Machine) advanceLifecycle(life Life) (err error) {
containers, err := original.Containers()
if err != nil {
return err
}
if len(containers) > 0 {
return &HasContainersError{
MachineId: original.doc.Id,
ContainerIds: containers,
}
}
m := original
defer func() {
if err == nil {
// The machine's lifecycle is known to have advanced; it may be
// known to have already advanced further than requested, in
// which case we set the latest known valid value.
if m == nil {
life = Dead
} else if m.doc.Life > life {
life = m.doc.Life
}
original.doc.Life = life
}
}()
// op and
op := txn.Op{
C: machinesC,
Id: m.doc.DocID,
Update: bson.D{{"$set", bson.D{{"life", life}}}},
}
// noUnits asserts that the machine has no principal units.
noUnits := bson.DocElem{
"$or", []bson.D{
{{"principals", bson.D{{"$size", 0}}}},
{{"principals", bson.D{{"$exists", false}}}},
},
}
cleanupOp := newCleanupOp(cleanupDyingMachine, m.doc.Id)
// multiple attempts: one with original data, one with refreshed data, and a final
// one intended to determine the cause of failure of the preceding attempt.
buildTxn := func(attempt int) ([]txn.Op, error) {
advanceAsserts := bson.D{
{"jobs", bson.D{{"$nin", []MachineJob{JobManageModel}}}},
{"hasvote", bson.D{{"$ne", true}}},
}
// Grab a fresh copy of the machine data.
// We don't write to original, because the expectation is that state-
// changing methods only set the requested change on the receiver; a case
// could perhaps be made that this is not a helpful convention in the
// context of the new state API, but we maintain consistency in the
// face of uncertainty.
if m, err = m.st.Machine(m.doc.Id); errors.IsNotFound(err) {
return nil, jujutxn.ErrNoOperations
} else if err != nil {
return nil, err
}
// Check that the life change is sane, and collect the assertions
// necessary to determine that it remains so.
switch life {
case Dying:
if m.doc.Life != Alive {
return nil, jujutxn.ErrNoOperations
}
advanceAsserts = append(advanceAsserts, isAliveDoc...)
case Dead:
if m.doc.Life == Dead {
return nil, jujutxn.ErrNoOperations
}
advanceAsserts = append(advanceAsserts, notDeadDoc...)
default:
panic(fmt.Errorf("cannot advance lifecycle to %v", life))
}
// Check that the machine does not have any responsibilities that
// prevent a lifecycle change.
if hasJob(m.doc.Jobs, JobManageModel) {
// (NOTE: When we enable multiple JobManageModel machines,
// this restriction will be lifted, but we will assert that the
// machine is not voting)
return nil, fmt.Errorf("machine %s is required by the model", m.doc.Id)
}
if m.doc.HasVote {
return nil, fmt.Errorf("machine %s is a voting replica set member", m.doc.Id)
}
// If there are no alive units left on the machine, or all the services are dying,
// then the machine may be soon destroyed by a cleanup worker.
// In that case, we don't want to return any error about not being able to
// destroy a machine with units as it will be a lie.
if life == Dying {
canDie := true
var principalUnitnames []string
for _, principalUnit := range m.doc.Principals {
principalUnitnames = append(principalUnitnames, principalUnit)
u, err := m.st.Unit(principalUnit)
if err != nil {
return nil, errors.Annotatef(err, "reading machine %s principal unit %v", m, m.doc.Principals[0])
}
svc, err := u.Application()
if err != nil {
return nil, errors.Annotatef(err, "reading machine %s principal unit service %v", m, u.doc.Application)
}
if u.Life() == Alive && svc.Life() == Alive {
canDie = false
break
}
}
if canDie {
containers, err := m.Containers()
if err != nil {
return nil, errors.Annotatef(err, "reading machine %s containers", m)
}
canDie = len(containers) == 0
}
if canDie {
checkUnits := bson.DocElem{
"$or", []bson.D{
{{"principals", principalUnitnames}},
{{"principals", bson.D{{"$size", 0}}}},
{{"principals", bson.D{{"$exists", false}}}},
},
}
op.Assert = append(advanceAsserts, checkUnits)
containerCheck := txn.Op{
C: containerRefsC,
Id: m.doc.DocID,
Assert: bson.D{{"$or", []bson.D{
{{"children", bson.D{{"$size", 0}}}},
{{"children", bson.D{{"$exists", false}}}},
}}},
}
return []txn.Op{op, containerCheck, cleanupOp}, nil
}
}
if len(m.doc.Principals) > 0 {
return nil, &HasAssignedUnitsError{
MachineId: m.doc.Id,
UnitNames: m.doc.Principals,
}
}
advanceAsserts = append(advanceAsserts, noUnits)
if life == Dead {
// A machine may not become Dead until it has no more
// attachments to inherently machine-bound storage.
storageAsserts, err := m.assertNoPersistentStorage()
if err != nil {
return nil, errors.Trace(err)
}
advanceAsserts = append(advanceAsserts, storageAsserts...)
}
// Add the additional asserts needed for this transaction.
op.Assert = advanceAsserts
return []txn.Op{op, cleanupOp}, nil
}
if err = m.st.run(buildTxn); err == jujutxn.ErrExcessiveContention {
err = errors.Annotatef(err, "machine %s cannot advance lifecycle", m)
}
return err
}
// assertNoPersistentStorage ensures that there are no persistent volumes or
// filesystems attached to the machine, and returns any mgo/txn assertions
// required to ensure that remains true.
func (m *Machine) assertNoPersistentStorage() (bson.D, error) {
attachments := make(set.Tags)
for _, v := range m.doc.Volumes {
tag := names.NewVolumeTag(v)
machineBound, err := isVolumeInherentlyMachineBound(m.st, tag)
if err != nil {
return nil, errors.Trace(err)
}
if !machineBound {
attachments.Add(tag)
}
}
for _, f := range m.doc.Filesystems {
tag := names.NewFilesystemTag(f)
machineBound, err := isFilesystemInherentlyMachineBound(m.st, tag)
if err != nil {
return nil, errors.Trace(err)
}
if !machineBound {
attachments.Add(tag)
}
}
if len(attachments) > 0 {
return nil, &HasAttachmentsError{
MachineId: m.doc.Id,
Attachments: attachments.SortedValues(),
}
}
if m.doc.Life == Dying {
return nil, nil
}
// A Dying machine cannot have attachments added to it,
// but if we're advancing from Alive to Dead then we
// must ensure no concurrent attachments are made.
noNewVolumes := bson.DocElem{
"volumes", bson.D{{
"$not", bson.D{{
"$elemMatch", bson.D{{
"$nin", m.doc.Volumes,
}},
}},
}},
// There are no volumes that are not in
// the set of volumes we previously knew
// about => the current set of volumes
// is a subset of the previously known set.
}
noNewFilesystems := bson.DocElem{
"filesystems", bson.D{{
"$not", bson.D{{
"$elemMatch", bson.D{{
"$nin", m.doc.Filesystems,
}},
}},
}},
}
return bson.D{noNewVolumes, noNewFilesystems}, nil
}
func (m *Machine) removePortsOps() ([]txn.Op, error) {
if m.doc.Life != Dead {
return nil, errors.Errorf("machine is not dead")
}
ports, err := m.AllPorts()
if err != nil {
return nil, err
}
var ops []txn.Op
for _, p := range ports {
ops = append(ops, p.removeOps()...)
}
return ops, nil
}
func (m *Machine) removeOps() ([]txn.Op, error) {
if m.doc.Life != Dead {
return nil, fmt.Errorf("machine is not dead")
}
ops := []txn.Op{
{
C: machinesC,
Id: m.doc.DocID,
Assert: txn.DocExists,
Remove: true,
},
{
C: machinesC,
Id: m.doc.DocID,
Assert: isDeadDoc,
},
removeStatusOp(m.st, m.globalKey()),
removeStatusOp(m.st, m.globalInstanceKey()),
removeConstraintsOp(m.st, m.globalKey()),
annotationRemoveOp(m.st, m.globalKey()),
removeRebootDocOp(m.st, m.globalKey()),
removeMachineBlockDevicesOp(m.Id()),
removeModelMachineRefOp(m.st, m.Id()),
removeSSHHostKeyOp(m.st, m.globalKey()),
}
linkLayerDevicesOps, err := m.removeAllLinkLayerDevicesOps()
if err != nil {
return nil, errors.Trace(err)
}
devicesAddressesOps, err := m.removeAllAddressesOps()
if err != nil {
return nil, errors.Trace(err)
}
portsOps, err := m.removePortsOps()
if err != nil {
return nil, errors.Trace(err)
}
filesystemOps, err := m.st.removeMachineFilesystemsOps(m.MachineTag())
if err != nil {
return nil, errors.Trace(err)
}
volumeOps, err := m.st.removeMachineVolumesOps(m.MachineTag())
if err != nil {
return nil, errors.Trace(err)
}
ops = append(ops, linkLayerDevicesOps...)
ops = append(ops, devicesAddressesOps...)
ops = append(ops, portsOps...)
ops = append(ops, removeContainerRefOps(m.st, m.Id())...)
ops = append(ops, filesystemOps...)
ops = append(ops, volumeOps...)
return ops, nil
}
// Remove removes the machine from state. It will fail if the machine
// is not Dead.
func (m *Machine) Remove() (err error) {
defer errors.DeferredAnnotatef(&err, "cannot remove machine %s", m.doc.Id)
logger.Tracef("removing machine %q", m.Id())
// Local variable so we can re-get the machine without disrupting
// the caller.
machine := m
buildTxn := func(attempt int) ([]txn.Op, error) {
if attempt != 0 {
machine, err = machine.st.Machine(machine.Id())
if errors.IsNotFound(err) {
// The machine's gone away, that's fine.
return nil, jujutxn.ErrNoOperations
}
if err != nil {
return nil, errors.Trace(err)
}
}
ops, err := machine.removeOps()
if err != nil {
return nil, errors.Trace(err)
}
return ops, nil
}
return m.st.run(buildTxn)
}
// Refresh refreshes the contents of the machine from the underlying
// state. It returns an error that satisfies errors.IsNotFound if the
// machine has been removed.
func (m *Machine) Refresh() error {
mdoc, err := m.st.getMachineDoc(m.Id())
if err != nil {
if errors.IsNotFound(err) {
return err
}
return errors.Annotatef(err, "cannot refresh machine %v", m)
}
m.doc = *mdoc
return nil
}
// AgentPresence returns whether the respective remote agent is alive.
func (m *Machine) AgentPresence() (bool, error) {
pwatcher := m.st.workers.PresenceWatcher()
return pwatcher.Alive(m.globalKey())
}
// WaitAgentPresence blocks until the respective agent is alive.
func (m *Machine) WaitAgentPresence(timeout time.Duration) (err error) {
defer errors.DeferredAnnotatef(&err, "waiting for agent of machine %v", m)
ch := make(chan presence.Change)
pwatcher := m.st.workers.PresenceWatcher()
pwatcher.Watch(m.globalKey(), ch)
defer pwatcher.Unwatch(m.globalKey(), ch)
for i := 0; i < 2; i++ {
select {
case change := <-ch:
if change.Alive {
return nil
}
case <-time.After(timeout):
// TODO(fwereade): 2016-03-17 lp:1558657
return fmt.Errorf("still not alive after timeout")
case <-pwatcher.Dead():
return pwatcher.Err()
}
}
panic(fmt.Sprintf("presence reported dead status twice in a row for machine %v", m))
}
// SetAgentPresence signals that the agent for machine m is alive.
// It returns the started pinger.
func (m *Machine) SetAgentPresence() (*presence.Pinger, error) {
presenceCollection := m.st.getPresenceCollection()
p := presence.NewPinger(presenceCollection, m.st.modelTag, m.globalKey())
err := p.Start()
if err != nil {
return nil, err
}
// We preform a manual sync here so that the
// presence pinger has the most up-to-date information when it
// starts. This ensures that commands run immediately after bootstrap
// like status or enable-ha will have an accurate values
// for agent-state.
//
// TODO: Does not work for multiple controllers. Trigger a sync across all controllers.
if m.IsManager() {
m.st.workers.PresenceWatcher().Sync()
}
return p, nil
}
// InstanceId returns the provider specific instance id for this
// machine, or a NotProvisionedError, if not set.
func (m *Machine) InstanceId() (instance.Id, error) {
instData, err := getInstanceData(m.st, m.Id())
if errors.IsNotFound(err) {
err = errors.NotProvisionedf("machine %v", m.Id())
}
if err != nil {
return "", err
}
return instData.InstanceId, err
}
// InstanceStatus returns the provider specific instance status for this machine,
// or a NotProvisionedError if instance is not yet provisioned.
func (m *Machine) InstanceStatus() (status.StatusInfo, error) {
machineStatus, err := getStatus(m.st, m.globalInstanceKey(), "instance")
if err != nil {
logger.Warningf("error when retrieving instance status for machine: %s, %v", m.Id(), err)
return status.StatusInfo{}, err
}
return machineStatus, nil
}
// SetInstanceStatus sets the provider specific instance status for a machine.
func (m *Machine) SetInstanceStatus(sInfo status.StatusInfo) (err error) {