2018-10-06 03:27:34 +02:00
|
|
|
package arrays
|
|
|
|
|
|
|
|
import (
|
|
|
|
"context"
|
2018-10-14 19:06:27 +02:00
|
|
|
|
2018-10-06 03:27:34 +02:00
|
|
|
"github.com/MontFerret/ferret/pkg/runtime/core"
|
|
|
|
"github.com/MontFerret/ferret/pkg/runtime/values"
|
2019-02-13 19:31:18 +02:00
|
|
|
"github.com/MontFerret/ferret/pkg/runtime/values/types"
|
2018-10-06 03:27:34 +02:00
|
|
|
)
|
|
|
|
|
2018-10-14 19:06:27 +02:00
|
|
|
// Intersection return the intersection of all arrays specified.
|
|
|
|
// The result is an array of values that occur in all arguments.
|
|
|
|
// @param arrays (Array, repeated) - An arbitrary number of arrays as multiple arguments (at least 2).
|
|
|
|
// @returns (Array) - A single array with only the elements, which exist in all provided arrays.
|
|
|
|
// The element order is random. Duplicates are removed.
|
2018-10-06 03:27:34 +02:00
|
|
|
func Intersection(_ context.Context, args ...core.Value) (core.Value, error) {
|
|
|
|
return sections(args, len(args))
|
|
|
|
}
|
|
|
|
|
|
|
|
func sections(args []core.Value, count int) (core.Value, error) {
|
|
|
|
err := core.ValidateArgs(args, 2, core.MaxArgs)
|
|
|
|
|
|
|
|
if err != nil {
|
|
|
|
return values.None, err
|
|
|
|
}
|
|
|
|
|
|
|
|
intersections := make(map[uint64][]core.Value)
|
|
|
|
capacity := len(args)
|
|
|
|
|
|
|
|
for _, i := range args {
|
2019-02-13 19:31:18 +02:00
|
|
|
err := core.ValidateType(i, types.Array)
|
2018-10-06 03:27:34 +02:00
|
|
|
|
|
|
|
if err != nil {
|
|
|
|
return values.None, err
|
|
|
|
}
|
|
|
|
|
|
|
|
arr := i.(*values.Array)
|
|
|
|
|
|
|
|
arr.ForEach(func(value core.Value, idx int) bool {
|
|
|
|
h := value.Hash()
|
|
|
|
|
|
|
|
bucket, exists := intersections[h]
|
|
|
|
|
|
|
|
if !exists {
|
|
|
|
bucket = make([]core.Value, 0, 5)
|
|
|
|
}
|
|
|
|
|
|
|
|
bucket = append(bucket, value)
|
|
|
|
intersections[h] = bucket
|
|
|
|
bucketLen := len(bucket)
|
|
|
|
|
|
|
|
if bucketLen > capacity {
|
|
|
|
capacity = bucketLen
|
|
|
|
}
|
|
|
|
|
|
|
|
return true
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
result := values.NewArray(capacity)
|
|
|
|
required := count
|
|
|
|
|
|
|
|
for _, bucket := range intersections {
|
|
|
|
if len(bucket) == required {
|
|
|
|
result.Push(bucket[0])
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return result, nil
|
|
|
|
}
|