implement a basic token bucket pacing algoritm

This commit is contained in:
Marten Seemann 2020-06-15 15:58:57 +07:00
parent 3289d2ce38
commit 4163c255e8
2 changed files with 152 additions and 0 deletions

View file

@ -0,0 +1,91 @@
package congestion
import (
"time"
. "github.com/onsi/ginkgo"
. "github.com/onsi/gomega"
)
var _ = Describe("Pacer", func() {
var p *pacer
const packetsPerSecond = 42
BeforeEach(func() {
p = newPacer(packetsPerSecond * uint64(maxDatagramSize)) // bandwidth: 42 full-size packets per second
})
It("allows a burst at the beginning", func() {
t := time.Now()
Expect(p.TimeUntilSend()).To(BeZero())
Expect(p.Budget(t)).To(BeEquivalentTo(maxBurstSize))
})
It("reduces the budget when sending packets", func() {
t := time.Now()
budget := p.Budget(t)
for budget > 0 {
Expect(p.TimeUntilSend()).To(BeZero())
Expect(p.Budget(t)).To(Equal(budget))
p.SentPacket(t, maxDatagramSize)
budget -= maxDatagramSize
}
Expect(p.Budget(t)).To(BeZero())
Expect(p.TimeUntilSend()).ToNot(BeZero())
})
sendBurst := func(t time.Time) {
for p.Budget(t) > 0 {
p.SentPacket(t, maxDatagramSize)
}
}
It("paces packets after a burst", func() {
t := time.Now()
sendBurst(t)
// send 100 exactly paced packets
for i := 0; i < 100; i++ {
t2 := p.TimeUntilSend()
Expect(t2.Sub(t)).To(BeNumerically("~", time.Second/packetsPerSecond, time.Nanosecond))
Expect(p.Budget(t2)).To(BeEquivalentTo(maxDatagramSize))
p.SentPacket(t2, maxDatagramSize)
t = t2
}
})
It("accounts for non-full-size packets", func() {
t := time.Now()
sendBurst(t)
t2 := p.TimeUntilSend()
Expect(t2.Sub(t)).To(BeNumerically("~", time.Second/packetsPerSecond, time.Nanosecond))
// send a half-full packet
Expect(p.Budget(t2)).To(BeEquivalentTo(maxDatagramSize))
size := maxDatagramSize / 2
p.SentPacket(t2, size)
Expect(p.Budget(t2)).To(Equal(maxDatagramSize - size))
Expect(p.TimeUntilSend()).To(BeTemporally("~", t2.Add(time.Second/packetsPerSecond/2), time.Nanosecond))
})
It("accumulates budget, if no packets are sent", func() {
t := time.Now()
sendBurst(t)
t2 := p.TimeUntilSend()
Expect(t2).To(BeTemporally(">", t))
// wait for 5 times the duration
Expect(p.Budget(t.Add(5 * t2.Sub(t)))).To(BeEquivalentTo(5 * maxDatagramSize))
})
It("never allows bursts larger than the maximum burst size", func() {
t := time.Now()
sendBurst(t)
Expect(p.Budget(t.Add(time.Hour))).To(BeEquivalentTo(maxBurstSize))
})
It("changes the bandwidth", func() {
t := time.Now()
sendBurst(t)
p.SetBandwidth(uint64(maxDatagramSize)) // reduce the bandwidth to 1 packet per second
Expect(p.TimeUntilSend()).To(Equal(t.Add(time.Second)))
})
})