mirror of
https://github.com/tendermint/tendermint.git
synced 2026-01-03 03:35:19 +00:00
* libs/common: Refactor libs/common 5 - move mathematical functions and types out of `libs/common` to math pkg - move net functions out of `libs/common` to net pkg - move string functions out of `libs/common` to strings pkg - move async functions out of `libs/common` to async pkg - move bit functions out of `libs/common` to bits pkg - move cmap functions out of `libs/common` to cmap pkg - move os functions out of `libs/common` to os pkg Signed-off-by: Marko Baricevic <marbar3778@yahoo.com> * fix testing issues * fix tests closes #41417 woooooooooooooooooo kill the cmn pkg Signed-off-by: Marko Baricevic <marbar3778@yahoo.com> * add changelog entry * fix goimport issues * run gofmt
78 lines
1.6 KiB
Go
78 lines
1.6 KiB
Go
package strings
|
|
|
|
import (
|
|
"fmt"
|
|
"strings"
|
|
)
|
|
|
|
// StringInSlice returns true if a is found the list.
|
|
func StringInSlice(a string, list []string) bool {
|
|
for _, b := range list {
|
|
if b == a {
|
|
return true
|
|
}
|
|
}
|
|
return false
|
|
}
|
|
|
|
// SplitAndTrim slices s into all subslices separated by sep and returns a
|
|
// slice of the string s with all leading and trailing Unicode code points
|
|
// contained in cutset removed. If sep is empty, SplitAndTrim splits after each
|
|
// UTF-8 sequence. First part is equivalent to strings.SplitN with a count of
|
|
// -1.
|
|
func SplitAndTrim(s, sep, cutset string) []string {
|
|
if s == "" {
|
|
return []string{}
|
|
}
|
|
|
|
spl := strings.Split(s, sep)
|
|
for i := 0; i < len(spl); i++ {
|
|
spl[i] = strings.Trim(spl[i], cutset)
|
|
}
|
|
return spl
|
|
}
|
|
|
|
// Returns true if s is a non-empty printable non-tab ascii character.
|
|
func IsASCIIText(s string) bool {
|
|
if len(s) == 0 {
|
|
return false
|
|
}
|
|
for _, b := range []byte(s) {
|
|
if 32 <= b && b <= 126 {
|
|
// good
|
|
} else {
|
|
return false
|
|
}
|
|
}
|
|
return true
|
|
}
|
|
|
|
// NOTE: Assumes that s is ASCII as per IsASCIIText(), otherwise panics.
|
|
func ASCIITrim(s string) string {
|
|
r := make([]byte, 0, len(s))
|
|
for _, b := range []byte(s) {
|
|
switch {
|
|
case b == 32:
|
|
continue // skip space
|
|
case 32 < b && b <= 126:
|
|
r = append(r, b)
|
|
default:
|
|
panic(fmt.Sprintf("non-ASCII (non-tab) char 0x%X", b))
|
|
}
|
|
}
|
|
return string(r)
|
|
}
|
|
|
|
// StringSliceEqual checks if string slices a and b are equal
|
|
func StringSliceEqual(a, b []string) bool {
|
|
if len(a) != len(b) {
|
|
return false
|
|
}
|
|
for i := 0; i < len(a); i++ {
|
|
if a[i] != b[i] {
|
|
return false
|
|
}
|
|
}
|
|
return true
|
|
}
|