mirror of
https://github.com/jesseduffield/lazygit.git
synced 2024-12-04 10:34:55 +02:00
e33fe37a99
We've been sometimes using lo and sometimes using my slices package, and we need to pick one for consistency. Lo is more extensive and better maintained so we're going with that. My slices package was a superset of go's own slices package so in some places I've just used the official one (the methods were just wrappers anyway). I've also moved the remaining methods into the utils package.
49 lines
899 B
Go
49 lines
899 B
Go
package utils
|
|
|
|
import (
|
|
"sort"
|
|
"strings"
|
|
|
|
"github.com/sahilm/fuzzy"
|
|
"github.com/samber/lo"
|
|
)
|
|
|
|
func FuzzySearch(needle string, haystack []string) []string {
|
|
if needle == "" {
|
|
return []string{}
|
|
}
|
|
|
|
matches := fuzzy.Find(needle, haystack)
|
|
sort.Sort(matches)
|
|
|
|
return lo.Map(matches, func(match fuzzy.Match, _ int) string {
|
|
return match.Str
|
|
})
|
|
}
|
|
|
|
func CaseAwareContains(haystack, needle string) bool {
|
|
// if needle contains an uppercase letter, we'll do a case sensitive search
|
|
if ContainsUppercase(needle) {
|
|
return strings.Contains(haystack, needle)
|
|
}
|
|
|
|
return CaseInsensitiveContains(haystack, needle)
|
|
}
|
|
|
|
func ContainsUppercase(s string) bool {
|
|
for _, r := range s {
|
|
if r >= 'A' && r <= 'Z' {
|
|
return true
|
|
}
|
|
}
|
|
|
|
return false
|
|
}
|
|
|
|
func CaseInsensitiveContains(haystack, needle string) bool {
|
|
return strings.Contains(
|
|
strings.ToLower(haystack),
|
|
strings.ToLower(needle),
|
|
)
|
|
}
|