wp-go/helper/strings/strings.go

90 lines
1.6 KiB
Go
Raw Normal View History

2023-01-21 11:31:23 +00:00
package strings
2023-01-13 04:31:35 +00:00
import (
"crypto/md5"
"fmt"
"golang.org/x/exp/constraints"
2023-01-13 04:31:35 +00:00
"io"
"strconv"
2023-01-13 04:31:35 +00:00
"strings"
)
2023-01-21 11:31:23 +00:00
func Join(s ...string) (str string) {
2023-01-13 04:31:35 +00:00
if len(s) == 1 {
return s[0]
} else if len(s) > 1 {
b := strings.Builder{}
for _, s2 := range s {
b.WriteString(s2)
}
str = b.String()
}
return
}
func ToInteger[T constraints.Integer](s string, defaults T) T {
if s == "" {
return defaults
}
i, err := strconv.ParseInt(s, 10, 64)
if err != nil {
return defaults
}
return T(i)
}
2023-02-21 12:31:00 +00:00
func ToInt[T constraints.Integer](s string) T {
defaults := T(0)
if s == "" {
return defaults
}
i, err := strconv.ParseInt(s, 10, 64)
if err != nil {
return defaults
}
return T(i)
}
2023-01-21 11:31:23 +00:00
func Md5(str string) string {
2023-01-13 04:31:35 +00:00
h := md5.New()
_, err := io.WriteString(h, str)
if err != nil {
return ""
}
return fmt.Sprintf("%x", h.Sum(nil))
}
2023-02-15 16:58:59 +00:00
func BuilderJoin(s *strings.Builder, str ...string) {
for _, ss := range str {
s.WriteString(ss)
}
}
func BuilderFormat(s *strings.Builder, format string, args ...any) {
s.WriteString(fmt.Sprintf(format, args...))
}
type Builder struct {
*strings.Builder
}
func NewBuilder() *Builder {
return &Builder{&strings.Builder{}}
}
2023-02-16 03:53:24 +00:00
func (b *Builder) WriteString(s ...string) (count int) {
2023-02-15 16:58:59 +00:00
for _, ss := range s {
2023-02-16 03:53:24 +00:00
i, _ := b.Builder.WriteString(ss)
2023-02-15 16:58:59 +00:00
count += i
}
return
}
2023-02-16 03:53:24 +00:00
func (b *Builder) Sprintf(format string, a ...any) int {
i, _ := fmt.Fprintf(b, format, a...)
return i
2023-02-15 16:58:59 +00:00
}
2023-02-24 16:56:52 +00:00
// CutSpecialDuplicate '\t', '\n', '\v', '\f', '\r', ' ', U+0085 (NEL), U+00A0 (NBSP)
func CutSpecialDuplicate(s, char string) string {
return strings.Join(strings.Fields(s), char)
}