• Stars
    star
    3,426
  • Rank 12,468 (Top 0.3 %)
  • Language
    Go
  • License
    Apache License 2.0
  • Created over 10 years ago
  • Updated over 1 year ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

.NET LINQ capabilities in Go

go-linq GoDoc Build Status Coverage Status Go Report Card

A powerful language integrated query (LINQ) library for Go.

  • Written in vanilla Go, no dependencies!
  • Complete lazy evaluation with iterator pattern
  • Safe for concurrent use
  • Supports generic functions to make your code cleaner and free of type assertions
  • Supports arrays, slices, maps, strings, channels and custom collections

Installation

When used with Go modules, use the following import path:

go get github.com/ahmetb/go-linq/v3

Older versions of Go using different dependency management tools can use the following import path to prevent breaking API changes:

go get gopkg.in/ahmetb/go-linq.v3

Quickstart

Usage is as easy as chaining methods like:

From(slice) .Where(predicate) .Select(selector) .Union(data)

Example 1: Find all owners of cars manufactured after 2015

import . "github.com/ahmetb/go-linq/v3"

type Car struct {
    year int
    owner, model string
}

...


var owners []string

From(cars).Where(func(c interface{}) bool {
	return c.(Car).year >= 2015
}).Select(func(c interface{}) interface{} {
	return c.(Car).owner
}).ToSlice(&owners)

Or, you can use generic functions, like WhereT and SelectT to simplify your code (at a performance penalty):

var owners []string

From(cars).WhereT(func(c Car) bool {
	return c.year >= 2015
}).SelectT(func(c Car) string {
	return c.owner
}).ToSlice(&owners)

Example 2: Find the author who has written the most books

import . "github.com/ahmetb/go-linq/v3"

type Book struct {
	id      int
	title   string
	authors []string
}

author := From(books).SelectMany( // make a flat array of authors
	func(book interface{}) Query {
		return From(book.(Book).authors)
	}).GroupBy( // group by author
	func(author interface{}) interface{} {
		return author // author as key
	}, func(author interface{}) interface{} {
		return author // author as value
	}).OrderByDescending( // sort groups by its length
	func(group interface{}) interface{} {
		return len(group.(Group).Group)
	}).Select( // get authors out of groups
	func(group interface{}) interface{} {
		return group.(Group).Key
	}).First() // take the first author

Example 3: Implement a custom method that leaves only values greater than the specified threshold

type MyQuery Query

func (q MyQuery) GreaterThan(threshold int) Query {
	return Query{
		Iterate: func() Iterator {
			next := q.Iterate()

			return func() (item interface{}, ok bool) {
				for item, ok = next(); ok; item, ok = next() {
					if item.(int) > threshold {
						return
					}
				}

				return
			}
		},
	}
}

result := MyQuery(Range(1,10)).GreaterThan(5).Results()

Generic Functions

Although Go doesn't implement generics, with some reflection tricks, you can use go-linq without typing interface{}s and type assertions. This will introduce a performance penalty (5x-10x slower) but will yield in a cleaner and more readable code.

Methods with T suffix (such as WhereT) accept functions with generic types. So instead of

.Select(func(v interface{}) interface{} {...})

you can type:

.SelectT(func(v YourType) YourOtherType {...})

This will make your code free of interface{} and type assertions.

Example 4: "MapReduce" in a slice of string sentences to list the top 5 most used words using generic functions

var results []string

From(sentences).
	// split sentences to words
	SelectManyT(func(sentence string) Query {
		return From(strings.Split(sentence, " "))
	}).
	// group the words
	GroupByT(
		func(word string) string { return word },
		func(word string) string { return word },
	).
	// order by count
	OrderByDescendingT(func(wordGroup Group) int {
		return len(wordGroup.Group)
	}).
	// order by the word
	ThenByT(func(wordGroup Group) string {
		return wordGroup.Key.(string)
	}).
	Take(5).  // take the top 5
	// project the words using the index as rank
	SelectIndexedT(func(index int, wordGroup Group) string {
		return fmt.Sprintf("Rank: #%d, Word: %s, Counts: %d", index+1, wordGroup.Key, len(wordGroup.Group))
	}).
	ToSlice(&results)

More examples can be found in the documentation.

Release Notes

v3.2.0 (2020-12-29)
* Added FromChannelT().
* Added DefaultIfEmpty().

v3.1.0 (2019-07-09)
* Support for Go modules
* Added IndexOf()/IndexOfT().

v3.0.0 (2017-01-10)
* Breaking change: ToSlice() now overwrites existing slice starting
  from index 0 and grows/reslices it as needed.
* Generic methods support (thanks @cleitonmarx!)
  - Accepting parametrized functions was originally proposed in #26
  - You can now avoid type assertions and interface{}s
  - Functions with generic methods are named as "MethodNameT" and
    signature for the existing LINQ methods are unchanged.
* Added ForEach(), ForEachIndexed() and AggregateWithSeedBy().

