Skip to content

Commit

Permalink
Initial commit
Browse files Browse the repository at this point in the history
  • Loading branch information
janos committed May 2, 2019
0 parents commit ea7efdf
Show file tree
Hide file tree
Showing 7 changed files with 376 additions and 0 deletions.
13 changes: 13 additions & 0 deletions .travis.yml
Original file line number Diff line number Diff line change
@@ -0,0 +1,13 @@
language: go

go:
- 1.12.4

install:
- go get -v resenje.org/singleflight/...

before_script:
- go vet -v resenje.org/singleflight/...

script:
- go test -v -race resenje.org/singleflight/...
27 changes: 27 additions & 0 deletions LICENSE
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
Copyright (c) 2019, Janoš Guljaš <[email protected]>
All rights reserved.

Redistribution and use in source and binary forms, with or without
modification, are permitted provided that the following conditions are met:

* Redistributions of source code must retain the above copyright notice, this
list of conditions and the following disclaimer.

* Redistributions in binary form must reproduce the above copyright notice,
this list of conditions and the following disclaimer in the documentation
and/or other materials provided with the distribution.

* Neither the name of this project nor the names of its
contributors may be used to endorse or promote products derived from
this software without specific prior written permission.

THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
12 changes: 12 additions & 0 deletions README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,12 @@
# Singleflight

