blob: 914c4e2fcf5af6d2a3b99ff5cdb477acacbca7ee [file] [log] [blame]
Jungho Ahncd175b82015-03-27 14:29:40 -07001// Copyright 2015 The Vanadium Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style
3// license that can be found in the LICENSE file.
4
5package vif
6
7import (
8 "sync"
9 "time"
10)
11
12// Since an idle timer with a short timeout can expire before establishing a VC,
13// we provide a fake timer to reduce dependence on real time in unittests.
14type fakeTimer struct {
15 mu sync.Mutex
16 timeout time.Duration
17 timeoutFunc func()
18 timer timer
19 stopped bool
20}
21
22func newFakeTimer(d time.Duration, f func()) *fakeTimer {
23 return &fakeTimer{
24 timeout: d,
25 timeoutFunc: f,
26 timer: noopTimer{},
27 }
28}
29
30func (t *fakeTimer) Stop() bool {
31 t.mu.Lock()
32 defer t.mu.Unlock()
33 t.stopped = true
34 return t.timer.Stop()
35}
36
37func (t *fakeTimer) Reset(d time.Duration) bool {
38 t.mu.Lock()
39 defer t.mu.Unlock()
40 t.timeout = d
41 t.stopped = false
42 return t.timer.Reset(t.timeout)
43}
44
45func (t *fakeTimer) run(release <-chan struct{}, wg *sync.WaitGroup) {
46 defer wg.Done()
47 <-release // Wait until notified to run.
48 t.mu.Lock()
49 defer t.mu.Unlock()
50 if t.timeout > 0 {
51 t.timer = newTimer(t.timeout, t.timeoutFunc)
52 }
53 if t.stopped {
54 t.timer.Stop()
55 }
56}
57
58// SetFakeTimers causes the idle timers to use a fake timer instead of one
59// based on real time. The timers will be triggered when the returned function
60// is invoked. (at which point the timer setup will be restored to what it was
61// before calling this function)
62//
63// Usage:
64// triggerTimers := SetFakeTimers()
65// ...
66// triggerTimers()
67//
68// This function cannot be called concurrently.
69func SetFakeTimers() func() {
70 backup := newTimer
71
Jungho Ahncc9d5722015-04-22 10:13:04 -070072 var mu sync.Mutex
Jungho Ahncd175b82015-03-27 14:29:40 -070073 var wg sync.WaitGroup
74 release := make(chan struct{})
75 newTimer = func(d time.Duration, f func()) timer {
Jungho Ahncc9d5722015-04-22 10:13:04 -070076 mu.Lock()
77 defer mu.Unlock()
Jungho Ahncd175b82015-03-27 14:29:40 -070078 wg.Add(1)
79 t := newFakeTimer(d, f)
80 go t.run(release, &wg)
81 return t
82 }
83 return func() {
Jungho Ahncc9d5722015-04-22 10:13:04 -070084 mu.Lock()
85 defer mu.Unlock()
Jungho Ahncd175b82015-03-27 14:29:40 -070086 newTimer = backup
87 close(release)
88 wg.Wait()
89 }
90}