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
|
package libvirt
import (
"bytes"
"encoding/xml"
"fmt"
"log"
"time"
"github.com/davecgh/go-spew/spew"
libvirt "github.com/libvirt/libvirt-go"
)
var diskLetters = []rune("abcdefghijklmnopqrstuvwxyz")
// LibVirtConIsNil is a global string error msg
const LibVirtConIsNil string = "the libvirt connection was nil"
// DiskLetterForIndex return diskLetters for index
func DiskLetterForIndex(i int) string {
q := i / len(diskLetters)
r := i % len(diskLetters)
letter := diskLetters[r]
if q == 0 {
return fmt.Sprintf("%c", letter)
}
return fmt.Sprintf("%s%c", DiskLetterForIndex(q-1), letter)
}
// WaitSleepInterval time
var WaitSleepInterval = 1 * time.Second
// WaitTimeout time
var WaitTimeout = 5 * time.Minute
// WaitForSuccess wait for success and timeout after 5 minutes.
func WaitForSuccess(errorMessage string, f func() error) error {
start := time.Now()
for {
err := f()
if err == nil {
return nil
}
log.Printf("[DEBUG] %s. Re-trying.\n", err)
time.Sleep(WaitSleepInterval)
if time.Since(start) > WaitTimeout {
return fmt.Errorf("%s: %s", errorMessage, err)
}
}
}
// return an indented XML
func xmlMarshallIndented(b interface{}) (string, error) {
buf := new(bytes.Buffer)
enc := xml.NewEncoder(buf)
enc.Indent(" ", " ")
if err := enc.Encode(b); err != nil {
return "", fmt.Errorf("could not marshall this:\n%s", spew.Sdump(b))
}
return buf.String(), nil
}
// RemoveVolume removes the volume identified by `key` from libvirt
func RemoveVolume(virConn *libvirt.Connect, key string) error {
volume, err := virConn.LookupStorageVolByKey(key)
if err != nil {
return fmt.Errorf("Can't retrieve volume %s", key)
}
defer volume.Free()
// Refresh the pool of the volume so that libvirt knows it is
// not longer in use.
volPool, err := volume.LookupPoolByVolume()
if err != nil {
return fmt.Errorf("Error retrieving pool for volume: %s", err)
}
defer volPool.Free()
poolName, err := volPool.GetName()
if err != nil {
return fmt.Errorf("Error retrieving name of volume: %s", err)
}
poolMutexKV.Lock(poolName)
defer poolMutexKV.Unlock(poolName)
WaitForSuccess("Error refreshing pool for volume", func() error {
return volPool.Refresh(0)
})
// Workaround for redhat#1293804
// https://bugzilla.redhat.com/show_bug.cgi?id=1293804#c12
// Does not solve the problem but it makes it happen less often.
_, err = volume.GetXMLDesc(0)
if err != nil {
return fmt.Errorf("Can't retrieve volume %s XML desc: %s", key, err)
}
err = volume.Delete(0)
if err != nil {
return fmt.Errorf("Can't delete volume %s: %s", key, err)
}
return nil
}
|