jwt/signing_method.go

36 lines
1.1 KiB
Go
Raw Normal View History

2012-04-18 03:49:21 +04:00
package jwt
import (
"sync"
)
2012-04-18 03:49:21 +04:00
var signingMethods = map[string]func() SigningMethod{}
var signingMethodLock = new(sync.RWMutex)
2012-04-18 03:49:21 +04:00
// Implement SigningMethod to add new methods for signing or verifying tokens.
2012-04-18 03:49:21 +04:00
type SigningMethod interface {
Verify(signingString, signature string, key interface{}) error // Returns nil if signature is valid
Sign(signingString string, key interface{}) (string, error) // Returns encoded signature or error
Alg() string // returns the alg identifier for this method (example: 'HS256')
2012-04-18 03:49:21 +04:00
}
2012-07-07 03:12:33 +04:00
// Register the "alg" name and a factory function for signing method.
// This is typically done during init() in the method's implementation
2012-04-18 03:49:21 +04:00
func RegisterSigningMethod(alg string, f func() SigningMethod) {
signingMethodLock.Lock()
defer signingMethodLock.Unlock()
2012-04-18 03:49:21 +04:00
signingMethods[alg] = f
}
2012-07-07 03:12:33 +04:00
// Get a signing method from an "alg" string
2012-07-07 23:12:49 +04:00
func GetSigningMethod(alg string) (method SigningMethod) {
signingMethodLock.RLock()
defer signingMethodLock.RUnlock()
2012-04-18 03:49:21 +04:00
if methodF, ok := signingMethods[alg]; ok {
method = methodF()
}
return
2012-04-18 23:59:37 +04:00
}