Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
1 change: 1 addition & 0 deletions README.md
Original file line number Diff line number Diff line change
Expand Up @@ -91,6 +91,7 @@ make test
- `Contains` (only numerics values at the moment)
- `Each`
- `Filter`
- `Flatmap`
- `Find`
- `Map`
- `Max`
Expand Down
23 changes: 23 additions & 0 deletions docs/content/collections/flatmap.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
---
title: "Flatmap"
date: 2022-08-10T16:49:56+02:00
draft: false
---

Flatmap flattens the input slice element into the new slice. FlatMap maps every element with the help of a mapper function, then flattens the input slice element into the new slice.

```go
package main

import (
"fmt"
u "github.com/rjNemo/underscore"
)

func main() {
nums := []int{1, 2, 3, 4}
mapper := func(n int) []int { return []int{(n - 1) * n, (n) * n} }
res := u.Flatmap(nums, mapper)
fmt.Println(res) // {0, 1, 2, 4, 6, 9, 12, 16}
}
```
11 changes: 11 additions & 0 deletions flatmap.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,11 @@
package underscore

// Flatmap flatten the input slice element into the new slice. FlatMap maps every element with the help of a mapper function, then flattens the input slice element into the new slice.
func Flatmap[T any](values []T, mapper func(n T) []T) []T {
res := make([]T, 0)
for _, v := range values {
vs := mapper(v)
res = append(res, vs...)
}
return res
}
16 changes: 16 additions & 0 deletions flatmap_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
package underscore_test

import (
"testing"

u "github.com/rjNemo/underscore"
"github.com/stretchr/testify/assert"
)

func TestFlatmap(t *testing.T) {
nums := []int{1, 2, 3, 4}
transform := func(n int) []int { return []int{(n - 1) * n, (n) * n} }
want := []int{0, 1, 2, 4, 6, 9, 12, 16}

assert.Equal(t, want, u.Flatmap(nums, transform))
}