You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
116 lines
2.2 KiB
116 lines
2.2 KiB
package main
|
|
|
|
import (
|
|
"bufio"
|
|
"encoding/base64"
|
|
"log"
|
|
"net/http"
|
|
"os"
|
|
|
|
"golang.org/x/crypto/scrypt"
|
|
)
|
|
|
|
const (
|
|
scryptSalt = "linx-server"
|
|
scryptN = 16384
|
|
scryptr = 8
|
|
scryptp = 1
|
|
scryptKeyLen = 32
|
|
)
|
|
|
|
type AuthOptions struct {
|
|
AuthFile string
|
|
UnauthMethods []string
|
|
}
|
|
|
|
type auth struct {
|
|
successHandler http.Handler
|
|
failureHandler http.Handler
|
|
authKeys []string
|
|
o AuthOptions
|
|
}
|
|
|
|
func readAuthKeys(authFile string) []string {
|
|
var authKeys []string
|
|
|
|
f, err := os.Open(authFile)
|
|
if err != nil {
|
|
log.Fatal("Failed to open authfile: ", err)
|
|
}
|
|
defer f.Close()
|
|
|
|
scanner := bufio.NewScanner(f)
|
|
for scanner.Scan() {
|
|
authKeys = append(authKeys, scanner.Text())
|
|
}
|
|
|
|
err = scanner.Err()
|
|
if err != nil {
|
|
log.Fatal("Scanner error while reading authfile: ", err)
|
|
}
|
|
|
|
return authKeys
|
|
}
|
|
|
|
func checkAuth(authKeys []string, key string) (result bool, err error) {
|
|
checkKey, err := scrypt.Key([]byte(key), []byte(scryptSalt), scryptN, scryptr, scryptp, scryptKeyLen)
|
|
if err != nil {
|
|
return
|
|
}
|
|
|
|
encodedKey := base64.StdEncoding.EncodeToString(checkKey)
|
|
for _, v := range authKeys {
|
|
if encodedKey == v {
|
|
result = true
|
|
return
|
|
}
|
|
}
|
|
|
|
result = false
|
|
return
|
|
}
|
|
|
|
func (a auth) ServeHTTP(w http.ResponseWriter, r *http.Request) {
|
|
if sliceContains(a.o.UnauthMethods, r.Method) {
|
|
// allow unauthenticated methods
|
|
a.successHandler.ServeHTTP(w, r)
|
|
return
|
|
}
|
|
|
|
key := r.Header.Get("Linx-Api-Key")
|
|
|
|
result, err := checkAuth(a.authKeys, key)
|
|
if err != nil || !result {
|
|
a.failureHandler.ServeHTTP(w, r)
|
|
return
|
|
}
|
|
|
|
a.successHandler.ServeHTTP(w, r)
|
|
}
|
|
|
|
func UploadAuth(o AuthOptions) func(http.Handler) http.Handler {
|
|
fn := func(h http.Handler) http.Handler {
|
|
return auth{
|
|
successHandler: h,
|
|
failureHandler: http.HandlerFunc(badAuthorizationHandler),
|
|
authKeys: readAuthKeys(o.AuthFile),
|
|
o: o,
|
|
}
|
|
}
|
|
return fn
|
|
}
|
|
|
|
func badAuthorizationHandler(w http.ResponseWriter, r *http.Request) {
|
|
w.WriteHeader(http.StatusUnauthorized)
|
|
http.Error(w, http.StatusText(http.StatusUnauthorized), http.StatusUnauthorized)
|
|
}
|
|
|
|
func sliceContains(slice []string, s string) bool {
|
|
for _, v := range slice {
|
|
if s == v {
|
|
return true
|
|
}
|
|
}
|
|
|
|
return false
|
|
}
|