2023-12-22 11:48:24 +01:00
|
|
|
// Copyright 2023 The forgejo Authors. All rights reserved.
|
|
|
|
// SPDX-License-Identifier: MIT
|
|
|
|
|
|
|
|
package validation
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"strings"
|
2024-01-12 14:33:52 +01:00
|
|
|
"unicode/utf8"
|
2024-01-12 14:57:22 +01:00
|
|
|
|
|
|
|
"code.gitea.io/gitea/modules/timeutil"
|
2023-12-22 11:48:24 +01:00
|
|
|
)
|
|
|
|
|
2023-12-22 13:44:45 +01:00
|
|
|
type Validateable interface {
|
|
|
|
Validate() []string
|
|
|
|
}
|
2023-12-22 11:48:24 +01:00
|
|
|
|
2023-12-22 14:20:30 +01:00
|
|
|
func IsValid(v Validateable) (bool, error) {
|
|
|
|
if err := v.Validate(); len(err) > 0 {
|
2023-12-22 11:48:24 +01:00
|
|
|
errString := strings.Join(err, "\n")
|
|
|
|
return false, fmt.Errorf(errString)
|
|
|
|
}
|
|
|
|
|
|
|
|
return true, nil
|
|
|
|
}
|
|
|
|
|
2024-01-12 14:57:22 +01:00
|
|
|
func ValidateNotEmpty(value any, fieldName string) []string {
|
|
|
|
isValid := true
|
|
|
|
switch v := value.(type) {
|
|
|
|
case string:
|
|
|
|
if v == "" {
|
|
|
|
isValid = false
|
|
|
|
}
|
|
|
|
case timeutil.TimeStamp:
|
|
|
|
if v.IsZero() {
|
|
|
|
isValid = false
|
|
|
|
}
|
|
|
|
default:
|
|
|
|
isValid = false
|
|
|
|
}
|
|
|
|
|
|
|
|
if isValid {
|
|
|
|
return []string{}
|
2023-12-22 14:20:30 +01:00
|
|
|
}
|
2024-01-12 14:57:22 +01:00
|
|
|
return []string{fmt.Sprintf("Field %v may not be empty", fieldName)}
|
2023-12-22 14:20:30 +01:00
|
|
|
}
|
|
|
|
|
2024-01-12 14:33:52 +01:00
|
|
|
func ValidateMaxLen(value string, maxLen int, fieldName string) []string {
|
|
|
|
if utf8.RuneCountInString(value) > maxLen {
|
|
|
|
return []string{fmt.Sprintf("Value in field %v was longer than %v", fieldName, maxLen)}
|
|
|
|
}
|
|
|
|
return []string{}
|
|
|
|
}
|
|
|
|
|
2023-12-29 15:48:45 +01:00
|
|
|
func ValidateOneOf(value any, allowed []any) []string {
|
2023-12-22 14:20:30 +01:00
|
|
|
for _, allowedElem := range allowed {
|
|
|
|
if value == allowedElem {
|
|
|
|
return []string{}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return []string{fmt.Sprintf("Value %v is not contained in allowed values [%v]", value, allowed)}
|
|
|
|
}
|
|
|
|
|
|
|
|
func ValidateSuffix(str, suffix string) bool {
|
|
|
|
return strings.HasSuffix(str, suffix)
|
2023-12-22 11:48:24 +01:00
|
|
|
}
|