[![GoDoc](https://godoc.org/resenje.org/singleflight?status.svg)](https://godoc.org/resenje.org/singleflight)
[![Build Status](https://travis-ci.org/janos/singleflight.svg?branch=master)](https://travis-ci.org/janos/singleflight)

Package singleflight provides a duplicate function call suppression
mechanism similar to golang.org/x/sync/singleflight but with support
for context cancelation.

## Installation

Run `go get resenje.org/singleflight` from command line.
5 changes: 5 additions & 0 deletions go.mod
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
module resenje.org/singleflight

go 1.12

require golang.org/x/sync v0.0.0-20190423024810-112230192c58
2 changes: 2 additions & 0 deletions go.sum
Original file line number Diff line number Diff line change
@@ -0,0 +1,2 @@
golang.org/x/sync v0.0.0-20190423024810-112230192c58 h1:8gQV6CLnAEikrhgkHFbMAEhagSSnXWGV915qUMm9mrU=
golang.org/x/sync v0.0.0-20190423024810-112230192c58/go.mod h1:RxMgew5VJxzue5/jJTE5uejpjVlOe/izrB70Jof72aM=
102 changes: 102 additions & 0 deletions singleflight.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,102 @@
// Copyright (c) 2019, Janoš Guljaš <[email protected]>
// All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.

// Package singleflight provides a duplicate function call suppression
// mechanism similar to golang.org/x/sync/singleflight with support
// for context cancelation.
package singleflight

import (
"context"
"sync"
)

// Group represents a class of work and forms a namespace in
// which units of work can be executed with duplicate suppression.
type Group struct {
calls map[string]*call // lazily initialized
mu sync.Mutex // protects calls
}

// Do executes and returns the results of the given function, making
// sure that only one execution is in-flight for a given key at a
// time. If a duplicate comes in, the duplicate caller waits for the
// original to complete and receives the same results.
// Passed context terminates the execution of Do function, not the passed
// function fn. If there are multiple callers, context passed to one caller
// does not effect the execution and returned values of others.
// The return value shared indicates whether v was given to multiple callers.
func (g *Group) Do(ctx context.Context, key string, fn func() (interface{}, error)) (v interface{}, shared bool, err error) {
g.mu.Lock()
if g.calls == nil {
g.calls = make(map[string]*call)
}

if c, ok := g.calls[key]; ok {
c.shared = true
g.mu.Unlock()

return g.wait(ctx, key, c)
}

c := &call{
done: make(chan struct{}),
}
g.calls[key] = c
g.mu.Unlock()

go func() {
c.val, c.err = fn()
close(c.done)
}()

return g.wait(ctx, key, c)
}

// wait for function passed to Do to finish or context to be done.
func (g *Group) wait(ctx context.Context, key string, c *call) (v interface{}, shared bool, err error) {
select {
case <-c.done:
v = c.val
err = c.err
case <-ctx.Done():
err = ctx.Err()
}
g.mu.Lock()
if !c.forgotten {
delete(g.calls, key)
}
g.mu.Unlock()
return v, c.shared, err
}

// Forget tells the singleflight to forget about a key. Future calls
// to Do for this key will call the function rather than waiting for
// an earlier call to complete.
func (g *Group) Forget(key string) {
g.mu.Lock()
if c, ok := g.calls[key]; ok {
c.forgotten = true
}
delete(g.calls, key)
g.mu.Unlock()
}

// call stores information about as single function call passed to Do function.
type call struct {
// val and err hold the state about results of the function call.
val interface{}
err error

// done channel signals that the function call is done.
done chan struct{}

// forgotten indicates whether Forget was called with this call's key
// while the call was still in flight.
forgotten bool

// shared indicates if results val and err are passed to multiple callers.
shared bool
}
215 changes: 215 additions & 0 deletions singleflight_test.go
Original file line number Diff line number Diff line change
@@ -0,0 +1,215 @@
// Copyright (c) 2019, Janoš Guljaš <[email protected]>
// All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.

package singleflight_test

import (
"context"
"errors"
"strconv"
"sync"
"sync/atomic"
"testing"
"time"

"resenje.org/singleflight"
)

func TestDo(t *testing.T) {
var g singleflight.Group

want := "val"
got, shared, err := g.Do(context.Background(), "key", func() (interface{}, error) {
return want, nil
})
if err != nil {
t.Fatal(err)
}
if shared {
t.Error("the value should not be shared")
}
if got != want {
t.Errorf("got value %v, want %v", got, want)
}
}

func TestDo_error(t *testing.T) {
var g singleflight.Group
wantErr := errors.New("test error")
got, _, err := g.Do(context.Background(), "key", func() (interface{}, error) {
return nil, wantErr
})
if err != wantErr {
t.Errorf("got error %v, want %v", err, wantErr)
}
if got != nil {
t.Errorf("unexpected value %#v", got)
}
}

func TestDo_multipleCalls(t *testing.T) {
var g singleflight.Group

want := "val"
var counter int32

n := 10
got := make([]interface{}, n)
shared := make([]bool, n)
err := make([]error, n)
var wg sync.WaitGroup
wg.Add(n)
for i := 0; i < n; i++ {
go func(i int) {
defer wg.Done()
got[i], shared[i], err[i] = g.Do(context.Background(), "key", func() (interface{}, error) {
atomic.AddInt32(&counter, 1)
time.Sleep(100 * time.Millisecond)
return want, nil
})
}(i)
}
wg.Wait()

if got := atomic.LoadInt32(&counter); got != 1 {
t.Errorf("function called %v times, should only once", got)
}

for i := 0; i < n; i++ {
if err[i] != nil {
t.Errorf("call %v: unexpected error: %v", i, err[i])
}
if !shared[i] {
t.Errorf("call %v: the value should be shared", i)
}
if got[i] != want {
t.Errorf("call %v: got value %v, want %v", i, got[i], want)
}
}
}

func TestDo_callRemoval(t *testing.T) {
var g singleflight.Group

wantPrefix := "val"
counter := 0
fn := func() (interface{}, error) {
counter++
return wantPrefix + strconv.Itoa(counter), nil
}

got, shared, err := g.Do(context.Background(), "key", fn)
if err != nil {
t.Fatal(err)
}
if shared {
t.Error("the value should not be shared")
}
if want := wantPrefix + "1"; got != want {
t.Errorf("got value %v, want %v", got, want)
}

got, shared, err = g.Do(context.Background(), "key", fn)
if err != nil {
t.Fatal(err)
}
if shared {
t.Error("the value should not be shared")
}
if want := wantPrefix + "2"; got != want {
t.Errorf("got value %v, want %v", got, want)
}
}

func TestDo_cancelContext(t *testing.T) {
var g singleflight.Group

want := "val"
ctx, cancel := context.WithCancel(context.Background())
go func() {
time.Sleep(100 * time.Millisecond)
cancel()
}()
start := time.Now()
got, shared, err := g.Do(ctx, "key", func() (interface{}, error) {
time.Sleep(time.Second)
return want, nil
})
if d := time.Since(start); d < 100*time.Microsecond || d > time.Second {
t.Errorf("unexpected Do call duration %s", d)
}
if want := context.Canceled; err != want {
t.Errorf("got error %v, want %v", err, want)
}
if shared {
t.Error("the value should not be shared")
}
if got != nil {
t.Errorf("unexpected value %#v", got)
}
}

func TestDo_cancelContextSecond(t *testing.T) {
var g singleflight.Group

want := "val"
fn := func() (interface{}, error) {
time.Sleep(time.Second)
return want, nil
}
go g.Do(context.Background(), "key", fn)

ctx, cancel := context.WithCancel(context.Background())
go func() {
time.Sleep(100 * time.Millisecond)
cancel()
}()
start := time.Now()
got, shared, err := g.Do(ctx, "key", fn)
if d := time.Since(start); d < 100*time.Microsecond || d > time.Second {
t.Errorf("unexpected Do call duration %s", d)
}
if want := context.Canceled; err != want {
t.Errorf("got error %v, want %v", err, want)
}
if !shared {
t.Error("the value should be shared")
}
if got != nil {
t.Errorf("unexpected value %#v", got)
}
}

func TestForget(t *testing.T) {
var g singleflight.Group

wantPrefix := "val"
var counter uint64
firstCall := make(chan struct{})
fn := func() (interface{}, error) {
c := atomic.AddUint64(&counter, 1)
if c == 1 {
close(firstCall)
time.Sleep(time.Second)
}
return wantPrefix + strconv.FormatUint(c, 10), nil
}

go g.Do(context.Background(), "key", fn)

<-firstCall
g.Forget("key")

got, shared, err := g.Do(context.Background(), "key", fn)
if err != nil {
t.Fatal(err)
}
if shared {
t.Error("the value should not be shared")
}
if want := wantPrefix + "2"; got != want {
t.Errorf("got value %v, want %v", got, want)
}
}

0 comments on commit ea7efdf

Please sign in to comment.