2020-12-10 14:37:06 +00:00
|
|
|
// Copyright 2020 the Pinniped contributors. All Rights Reserved.
|
|
|
|
// SPDX-License-Identifier: Apache-2.0
|
|
|
|
|
|
|
|
// Package dynamiccodec provides a type that can encode information using a just-in-time signing and
|
|
|
|
// (optionally) encryption secret.
|
|
|
|
package dynamiccodec
|
|
|
|
|
|
|
|
import (
|
|
|
|
"github.com/gorilla/securecookie"
|
|
|
|
|
|
|
|
"go.pinniped.dev/internal/oidc"
|
|
|
|
)
|
|
|
|
|
|
|
|
var _ oidc.Codec = &Codec{}
|
|
|
|
|
2020-12-10 18:51:15 +00:00
|
|
|
// KeyFunc returns a single key: a symmetric key.
|
|
|
|
type KeyFunc func() []byte
|
2020-12-10 14:37:06 +00:00
|
|
|
|
|
|
|
// Codec can dynamically encode and decode information by using a KeyFunc to get its keys
|
|
|
|
// just-in-time.
|
|
|
|
type Codec struct {
|
2020-12-10 18:51:15 +00:00
|
|
|
signingKeyFunc KeyFunc
|
|
|
|
encryptionKeyFunc KeyFunc
|
2020-12-10 14:37:06 +00:00
|
|
|
}
|
|
|
|
|
2020-12-10 19:34:39 +00:00
|
|
|
// New creates a new Codec that will use the provided keyFuncs for its key source, and
|
|
|
|
// use the securecookie.JSONEncoder. The securecookie.JSONEncoder is used because the default
|
|
|
|
// securecookie.GobEncoder is less compact and more difficult to make forward compatible.
|
2020-12-10 18:51:15 +00:00
|
|
|
func New(signingKeyFunc, encryptionKeyFunc KeyFunc) *Codec {
|
2020-12-10 14:37:06 +00:00
|
|
|
return &Codec{
|
2020-12-10 18:51:15 +00:00
|
|
|
signingKeyFunc: signingKeyFunc,
|
|
|
|
encryptionKeyFunc: encryptionKeyFunc,
|
2020-12-10 14:37:06 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Encode implements oidc.Encode().
|
|
|
|
func (c *Codec) Encode(name string, value interface{}) (string, error) {
|
2020-12-10 19:34:39 +00:00
|
|
|
encoder := securecookie.New(c.signingKeyFunc(), c.encryptionKeyFunc())
|
|
|
|
encoder.SetSerializer(securecookie.JSONEncoder{})
|
|
|
|
return encoder.Encode(name, value)
|
2020-12-10 14:37:06 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
// Decode implements oidc.Decode().
|
|
|
|
func (c *Codec) Decode(name string, value string, into interface{}) error {
|
2020-12-10 19:34:39 +00:00
|
|
|
decoder := securecookie.New(c.signingKeyFunc(), c.encryptionKeyFunc())
|
|
|
|
decoder.SetSerializer(securecookie.JSONEncoder{})
|
|
|
|
return decoder.Decode(name, value, into)
|
2020-12-10 14:37:06 +00:00
|
|
|
}
|