2019-11-15 16:38:56 +00:00
|
|
|
package main
|
|
|
|
|
|
|
|
import (
|
|
|
|
"reflect"
|
|
|
|
"sync"
|
|
|
|
)
|
|
|
|
|
2019-11-15 18:37:57 +00:00
|
|
|
func maparr(in interface{}) interface{} {
|
|
|
|
rin := reflect.ValueOf(in)
|
|
|
|
rout := reflect.MakeSlice(reflect.SliceOf(rin.Type().Elem()), rin.Len(), rin.Len())
|
|
|
|
var i int
|
|
|
|
|
|
|
|
it := rin.MapRange()
|
|
|
|
for it.Next() {
|
|
|
|
rout.Index(i).Set(it.Value())
|
|
|
|
i++
|
|
|
|
}
|
|
|
|
|
|
|
|
return rout.Interface()
|
|
|
|
}
|
|
|
|
|
|
|
|
func kmaparr(in interface{}) interface{} {
|
|
|
|
rin := reflect.ValueOf(in)
|
2019-11-16 12:34:52 +00:00
|
|
|
rout := reflect.MakeSlice(reflect.SliceOf(rin.Type().Key()), rin.Len(), rin.Len())
|
2019-11-15 18:37:57 +00:00
|
|
|
var i int
|
|
|
|
|
|
|
|
it := rin.MapRange()
|
|
|
|
for it.Next() {
|
|
|
|
rout.Index(i).Set(it.Key())
|
|
|
|
i++
|
|
|
|
}
|
|
|
|
|
|
|
|
return rout.Interface()
|
|
|
|
}
|
|
|
|
|
2019-11-16 12:34:52 +00:00
|
|
|
// map[k]v => []func() (k, v)
|
|
|
|
func kvmaparr(in interface{}) interface{} {
|
|
|
|
rin := reflect.ValueOf(in)
|
|
|
|
|
|
|
|
t := reflect.FuncOf([]reflect.Type{}, []reflect.Type{
|
|
|
|
rin.Type().Key(),
|
|
|
|
rin.Type().Elem(),
|
|
|
|
}, false)
|
|
|
|
|
|
|
|
rout := reflect.MakeSlice(reflect.SliceOf(t), rin.Len(), rin.Len())
|
|
|
|
var i int
|
|
|
|
|
|
|
|
it := rin.MapRange()
|
|
|
|
for it.Next() {
|
|
|
|
k := it.Key()
|
|
|
|
v := it.Value()
|
|
|
|
|
|
|
|
rout.Index(i).Set(reflect.MakeFunc(t, func(args []reflect.Value) (results []reflect.Value) {
|
|
|
|
return []reflect.Value{k, v}
|
|
|
|
}))
|
|
|
|
i++
|
|
|
|
}
|
|
|
|
|
|
|
|
return rout.Interface()
|
|
|
|
}
|
|
|
|
|
2019-11-15 16:38:56 +00:00
|
|
|
func par(concurrency int, arr interface{}, f interface{}) {
|
|
|
|
throttle := make(chan struct{}, concurrency)
|
|
|
|
var wg sync.WaitGroup
|
|
|
|
|
|
|
|
varr := reflect.ValueOf(arr)
|
|
|
|
l := varr.Len()
|
|
|
|
|
|
|
|
rf := reflect.ValueOf(f)
|
|
|
|
|
|
|
|
wg.Add(l)
|
|
|
|
for i := 0; i < l; i++ {
|
|
|
|
throttle <- struct{}{}
|
|
|
|
|
2019-11-15 18:37:57 +00:00
|
|
|
go func(i int) {
|
2019-11-15 16:38:56 +00:00
|
|
|
defer wg.Done()
|
|
|
|
defer func() {
|
|
|
|
<-throttle
|
|
|
|
}()
|
|
|
|
rf.Call([]reflect.Value{varr.Index(i)})
|
2019-11-15 18:37:57 +00:00
|
|
|
}(i)
|
2019-11-15 16:38:56 +00:00
|
|
|
}
|
2019-11-15 18:37:57 +00:00
|
|
|
|
|
|
|
wg.Wait()
|
2019-11-15 16:38:56 +00:00
|
|
|
}
|