Type safe Stream processing library inspired in the Java Streams API.
- Go 1.18 or higher
This library makes intensive usage of Type Parameters (generics) so it is not compatible with any Go version lower than 1.18.
For more details about the API, and until pkg.go.dev, is able to parse documentation for functions and types using generics, you can have a quick look to the generated go doc text descriptions, or just let that the embedded document browser of your IDE does the job.
- Creates a literal stream containing all the integers from 1 to 11.
- From the Stream, selects all the integers that are prime
- For each filtered int, prints a message.
import (
"fmt"
"github.com/mariomac/gostream/stream"
)
func main() {
stream.Of(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11).
Filter(isPrime).
ForEach(func(n int) {
fmt.Printf("%d is a prime number\n", n)
})
}
func isPrime(n int) bool {
for i := 2; i < n/2; i++ {
if n%i == 0 {
return false
}
}
return true
}
Output:
1 is a prime number
2 is a prime number
3 is a prime number
5 is a prime number
7 is a prime number
11 is a prime number
- Creates an infinite stream of random integers (no problem, streams are evaluated lazily!)
- Divides the random integer to get a number between 1 and 6
- Limits the infinite stream to 5 elements.
- Collects the stream items as a slice.
rand.Seed(time.Now().UnixMilli())
fmt.Println("let me throw 5 times a dice for you")
results := stream.Generate(rand.Int).
Map(func(n int) int {
return n%6 + 1
}).
Limit(5).
ToSlice()
fmt.Printf("results: %v\n", results)
Output:
let me throw 5 times a dice for you
results: [3 5 2 1 3]
- Generates an infinite stream composed by
1
,double(1)
,double(double(1))
, etc... and cut it to 6 elements. - Maps the numbers' stream to a strings' stream. Because, at the moment,
go does not allow type parameters in methods,
we need to invoke the
stream.Map
function instead of thenumbers.Map
method because the contained type of the output stream (string
) is different than the type of the input stream (int
). - Converts the words stream to a slice and prints it.
func main() {
numbers := stream.Iterate(1, double).Limit(6)
words := stream.Map(numbers, asWord).ToSlice()
fmt.Println(words)
}
func double(n int) int {
return 2 * n
}
func asWord(n int) string {
if n < 10 {
return []string{"zero", "one", "two", "three", "four", "five",
"six", "seven", "eight", "nine"}[n]
} else {
return "many"
}
}
Output:
[one two four eight many many]
Following example requires to compare the elements of the Stream, so the Stream needs to be
composed by comparable
elements (this is, accepted by the the ==
and !=
operators):
- Instantiate a
Stream
ofcomparable
items. - Pass it to the
Distinct
method, that will return a copy of the original Stream without duplicates - Operating as any other stream.
words := stream.Distinct(
stream.Of("hello", "hello", "!", "ho", "ho", "ho", "!"),
).ToSlice()
fmt.Printf("Deduplicated words: %v\n", words)
Output:
Deduplicated words: [hello ! ho]
- Generate a stream of uint32 numbers.
- Picking up 5 elements.
- Sorting them by the inverse natural order (from higher to lower)
- It's important to limit the number of elements, avoiding invoking
Sorted
over an infinite stream (otherwise it would panic).
- It's important to limit the number of elements, avoiding invoking
fmt.Println("picking up 5 random numbers from higher to lower")
stream.Generate(rand.Uint32).
Limit(5).
Sorted(order.Inverse(order.Natural[uint32])).
ForEach(func(n uint32) {
fmt.Println(n)
})
Output:
picking up 5 random numbers from higher to lower
4039455774
2854263694
2596996162
1879968118
1823804162
- Generate an infinite incremental Stream (1, 2, 3, 4...) using the
stream.Iterate
instantiator and theitem.Increment
helper function. - Limit the generated to 8 elements
- Reduce all the elements multiplying them using the item.Multiply helper function
fac8, _ := stream.Iterate(1, item.Increment[int]).
Limit(8).
Reduce(item.Multiply[int])
fmt.Println("The factorial of 8 is", fac8)
Output:
The factorial of 8 is 40320
Due to the initial limitations of Go generics, the API has the following limitations. We will work on overcome them as long as new features are added to the Go type parameters specification.
- You can use
Map
andFlatMap
as method as long as the output element has the same type of the input. If you need to map to a different type, you need to usestream.Map
orstream.FlatMap
as functions. - There is no
Distinct
method. There is only astream.Distinct
function. - There is no
ToMap
method. There is only astream.ToMap
function.
You might want to check: Performance comparison of Go functional stream libraries.
Streams aren't the fastest option. They are aimed for complex workflows where you can sacrifice few microseconds for the sake of code organization and readability. Also disclaimer: functional streams don't have to always be the most readable option.
The following results show the difference in performance for an arbitrary set of operations in an imperative form versus the functional form using streams (see stream/benchs_test.go file):
$ gotip test -bench=. -benchmem ./...
goos: darwin
goarch: amd64
pkg: github.com/mariomac/gostream/stream
cpu: Intel(R) Core(TM) i5-5257U CPU @ 2.70GHz
BenchmarkImperative-4 2098518 550.6 ns/op 1016 B/op 7 allocs/op
BenchmarkFunctional-4 293095 3653 ns/op 2440 B/op 23 allocs/op
If you want a more performant, parallelizable alternative to create data processing pipelines (following a programming model focused on Extract-Transform-Load, ETL), you could give a try to my alternative project: PIPES: Processing In Pipeline-Embedded Stages.
- Stream instantiation functions
- Comparable
- Concat
- Empty
- Generate
- Iterate
- Of
- OfMap
- OfSlice
- OfChannel
- Stream transformers
- Distinct
- Filter
- FlatMap
- Limit
- Map
- Peek
- Skip
- Sorted
- Collectors/Terminals
- ToMap
- ToSlice
- AllMatch
- AnyMatch
- Count
- FindFirst
- ForEach
- Max
- Min
- NoneMatch
- Reduce
- Auxiliary Functions
- Add (for numbers)
- Increment (for numbers)
- IsZero
- Multiply (for numbers)
- Neg (for numbers)
- Not (for bools)
- Future
- Collectors for future standard generic data structures
- E.g. [ ] Join (for strings)
- Allow users implement their own Comparable or Ordered types
- More operations inspired in the Kafka Streams API
- Parallel streams
- FindAny
- Collectors for future standard generic data structures
The Stream processing and aggregation functions are heavily inspired in the Java Stream Specification.
Stream code documentation also used Stream Javadoc as an essential reference and might contain citations from it.