v2.0.0 (2016-09-02)
* IMPORTANT: This release is a BREAKING CHANGE. The old version
  is archived at the 'archive/0.9' branch or the 0.9 tags.
* A COMPLETE REWRITE of go-linq with better performance and memory
  efficiency. (thanks @kalaninja!)
* API has significantly changed. Most notably:
  - linq.T removed in favor of interface{}
  - library methods no longer return errors
  - PLINQ removed for now (see channels support)
  - support for channels, custom collections and comparables

v0.9-rc4
* GroupBy()

v0.9-rc3.2
* bugfix: All() iterating over values instead of indices

v0.9-rc3.1
* bugfix: modifying result slice affects subsequent query methods

v0.9-rc3
* removed FirstOrNil, LastOrNil, ElementAtOrNil methods

v0.9-rc2.5
* slice-accepting methods accept slices of any type with reflections

v0.9-rc2
* parallel linq (plinq) implemented
* Queryable separated into Query & ParallelQuery
* fixed early termination for All

v0.9-rc1
* many linq methods are implemented
* methods have error handling support
* type assertion limitations are unresolved
* travis-ci.org build integrated
* open sourced on github, master & dev branches

More Repositories

1

kubectx

Faster way to switch between clusters and namespaces in kubectl
Go
14,832
star
2

kubernetes-network-policy-recipes

Example recipes for Kubernetes Network Policies that you can just copy paste
5,497
star
3

kubectl-aliases

Programmatically generated handy kubectl aliases.
Shell
3,235
star
4

kubectl-tree

kubectl plugin to browse Kubernetes object hierarchies as a tree 🎄 (star the repo if you are using)
Go
2,788
star
5

cloud-run-faq

Unofficial FAQ and everything you've been wondering about Google Cloud Run.
Shell
2,292
star
6

gke-letsencrypt

Tutorial for installing cert-manager on GKE get HTTPS certificates from Let’s Encrypt (⚠️NOW OBSOLETE⚠️)
623
star
7

govvv

"go build" wrapper to add version info to Golang applications
Go
535
star
8

go-dexec

It's like Go os/exec package but for Docker. What if you could exec programs remotely with the same interface as os/exec?
Go
424
star
9

runsd

Drop-in Service Discovery capabilities for Google Cloud Run.
Go
406
star
10

kubectl-foreach

Run kubectl commands in all/some contexts in parallel (similar to GNU xargs+parallel)
Go
406
star
11

personal-dashboard

📊 Programmatically collecting and reporting various stats about myself daily
Go
337
star
12

wagl

🐝 DNS Service Discovery for Docker Swarm. Works out of the box. (NOW OBSOLETE, USE SWARM MODE)
Go
284
star
13

gen-crd-api-reference-docs

API Reference Docs generator for Kubernetes CRDs (used by Knative, Kubeflow and others)
Go
271
star
14

serverless-registry-proxy

Serverless reverse proxy for exposing container registries (GCR, Docker Hub, Artifact Registry etc) on custom domains.
Go
248
star
15

orman

lightweight and minimalist ORM for Java/Android. works with SQLite & MySQL. (not actively maintained)
Java
247
star
16

sheets-url-shortener

A simple short URL redirect service built on top of Google Sheets, and runs for cheap on Google Cloud Run serverless.
Go
178
star
17

In-Stock

📱 Is the new iDevice in town yet? (no longer maintained)
Objective-C
158
star
18

RectangleWin

Hotkey-driven window snapping to edges and corners using hotkeys on Windows 10/11.
Go
157
star
19

go-httpbin

http://httpbin.org endpoints for your Go tests
Go
121
star
20

dotfiles

Ahmet's dotfiles and macOS customizations
Shell
120
star
21

kubectl-extras

A collection of mini plugins for kubectl.
Shell
113
star
22

twitter-audit-log

Back up Twitter follow/mute/block lists periodically using GitHub Actions
Go
93
star
23

goodbye

Notify yourself when someone unfollows you on Twitter
Go
87
star
24

kubectl-pods_on

kubectl plugin to query Pods by Node names or selectors
Go
83
star
25

cloud-run-multi-region-terraform

Deploy a Cloud Run app to all available regions using Terraform.
HCL
80
star
26

azurefs

Mount Microsoft Azure Blob Storage as local filesystem in Linux (inactive)
Python
70
star
27

baklava

Go
64
star
28

cloud-run-iap-terraform-demo

Deploy an IAP-secured application to Cloud Run using Terraform (e.g. an admin portal or internal company app)
HCL
63
star
29

cloud-run-travisci

Example config for deploying from Travis CI to Google Cloud Run
Python
54
star
30

go-cursor

ANSI escape code helpers for Go
Go
53
star
31

public-speaking

@ahmetb's public speaking engagements & bio
50
star
32

multi-process-container-lazy-solution

Sample code accompanying the blog post:
Python
50
star
33

cloudrun-iamviz

Visualize call permissions between Cloud Run services
Go
48
star
34

serverless-url-redirect

