forked from thoas/go-funk
-
Notifications
You must be signed in to change notification settings - Fork 0
/
reduce.go
87 lines (67 loc) · 2.22 KB
/
reduce.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
package funk
import (
"reflect"
)
// Reduce takes a collection and reduces it to a single value using a reduction
// function (or a valid symbol) and an accumulator value.
func Reduce(arr, reduceFunc, acc interface{}) interface{} {
arrValue := redirectValue(reflect.ValueOf(arr))
if !IsIteratee(arrValue.Interface()) {
panic("First parameter must be an iteratee")
}
returnType := reflect.TypeOf(Reduce).Out(0)
isFunc := IsFunction(reduceFunc, 2, 1)
isRune := reflect.TypeOf(reduceFunc).Kind() == reflect.Int32
if !(isFunc || isRune) {
panic("Second argument must be a valid function or rune")
}
accValue := reflect.ValueOf(acc)
sliceElemType := sliceElem(arrValue.Type())
if isRune {
if arrValue.Kind() == reflect.Slice && sliceElemType.Kind() == reflect.Interface {
accValue = accValue.Convert(returnType)
} else {
accValue = accValue.Convert(sliceElemType)
}
} else {
accValue = accValue.Convert(reflect.TypeOf(reduceFunc).In(0))
}
accType := accValue.Type()
// Generate reduce function if was passed as rune
if isRune {
reduceSign := reduceFunc.(int32)
if ok := map[rune]bool{'+': true, '*': true}[reduceSign]; !ok {
panic("Invalid reduce sign, allowed: '+' and '*'")
}
in := []reflect.Type{accType, sliceElemType}
out := []reflect.Type{accType}
funcType := reflect.FuncOf(in, out, false)
reduceFunc = reflect.MakeFunc(funcType, func(args []reflect.Value) []reflect.Value {
acc := args[0].Interface()
elem := args[1].Interface()
var result float64
params := []interface{}{acc, elem}
switch reduceSign {
case '+':
result = Sum(params)
case '*':
result = Product(params)
}
return []reflect.Value{reflect.ValueOf(result).Convert(accType)}
}).Interface()
}
funcValue := reflect.ValueOf(reduceFunc)
funcType := funcValue.Type()
for i := 0; i < arrValue.Len(); i++ {
if accType.ConvertibleTo(funcType.In(0)) {
accValue = accValue.Convert(funcType.In(0))
}
arrElementValue := arrValue.Index(i)
if sliceElemType.ConvertibleTo(funcType.In(1)) {
arrElementValue = arrElementValue.Convert(funcType.In(1))
}
result := funcValue.Call([]reflect.Value{accValue, arrElementValue})
accValue = result[0]
}
return accValue.Convert(returnType).Interface()
}