libgocryptfs/internal/siv_aead/siv_aead.go

78 lines
2.0 KiB
Go
Raw Normal View History

2016-09-26 23:06:40 +02:00
// Package siv_aead wraps the functions provided by siv
// in a crypto.AEAD interface.
package siv_aead
import (
2016-10-02 06:14:18 +02:00
"crypto/cipher"
"log"
2016-10-02 06:14:18 +02:00
2016-09-26 23:06:40 +02:00
"github.com/jacobsa/crypto/siv"
)
type sivAead struct {
key []byte
}
2016-10-02 06:14:18 +02:00
var _ cipher.AEAD = &sivAead{}
const (
2017-04-29 14:50:58 +02:00
// KeyLen is the required key length. The SIV algorithm supports other lengths,
// but we only support 64.
KeyLen = 64
)
2016-10-02 06:14:18 +02:00
// New returns a new cipher.AEAD implementation.
func New(key []byte) cipher.AEAD {
if len(key) != KeyLen {
2017-04-29 14:50:58 +02:00
// SIV supports 32, 48 or 64-byte keys, but in gocryptfs we
// exclusively use 64.
log.Panicf("Key must be %d byte long (you passed %d)", KeyLen, len(key))
}
return new2(key)
}
// Same as "New" without the 64-byte restriction.
func new2(key []byte) cipher.AEAD {
2016-09-26 23:06:40 +02:00
return &sivAead{
key: key,
}
}
func (s *sivAead) NonceSize() int {
// SIV supports any nonce size, but in gocryptfs we exclusively use 16.
return 16
}
func (s *sivAead) Overhead() int {
return 16
2016-09-26 23:06:40 +02:00
}
2016-10-02 06:14:18 +02:00
// Seal encrypts "in" using "nonce" and "authData" and append the result to "dst"
2016-09-26 23:06:40 +02:00
func (s *sivAead) Seal(dst, nonce, plaintext, authData []byte) []byte {
if len(nonce) != 16 {
// SIV supports any nonce size, but in gocryptfs we exclusively use 16.
log.Panic("nonce must be 16 bytes long")
2016-09-26 23:06:40 +02:00
}
// https://github.com/jacobsa/crypto/blob/master/siv/encrypt.go#L48:
// As per RFC 5297 section 3, you may use this function for nonce-based
// authenticated encryption by passing a nonce as the last associated
// data element.
associated := [][]byte{authData, nonce}
out, err := siv.Encrypt(dst, s.key, plaintext, associated)
if err != nil {
log.Panic(err)
2016-09-26 23:06:40 +02:00
}
return out
}
2016-10-02 06:14:18 +02:00
// Open decrypts "in" using "nonce" and "authData" and append the result to "dst"
2016-09-26 23:06:40 +02:00
func (s *sivAead) Open(dst, nonce, ciphertext, authData []byte) ([]byte, error) {
if len(nonce) != 16 {
// SIV supports any nonce size, but in gocryptfs we exclusively use 16.
log.Panic("nonce must be 16 bytes long")
2016-09-26 23:06:40 +02:00
}
associated := [][]byte{authData, nonce}
dec, err := siv.Decrypt(s.key, ciphertext, associated)
return append(dst, dec...), err
}