Simple click-to-deploy serverless URL redirect service
Shell
38
star
35

goclone

Clone Go projects to a clean GOPATH and start hacking right away.
Shell
35
star
36

coffeelog

Sample multi-tier cloud-native application hosted on Google Kubernetes Engine (GKE)
Go
34
star
37

skaffold-from-laptop-to-cloud

Docker Voting App deployed to Kubernetes with Skaffold 3 different ways
JavaScript
32
star
38

cloud-run-static-outbound-ip

[DEPRECATED] Sample code for Cloud Run to use a static IP for outgoing requests via a SSH tunnel over a GCE instance
Python
29
star
39

rundev

(alpha, contact me if you’re using)
Go
28
star
40

dlog

Go library to parse the Docker Logs stream
Go
28
star
41

multi-process-container

Example docker container image with multiple services supervised by s6 init process
Shell
28
star
42

coredns-grpc-backend-sample

Sample CoreDNS gRPC proxy backend written in Go
Go
26
star
43

zone-printer

Small web app to print Google Cloud compute region it’s deployed to
Go
25
star
44

turkish-deasciifier-java

Turkish deASCIIfier library for Java
Java
24
star
45

ytaudio

Go
24
star
46

qs

URL query parameters from Go structs
Go
22
star
47

kcat

Syntax highlighting for Kubernetes manifests [WIP]
Go
19
star
48

cloud-run-deploy-via-api-go

Go
18
star
49

docker-registry-driver-azure

[⚠️DO NOT USE THIS - DEPRECATED ⚠️] Docker Registry – Azure Blob Storage Driver
Python
16
star
50

twitch-bot

Go
14
star
51

dailybbble

Archiving and serving what is popular on Dribbble every day
Python
13
star
52

docker-chocolatey

Chocolatey 'docker' package
PowerShell
12
star
53

comcasted

Are you being “Comcast-ed”? Test your speed every 5min and see if you're getting what you're paying.
Python
12
star
54

sorucevap

Go
11
star
55

open-diary-format

Because all diary keeping apps suck. Here's a standard format.
11
star
56

ytdl

Serverless video downloader app (using youtube-dl)
Go
11
star
57

Spark.NET

Wicked ▁▂▃▅▂▇ in your C# programs
C#
10
star
58

permalinker

Right click → Save to cloud → Permalink on your clipboard
Python
10
star
59

kubectl-runbridge

Go
9
star
60

radyo

a js radio plays similar tracks using last.fm & youtube. for my personal usage.
9
star
61

tfjs-cloudrun

JavaScript
9
star
62

gophercon-ist

8
star
63

leetcode-solutions

my solutions to http://leetcode.com/onlinejudge problems
Java
7
star
64

kubernetes-secrets-propagation-delay

Go
7
star
65

tmdb-downloader

Downloads tmdb movies data sequentially and saves to mongodb
Python
7
star
66

sample-bundle-deployment-controller

A sample CRD that deploys a bundle of arbitrary Kubernetes resources with pruning/kustomization capabilities.
Go
7
star
67

simplegauges

Practical time series gauges for daily stats (used in personal-dashboard project)
Python
6
star
68

kubectl-runproxy

🧪[experimental]☢️ a local k8s apiserver to make Cloud Run API work with kubectl (don't use this)
Go
4
star
69

cloudrun-socketio-whiteboard

JavaScript
4
star
70

mysqlbackup

simple python script to get gzipped mysql dumps with easy connection strings
4
star
71

hizlisozluk

Hizli Sozluk Android app
Java
3
star
72

futuremedium-resizer

a handy proportional image resizer and cropper for Java
Java
3
star
73

blobmetadb

Watches your application’s Microsoft Azure Blob Storage requests and keeps record of your blobs on Redis.
C#
3
star
74

instagger

Lamest tool ever. Adds and removes hashtags to your instagram posts.
Go
2
star
75

orman-demos

demo projects playground for orman framework
Java
2
star
76

permalinker-chrome

Chrome extension for Permalinker. Right click any image on the web → Save to cloud → Share link with friends
JavaScript
2
star
77

orman-clickgame

a click game implemented with orman and sqlite
Java
2
star
78

cs352project

a useless CS 352 CRUD term project. uploading only for code storage purposes.
PHP
2
star
79

swap

file name swapping utility for Unix systems
C
2
star
80

github-activity-recorder

2
star
81

home-ac-stats

Push stats from Sensibo AC controller to Google Cloud Monitoring
Go
2
star
82

blog-docker

Docker image for my blog's nginx server 🌵
Nginx
1
star
83

runstatic

Go
1
star
84

krew-index-autoapprove

Go
1
star
85

rtmpsave

Listens to a RTMP stream, encodes to specified audio format and uploads audio to Azure Blob Storage
Go
1
star
86

kubectl-colorful

Shell
1
star
87

yayinakisi

Yayin Akisi Android App
Java
1
star
88

colorify

colorify windows phone 7 app
C#
1
star
89

cloud-builders

Go
1
star