forked from manojampalam/cidp
-
Notifications
You must be signed in to change notification settings - Fork 0
/
sw-key.go
90 lines (74 loc) · 1.9 KB
/
sw-key.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
package main
import (
"crypto"
"crypto/rand"
"crypto/rsa"
"crypto/sha256"
"encoding/base64"
"fmt"
"math/big"
)
//SKey - generic interface for signing key properties and methods
type SKey interface {
// encryption/signature algo
Alg() string
// kid
KeyID() string
// public key in jwk format
JWK() string
// https://tools.ietf.org/html/rfc7638 compliant jwk thumbprint
JWKThumbprint() string
// sign payload using private key
Sign([]byte) ([]byte, error)
}
// software based key implementation of SKey
type swKey struct {
key *rsa.PrivateKey
keyID string
jwk string
jwkTP string
}
func (swk *swKey) Alg() string {
return "RS256"
}
func (swk *swKey) KeyID() string {
return swk.keyID
}
func (swk *swKey) JWK() string {
return swk.jwk
}
func (swk *swKey) JWKThumbprint() string {
return swk.jwkTP
}
func (swk *swKey) Sign(payload []byte) ([]byte, error) {
return swk.key.Sign(rand.Reader, payload, crypto.SHA256)
}
func (swk *swKey) init(key *rsa.PrivateKey) {
swk.key = key
pubKey := &swk.key.PublicKey
e := big.NewInt(int64(pubKey.E))
eB64 := base64.RawURLEncoding.EncodeToString(e.Bytes())
n := pubKey.N
nB64 := base64.RawURLEncoding.EncodeToString(n.Bytes())
// compute JWK thumbprint
//jwk format - e, kty, n - in lexicographic order
// - https://tools.ietf.org/html/rfc7638#section-3.3
// - https://tools.ietf.org/html/rfc7638#section-3.1
jwk := fmt.Sprintf(`{"e":"%s","kty":"RSA","n":"%s"}`, eB64, nB64)
jwkS256 := sha256.Sum256([]byte(jwk))
swk.jwkTP = base64.RawURLEncoding.EncodeToString(jwkS256[:])
//set keyID to jwkTP
swk.keyID = swk.jwkTP
//compute JWK
// - https://tools.ietf.org/html/rfc7800#section-3.2
swk.jwk = fmt.Sprintf(`{"e":"%s","kty":"RSA","n":"%s","alg":"RS256","kid":"%s"}`, eB64, nB64, swk.keyID)
}
var pswKey *swKey
func initSwSKey(key *rsa.PrivateKey) error {
pswKey = &swKey{}
pswKey.init(key)
return nil
}
func getSwSKey() SKey {
return pswKey
}