jfa-go/pwval.go

65 lines
1.6 KiB
Go
Raw Permalink Normal View History

2020-07-29 23:11:28 +02:00
package main
import (
"unicode"
)
// Validator allows for validation of passwords.
2020-07-29 23:11:28 +02:00
type Validator struct {
minLength, upper, lower, number, special int
criteria ValidatorConf
}
type ValidatorConf map[string]int
func (vd *Validator) init(criteria ValidatorConf) {
vd.criteria = criteria
}
// This isn't used, its for swagger
type PasswordValidation struct {
Characters bool `json:"length,omitempty"` // Number of characters
Lowercase bool `json:"lowercase,omitempty"` // Number of lowercase characters
Uppercase bool `json:"uppercase,omitempty"` // Number of uppercase characters
Numbers bool `json:"number,omitempty"` // Number of numbers
Specials bool `json:"special,omitempty"` // Number of special characters
}
2020-07-29 23:11:28 +02:00
func (vd *Validator) validate(password string) map[string]bool {
count := map[string]int{}
for key := range vd.criteria {
2020-07-29 23:11:28 +02:00
count[key] = 0
}
for _, c := range password {
count["length"] += 1
2020-07-29 23:11:28 +02:00
if unicode.IsUpper(c) {
count["uppercase"] += 1
2020-07-29 23:11:28 +02:00
} else if unicode.IsLower(c) {
count["lowercase"] += 1
2020-07-29 23:11:28 +02:00
} else if unicode.IsNumber(c) {
count["number"] += 1
} else if unicode.ToUpper(c) == unicode.ToLower(c) {
count["special"] += 1
2020-07-29 23:11:28 +02:00
}
}
results := map[string]bool{}
2020-07-29 23:11:28 +02:00
for criterion, num := range count {
if num < vd.criteria[criterion] {
results[criterion] = false
} else {
results[criterion] = true
2020-07-29 23:11:28 +02:00
}
}
return results
}
func (vd *Validator) getCriteria() ValidatorConf {
criteria := ValidatorConf{}
for key, num := range vd.criteria {
if num != 0 {
criteria[key] = num
2020-07-29 23:11:28 +02:00
}
}
return criteria
2020-07-29 23:11:28 +02:00
}