Go already has great error handling, but sometimes you want to express flows as pipelines instead of nested if err != nil blocks.
λ gives you an Option type (value + error) and a set of utilities that make those pipelines ergonomic.
- Go 1.23+ (this module tracks the
goversion ingo.mod).
λ v2 is a major rewrite with generics + typed pipelines.
- Import:
import λ "github.com/4thel00z/lambda/v2"- This is a hard cut: no compatibility layer and no migration path from
v1.
Import the default versioned package:
import λ "github.com/4thel00z/lambda/v1"package main
import (
"os"
λ "github.com/4thel00z/lambda/v2"
)
func main() {
content := λ.Slurp(os.Stdin).String().Must()
_ = content
}package main
import (
"context"
"os"
λ "github.com/4thel00z/lambda/v2"
)
func main() {
λ.Get("https://example.com").
Do(context.Background()).
Slurp().
WriteToWriter(os.Stdout)
}package main
import (
"fmt"
λ "github.com/4thel00z/lambda/v2"
)
type MagicSpell struct {
Name string `json:"name"`
Power int `json:"power"`
}
func main() {
spell := λ.FromJSON[MagicSpell](λ.Open("magic.json").Slurp()).Must()
fmt.Println(spell.Name, spell.Power)
}package main
import (
"context"
"fmt"
"strings"
λ "github.com/4thel00z/lambda/v2"
)
func main() {
ctx := context.Background()
words := []string{"a", "bb", "ccc"}
out := λ.ParMap(ctx, words, func(s string) string {
return strings.ToUpper(s)
}, λ.WithConcurrency(8)).Must()
fmt.Println(out) // [A BB CCC]
}package main
import (
"context"
"fmt"
λ "github.com/4thel00z/lambda/v2"
)
func main() {
ctx := context.Background()
in, inErrc := λ.RangeN(ctx, 5)
out, errc := λ.ParMapChan(ctx, in, func(v int) int { return v * 2 }, λ.WithConcurrency(8))
for v := range out {
fmt.Println(v)
}
λ.Must(λ.JoinErr(inErrc, errc))
}package main
import (
"context"
"fmt"
λ "github.com/4thel00z/lambda/v2"
)
func main() {
ctx := context.Background()
// Export ints as a channel (no goroutine needed).
in, inErrc := λ.RangeN(ctx, 10)
// Peek at the first element while keeping a replaying stream.
first, replay, peekErrc := λ.Peek(ctx, in)
fmt.Println("first:", first.Must())
// Do parallel work on the stream.
out, mapErrc := λ.ParMapChan(ctx, replay, func(v int) int { return v * v }, λ.WithConcurrency(8))
// Collect results (drains the channel).
squares := λ.Collect(ctx, out).Must()
fmt.Println("squares:", squares)
// Wait for all producers to finish and surface errors once.
λ.Must(λ.JoinErr(inErrc, peekErrc, mapErrc))
}Show v1 examples
package main
import (
"os"
λ "github.com/4thel00z/lambda/v1"
)
func main() {
content := λ.Slurp(os.Stdin).UnwrapString()
_ = content
}package main
import (
"os"
λ "github.com/4thel00z/lambda/v1"
)
func main() {
λ.Open("lorem_ipsum.txt").Slurp().WriteToWriter(os.Stdout)
}package main
import (
"fmt"
λ "github.com/4thel00z/lambda/v1"
)
type MagicSpell struct {
Name string `json:"name"`
AttackPower float64 `json:"attack_power"`
Type string `json:"type"`
Description string `json:"description"`
}
func main() {
var m MagicSpell
λ.Open("magic.json").Slurp().JSON(&m).Catch(λ.Die)
fmt.Printf("%s (%s) atk=%.2f\n%s\n", m.Name, m.Type, m.AttackPower, m.Description)
}package main
import (
"os"
λ "github.com/4thel00z/lambda/v1"
)
func main() {
λ.Get("https://example.com").Do().Slurp().WriteToWriter(os.Stdout)
}You never need to check an error with an if clause again. Instead you can define the flow as functional chain,
start point is always λ.If.
You even can reuse the same chain, it doesn't contain data. You pass the data via Conditional.Do.
package main
import (
λ "github.com/4thel00z/lambda/v1"
)
func main() {
manipulateError := λ.Return(λ.Wrap(nil, λ.Error("this error will be thrown")))
input := λ.Wrap(nil, λ.Error("something is weird"))
output := λ.If(λ.HasError, manipulateError).Else(λ.Cry).Do(input)
λ.If(λ.HasNoError, λ.Identity).Else(λ.Cry).Do(output)
}package main
import (
"crypto/rand"
"io"
"strings"
λ "github.com/4thel00z/lambda/v1"
)
var (
loremIpsum = `Lorem ipsum dolor sit amet, consetetur sadipscing elitr,
sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat,
sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum.
Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet.
Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat,
sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren,
no sea takimata sanctus est Lorem ipsum dolor sit amet.`
loremIpsumReader = strings.NewReader(loremIpsum)
)
func getRandomKey() []byte {
key := make([]byte, 32)
_, err := rand.Read(key)
if err != nil {
panic(err)
}
return key
}
func main() {
key := getRandomKey()
if λ.Read(loremIpsumReader).EncryptAES(key).DecryptAES(key).UnwrapString() != loremIpsum {
panic("encryption and decryption doesn't work")
}
// test for random payload and key that enc & decryption works fine
for i := 0; i < 10; i++ {
key = getRandomKey()
o := λ.Read(io.LimitReader(rand.Reader, 1024))
text := o.UnwrapString()
if o.EncryptAES(key).DecryptAES(key).UnwrapString() != text {
panic("encryption and decryption doesn't work")
}
}
}package main
import (
"log"
λ "github.com/4thel00z/lambda/v1"
)
func main() {
rsa := λ.RSA(4096)
println(rsa.ToPublicKeyPemString())
println(rsa.ToPrivateKeyPemString())
original := "Some important message which needs to stay secret lel"
secretMsg := rsa.EncryptRSA(original).UnwrapString()
if original == secretMsg {
log.Fatalln("This encryption don't work boi!")
}
if original != rsa.DecryptRSA(secretMsg).UnwrapString() {
log.Fatalln("This decryption don't work boi!")
}
// Use rsa.UnwrapPrivateKey() and rsa.UnwrapPublicKey() if you want to extract the raw key material
// You can load it via λ.LoadRSA(pub,priv)
}package main
import (
"bytes"
λ "github.com/4thel00z/lambda/v1"
)
var (
loremIpsum = `Lorem ipsum dolor sit amet, consetetur sadipscing elitr,
sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat,
sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum.
Stet clita kasd gubergren, no sea takimata sanctus est Lorem ipsum dolor sit amet.
Lorem ipsum dolor sit amet, consetetur sadipscing elitr, sed diam nonumy eirmod tempor invidunt ut labore et dolore magna aliquyam erat,
sed diam voluptua. At vero eos et accusam et justo duo dolores et ea rebum. Stet clita kasd gubergren,
no sea takimata sanctus est Lorem ipsum dolor sit amet.`
loremIpsumReader = bytes.NewReader([]byte(loremIpsum))
)
func main() {
expected := "70026299e7c4b3bf5b6256b2069ae0cbc2e0960cad1acb51208a311f3864d5bd"
if λ.Read(loremIpsumReader).Checksum().UnwrapChecksum() != expected {
panic("sha256 of loremIpsum is wrong!")
}
}package main
import (
"fmt"
λ "github.com/4thel00z/lambda/v1"
)
func main() {
out := λ.Markdown().Render(`# Markdown
This is so awesome
## Why is this section so nice
Really dunno`).UnwrapString()
fmt.Print(out)
}See the runnable examples in example/. For instance:
go run ./example/json
go run ./example/httpv2 examples live in v2/example/:
go run ./v2/example/json
go run ./v2/example/http
go run ./v2/example/conditionalsgo test ./...
go vet ./...
gofmt -w .GPL-3.0 — see COPYING.
