More general migration framework in place

License: MIT
Signed-off-by: Wyatt Daviau <wdaviau@cs.stanford.edu>
This commit is contained in:
Wyatt Daviau 2018-01-04 23:07:52 -05:00
parent 84cc12c0b7
commit 652ba567a2

View File

@ -1,5 +1,10 @@
package mapstate
// To add a new state format
// - implement the previous format's "next" function to the new format
// - implement the new format's unmarshal function
// - add a case to the switch statement for the previous format version
// - update the code copying the from mapStateVx to mapState
import (
"bytes"
"errors"
@ -9,30 +14,88 @@ import (
"github.com/ipfs/ipfs-cluster/api"
)
// Instances of migrateable can be read from a serialized format and migrated
// to other state formats
type migrateable interface {
next() migrateable
unmarshal([]byte) error
}
type mapStateV1 struct {
Version int
PinMap map[string]struct{}
}
// Unmarshal the serialization of a v1 state
func (st *mapStateV1) unmarshal(bs []byte) error {
buf := bytes.NewBuffer(bs)
dec := msgpack.Multicodec(msgpack.DefaultMsgpackHandle()).Decoder(buf)
return dec.Decode(st)
}
// Migrate from v1 to v2
func (st *mapStateV1) next() migrateable {
var mst2 mapStateV2
mst2.PinMap = make(map[string]api.PinSerial)
for k := range st.PinMap {
mst2.PinMap[k] = api.PinSerial{
Cid: k,
Allocations: []string{},
ReplicationFactor: -1,
}
}
return &mst2
}
type mapStateV2 struct {
PinMap map[string]api.PinSerial
Version int
}
func (st *mapStateV2) unmarshal(bs []byte) error {
buf := bytes.NewBuffer(bs)
dec := msgpack.Multicodec(msgpack.DefaultMsgpackHandle()).Decoder(buf)
return dec.Decode(st)
}
// No migration possible, v2 is the latest state
func (st *mapStateV2) next() migrateable {
return nil
}
func finalCopy(st *MapState, internal *mapStateV2) {
for k := range internal.PinMap {
st.PinMap[k] = internal.PinMap[k]
}
}
func (st *MapState) migrateFrom(version int, snap []byte) error {
var m, next migrateable
switch version {
case 1:
var mstv1 mapStateV1
buf := bytes.NewBuffer(snap)
dec := msgpack.Multicodec(msgpack.DefaultMsgpackHandle()).Decoder(buf)
if err := dec.Decode(&mstv1); err != nil {
return err
}
var mst1 mapStateV1
m = &mst1
break
for k := range mstv1.PinMap {
st.PinMap[k] = api.PinSerial{
Cid: k,
Allocations: []string{},
ReplicationFactor: -1,
}
}
return nil
default:
return errors.New("version migration not supported")
}
err := m.unmarshal(snap)
if err != nil {
return err
}
for {
next = m.next()
if next == nil {
mst2, ok := m.(*mapStateV2)
if !ok {
return errors.New("migration ended prematurely")
}
finalCopy(st, mst2)
return nil
}
m = next
}
}