1
0
mirror of https://github.com/go-micro/go-micro.git synced 2024-11-24 08:02:32 +02:00
go-micro/config/secrets/secrets.go

89 lines
2.1 KiB
Go
Raw Normal View History

// Package secrets is an interface for encrypting and decrypting secrets
package secrets
import "context"
2022-09-30 16:27:07 +02:00
// Secrets encrypts or decrypts arbitrary data. The data should be as small as possible.
2020-04-27 15:57:57 +02:00
type Secrets interface {
2022-09-30 16:27:07 +02:00
// Initialize options
Init(...Option) error
2020-04-27 15:57:57 +02:00
// Return the options
Options() Options
2020-04-27 15:57:57 +02:00
// Decrypt a value
Decrypt([]byte, ...DecryptOption) ([]byte, error)
2020-04-27 15:57:57 +02:00
// Encrypt a value
Encrypt([]byte, ...EncryptOption) ([]byte, error)
2020-04-27 15:57:57 +02:00
// Secrets implementation
String() string
}
type Options struct {
2023-04-26 02:16:34 +02:00
// Context for other opts
Context context.Context
2020-04-27 15:57:57 +02:00
// Key is a symmetric key for encoding
Key []byte
// Private key for decoding
PrivateKey []byte
2020-04-27 15:57:57 +02:00
// Public key for encoding
PublicKey []byte
}
2022-09-30 16:27:07 +02:00
// Option sets options.
type Option func(*Options)
2022-09-30 16:27:07 +02:00
// Key sets the symmetric secret key.
2020-04-27 15:57:57 +02:00
func Key(k []byte) Option {
return func(o *Options) {
2020-04-27 15:57:57 +02:00
o.Key = make([]byte, len(k))
copy(o.Key, k)
}
}
2022-09-30 16:27:07 +02:00
// PublicKey sets the asymmetric Public Key of this codec.
func PublicKey(key []byte) Option {
return func(o *Options) {
o.PublicKey = make([]byte, len(key))
copy(o.PublicKey, key)
}
}
2022-09-30 16:27:07 +02:00
// PrivateKey sets the asymmetric Private Key of this codec.
func PrivateKey(key []byte) Option {
return func(o *Options) {
o.PrivateKey = make([]byte, len(key))
copy(o.PrivateKey, key)
}
}
2022-09-30 16:27:07 +02:00
// DecryptOptions can be passed to Secrets.Decrypt.
type DecryptOptions struct {
SenderPublicKey []byte
}
2022-09-30 16:27:07 +02:00
// DecryptOption sets DecryptOptions.
type DecryptOption func(*DecryptOptions)
2022-09-30 16:27:07 +02:00
// SenderPublicKey is the Public Key of the Secrets that encrypted this message.
func SenderPublicKey(key []byte) DecryptOption {
return func(d *DecryptOptions) {
d.SenderPublicKey = make([]byte, len(key))
copy(d.SenderPublicKey, key)
}
}
2022-09-30 16:27:07 +02:00
// EncryptOptions can be passed to Secrets.Encrypt.
type EncryptOptions struct {
RecipientPublicKey []byte
}
2022-09-30 16:27:07 +02:00
// EncryptOption Sets EncryptOptions.
type EncryptOption func(*EncryptOptions)
2022-09-30 16:27:07 +02:00
// RecipientPublicKey is the Public Key of the Secrets that will decrypt this message.
func RecipientPublicKey(key []byte) EncryptOption {
return func(e *EncryptOptions) {
e.RecipientPublicKey = make([]byte, len(key))
copy(e.RecipientPublicKey, key)
}
}