2020-07-29 21:11:28 +00:00
|
|
|
package main
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"strings"
|
|
|
|
"unicode"
|
|
|
|
)
|
|
|
|
|
|
|
|
type Validator struct {
|
|
|
|
minLength, upper, lower, number, special int
|
|
|
|
criteria ValidatorConf
|
|
|
|
specialChars []rune
|
|
|
|
}
|
|
|
|
|
|
|
|
type ValidatorConf map[string]int
|
|
|
|
|
|
|
|
func (vd *Validator) init(criteria ValidatorConf) {
|
|
|
|
vd.specialChars = []rune{'[', '@', '_', '!', '#', '$', '%', '^', '&', '*', '(', ')', '<', '>', '?', '/', '\\', '|', '}', '{', '~', ':', ']'}
|
|
|
|
vd.criteria = criteria
|
|
|
|
}
|
|
|
|
|
|
|
|
func (vd *Validator) validate(password string) map[string]bool {
|
2020-07-31 11:48:37 +00:00
|
|
|
count := map[string]int{}
|
|
|
|
for key, _ := range vd.criteria {
|
2020-07-29 21:11:28 +00:00
|
|
|
count[key] = 0
|
|
|
|
}
|
|
|
|
for _, c := range password {
|
|
|
|
count["characters"] += 1
|
|
|
|
if unicode.IsUpper(c) {
|
|
|
|
count["uppercase characters"] += 1
|
|
|
|
} else if unicode.IsLower(c) {
|
|
|
|
count["lowercase characters"] += 1
|
|
|
|
} else if unicode.IsNumber(c) {
|
|
|
|
count["numbers"] += 1
|
|
|
|
} else {
|
|
|
|
for _, s := range vd.specialChars {
|
|
|
|
if c == s {
|
|
|
|
count["special characters"] += 1
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2020-07-31 11:48:37 +00:00
|
|
|
results := map[string]bool{}
|
2020-07-29 21:11:28 +00:00
|
|
|
for criterion, num := range count {
|
|
|
|
if num < vd.criteria[criterion] {
|
|
|
|
results[criterion] = false
|
2020-07-31 11:48:37 +00:00
|
|
|
} else {
|
|
|
|
results[criterion] = true
|
2020-07-29 21:11:28 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
return results
|
|
|
|
}
|
|
|
|
|
|
|
|
func (vd *Validator) getCriteria() map[string]string {
|
2020-07-31 11:48:37 +00:00
|
|
|
lines := map[string]string{}
|
2020-07-29 21:11:28 +00:00
|
|
|
for criterion, min := range vd.criteria {
|
|
|
|
if min > 0 {
|
2020-07-31 11:48:37 +00:00
|
|
|
text := fmt.Sprintf("Must have at least %d ", min)
|
2020-07-29 21:11:28 +00:00
|
|
|
if min == 1 {
|
|
|
|
text += strings.TrimSuffix(criterion, "s")
|
|
|
|
} else {
|
|
|
|
text += criterion
|
|
|
|
}
|
|
|
|
lines[criterion] = text
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return lines
|
|
|
|
}
|