memos/internal/util/util.go

71 lines
1.5 KiB
Go
Raw Normal View History

2023-07-06 22:53:38 +08:00
package util
2022-02-03 15:32:03 +08:00
import (
"crypto/rand"
"math/big"
2022-08-20 21:03:15 +08:00
"net/mail"
2023-08-04 21:55:07 +08:00
"strconv"
2022-02-03 15:32:03 +08:00
"strings"
"github.com/google/uuid"
)
2023-08-04 21:55:07 +08:00
// ConvertStringToInt32 converts a string to int32.
func ConvertStringToInt32(src string) (int32, error) {
i, err := strconv.Atoi(src)
if err != nil {
return 0, err
}
return int32(i), nil
}
2022-02-03 15:32:03 +08:00
// HasPrefixes returns true if the string s has any of the given prefixes.
func HasPrefixes(src string, prefixes ...string) bool {
for _, prefix := range prefixes {
if strings.HasPrefix(src, prefix) {
return true
}
}
return false
}
2022-08-20 21:03:15 +08:00
// ValidateEmail validates the email.
func ValidateEmail(email string) bool {
if _, err := mail.ParseAddress(email); err != nil {
return false
}
return true
}
2022-02-03 15:32:03 +08:00
func GenUUID() string {
return uuid.New().String()
}
2022-10-27 22:02:42 +08:00
func Min(x, y int) int {
if x < y {
return x
}
return y
}
var letters = []rune("0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ")
// RandomString returns a random string with length n.
func RandomString(n int) (string, error) {
var sb strings.Builder
sb.Grow(n)
for i := 0; i < n; i++ {
// The reason for using crypto/rand instead of math/rand is that
// the former relies on hardware to generate random numbers and
// thus has a stronger source of random numbers.
randNum, err := rand.Int(rand.Reader, big.NewInt(int64(len(letters))))
if err != nil {
return "", err
}
if _, err := sb.WriteRune(letters[randNum.Uint64()]); err != nil {
return "", err
}
}
return sb.String(), nil
}