forked from ThalesGroup/gose
-
Notifications
You must be signed in to change notification settings - Fork 0
/
jwe_key_encryption_encryptor.go
91 lines (82 loc) · 2.49 KB
/
jwe_key_encryption_encryptor.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
package gose
import (
"crypto"
"crypto/rand"
"crypto/rsa"
"github.com/ThalesIgnite/gose/jose"
)
// JweRsaKeyEncryptionEncryptorImpl implements RSA Key Encryption CEK mode.
type JweRsaKeyEncryptionEncryptorImpl struct {
recipientJwk jose.Jwk
recipientKey *rsa.PublicKey
cekAlg jose.Alg
}
// Encrypt encrypts the given plaintext into a compact JWE. Optional authenticated data can be included which is appended
// to the JWE protected header.
func (e *JweRsaKeyEncryptionEncryptorImpl) Encrypt(plaintext, aad []byte) (string, error) {
keyGenerator := &AuthenticatedEncryptionKeyGenerator{}
cek, jwk, err := keyGenerator.Generate(e.cekAlg, []jose.KeyOps{jose.KeyOpsDecrypt, jose.KeyOpsEncrypt})
if err != nil {
return "", err
}
cekJwk := jwk.(*jose.OctSecretKey)
nonce, err := cek.GenerateNonce()
if err != nil {
return "", err
}
var blob *jose.Blob
var customHeaderFields jose.JweCustomHeaderFields
if len(aad) > 0 {
blob = &jose.Blob{B: aad}
customHeaderFields = jose.JweCustomHeaderFields{
OtherAad: blob,
}
}
encryptedKey, err := rsa.EncryptOAEP(crypto.SHA1.New(), rand.Reader, e.recipientKey, cekJwk.K.Bytes(), nil)
if err != nil {
return "", err
}
jwe := &jose.Jwe{
Header: jose.JweHeader{
JwsHeader: jose.JwsHeader{
Alg: jose.AlgRSAOAEP,
Kid: e.recipientJwk.Kid(),
},
Enc: algToEncMap[cekJwk.Alg()],
JweCustomHeaderFields: customHeaderFields,
},
EncryptedKey: encryptedKey,
Iv: nonce,
Plaintext: plaintext,
}
if err = jwe.MarshalHeader(); err != nil {
return "", err
}
if jwe.Ciphertext, jwe.Tag, err = cek.Seal(jose.KeyOpsEncrypt, jwe.Iv, jwe.Plaintext, jwe.MarshalledHeader); err != nil {
return "", err
}
return jwe.Marshal(), nil
}
// NewJweRsaKeyEncryptionEncryptorImpl returns an instance of JweRsaKeyEncryptionEncryptorImpl configured with the given
// JWK.
func NewJweRsaKeyEncryptionEncryptorImpl(recipient jose.Jwk, contentEncryptionAlg jose.Alg) (*JweRsaKeyEncryptionEncryptorImpl, error) {
if _, ok := authenticatedEncryptionAlgs[contentEncryptionAlg]; !ok {
return nil, ErrInvalidAlgorithm
}
if !isSubset(recipient.Ops(), []jose.KeyOps{jose.KeyOpsEncrypt}) {
return nil, ErrInvalidOperations
}
kek, err := LoadPublicKey(recipient, validEncryptionOpts)
if err != nil {
return nil, err
}
rsaKek, ok := kek.(*rsa.PublicKey)
if !ok {
return nil, ErrInvalidKeyType
}
return &JweRsaKeyEncryptionEncryptorImpl{
recipientKey: rsaKek,
recipientJwk: recipient,
cekAlg: contentEncryptionAlg,
}, nil
}