Files
monkey/internal/builtins/find.go
Charles Smith aebbe43999
Some checks failed
Build / build (push) Successful in 10m25s
Publish Image / publish (push) Failing after 39s
Test / build (push) Successful in 11m19s
Fix VM memory allocation optimizations by reducing what we allocate on the heap
2024-03-31 20:44:50 -04:00

53 lines
1.1 KiB
Go

package builtins
import (
"monkey/internal/object"
"monkey/internal/typing"
"sort"
)
import (
"strings"
)
// Find ...
func Find(args ...object.Object) object.Object {
if err := typing.Check(
"find", args,
typing.ExactArgs(2),
); err != nil {
return newError(err.Error())
}
// find substring in string
if haystack, ok := args[0].(object.String); ok {
if err := typing.Check(
"find", args,
typing.WithTypes(object.StringType, object.StringType),
); err != nil {
return newError(err.Error())
}
needle := args[1].(object.String)
index := strings.Index(haystack.Value, needle.Value)
return object.Integer{Value: int64(index)}
}
// find in array
if haystack, ok := args[0].(*object.Array); ok {
needle := args[1].(object.Comparable)
i := sort.Search(len(haystack.Elements), func(i int) bool {
return needle.Compare(haystack.Elements[i]) == 0
})
if i < len(haystack.Elements) && needle.Compare(haystack.Elements[i]) == 0 {
return object.Integer{Value: int64(i)}
}
return object.Integer{Value: -1}
}
return newError(
"TypeError: find() expected argument #1 to be `array` or `str` got `%d`",
args[0].Type(),
)
}