2015-03-18 00:05:18 +00:00
|
|
|
package framework
|
2015-03-18 00:03:00 +00:00
|
|
|
|
|
|
|
import (
|
|
|
|
"encoding/json"
|
|
|
|
"strings"
|
2015-03-18 00:05:18 +00:00
|
|
|
|
|
|
|
"github.com/hashicorp/vault/logical"
|
2015-03-18 00:03:00 +00:00
|
|
|
)
|
|
|
|
|
|
|
|
// WALPrefix is the prefix within Storage where WAL entries will be written.
|
|
|
|
const WALPrefix = "wal/"
|
|
|
|
|
|
|
|
// PutWAL writes some data to the WAL.
|
|
|
|
//
|
|
|
|
// Data within the WAL that is uncommitted (CommitWAL hasn't be called)
|
|
|
|
// will be given to the rollback callback when an rollback operation is
|
|
|
|
// received, allowing the backend to clean up some partial states.
|
|
|
|
//
|
|
|
|
// The data must be JSON encodable.
|
|
|
|
//
|
|
|
|
// This returns a unique ID that can be used to reference this WAL data.
|
|
|
|
// WAL data cannot be modified. You can only add to the WAL and commit existing
|
|
|
|
// WAL entries.
|
2015-03-18 00:05:18 +00:00
|
|
|
func PutWAL(s logical.Storage, data interface{}) (string, error) {
|
2015-03-18 00:03:00 +00:00
|
|
|
value, err := json.Marshal(data)
|
|
|
|
if err != nil {
|
|
|
|
return "", err
|
|
|
|
}
|
|
|
|
|
2015-03-18 00:05:18 +00:00
|
|
|
id, err := logical.UUID()
|
2015-03-18 00:03:00 +00:00
|
|
|
if err != nil {
|
|
|
|
return "", err
|
|
|
|
}
|
|
|
|
|
2015-03-18 00:05:18 +00:00
|
|
|
return id, s.Put(&logical.StorageEntry{
|
2015-03-18 00:03:00 +00:00
|
|
|
Key: WALPrefix + id,
|
|
|
|
Value: value,
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetWAL reads a specific entry from the WAL. If the entry doesn't exist,
|
|
|
|
// then nil value is returned.
|
2015-03-18 00:05:18 +00:00
|
|
|
func GetWAL(s logical.Storage, id string) (interface{}, error) {
|
2015-03-18 00:03:00 +00:00
|
|
|
entry, err := s.Get(WALPrefix + id)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
if entry == nil {
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
var result interface{}
|
|
|
|
if err := json.Unmarshal(entry.Value, &result); err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
return result, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// DeleteWAL commits the WAL entry with the given ID. Once comitted,
|
|
|
|
// it is assumed that the operation was a success and doesn't need to
|
|
|
|
// be rolled back.
|
2015-03-18 00:05:18 +00:00
|
|
|
func DeleteWAL(s logical.Storage, id string) error {
|
2015-03-18 00:03:00 +00:00
|
|
|
return s.Delete(WALPrefix + id)
|
|
|
|
}
|
|
|
|
|
|
|
|
// ListWAL lists all the entries in the WAL.
|
2015-03-18 00:05:18 +00:00
|
|
|
func ListWAL(s logical.Storage) ([]string, error) {
|
2015-03-18 00:03:00 +00:00
|
|
|
keys, err := s.List(WALPrefix)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
for i, k := range keys {
|
|
|
|
keys[i] = strings.TrimPrefix(k, WALPrefix)
|
|
|
|
}
|
|
|
|
|
|
|
|
return keys, nil
|
|
|
|
}
|