mirror of
https://github.com/moby/moby.git
synced 2022-11-09 12:21:53 -05:00
6ef1060cd0
Ensures all known volumes (known b/c they are persisted to disk) have their volume drivers refcounted properly. In testing this, I found an issue with `--live-restore` (required since currently the provided volume plugin doesn't keep state on restart) where restorted plugins did not have a plugin client loaded causing a panic when trying to use the plugin. Signed-off-by: Brian Goff <cpuguy83@gmail.com>
78 lines
1.7 KiB
Go
78 lines
1.7 KiB
Go
package store
|
|
|
|
import (
|
|
"encoding/json"
|
|
|
|
"github.com/boltdb/bolt"
|
|
"github.com/pkg/errors"
|
|
)
|
|
|
|
var volumeBucketName = []byte("volumes")
|
|
|
|
type dbEntry struct {
|
|
Key []byte
|
|
Value []byte
|
|
}
|
|
|
|
type volumeMetadata struct {
|
|
Name string
|
|
Driver string
|
|
Labels map[string]string
|
|
Options map[string]string
|
|
}
|
|
|
|
func (s *VolumeStore) setMeta(name string, meta volumeMetadata) error {
|
|
return s.db.Update(func(tx *bolt.Tx) error {
|
|
return setMeta(tx, name, meta)
|
|
})
|
|
}
|
|
|
|
func setMeta(tx *bolt.Tx, name string, meta volumeMetadata) error {
|
|
metaJSON, err := json.Marshal(meta)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
b := tx.Bucket(volumeBucketName)
|
|
return errors.Wrap(b.Put([]byte(name), metaJSON), "error setting volume metadata")
|
|
}
|
|
|
|
func (s *VolumeStore) getMeta(name string) (volumeMetadata, error) {
|
|
var meta volumeMetadata
|
|
err := s.db.View(func(tx *bolt.Tx) error {
|
|
return getMeta(tx, name, &meta)
|
|
})
|
|
return meta, err
|
|
}
|
|
|
|
func getMeta(tx *bolt.Tx, name string, meta *volumeMetadata) error {
|
|
b := tx.Bucket(volumeBucketName)
|
|
val := b.Get([]byte(name))
|
|
if string(val) == "" {
|
|
return nil
|
|
}
|
|
if err := json.Unmarshal(val, meta); err != nil {
|
|
return errors.Wrap(err, "error unmarshaling volume metadata")
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (s *VolumeStore) removeMeta(name string) error {
|
|
return s.db.Update(func(tx *bolt.Tx) error {
|
|
return removeMeta(tx, name)
|
|
})
|
|
}
|
|
|
|
func removeMeta(tx *bolt.Tx, name string) error {
|
|
b := tx.Bucket(volumeBucketName)
|
|
return errors.Wrap(b.Delete([]byte(name)), "error removing volume metadata")
|
|
}
|
|
|
|
func listEntries(tx *bolt.Tx) []*dbEntry {
|
|
var entries []*dbEntry
|
|
b := tx.Bucket(volumeBucketName)
|
|
b.ForEach(func(k, v []byte) error {
|
|
entries = append(entries, &dbEntry{k, v})
|
|
return nil
|
|
})
|
|
return entries
|
|
}
|