Files
EdgeNode/internal/utils/fs/limiter.go

101 lines
1.8 KiB
Go
Raw Normal View History

2024-04-29 22:01:55 +08:00
// Copyright 2024 GoEdge CDN goedge.cdn@gmail.com. All rights reserved. Official site: https://goedge.cn .
package fsutils
import (
"runtime"
"time"
)
var maxThreads = runtime.NumCPU()
2024-05-01 12:42:35 +08:00
var WriterLimiter = NewLimiter(max(maxThreads, 8))
var ReaderLimiter = NewLimiter(max(maxThreads, 8))
2024-04-29 22:01:55 +08:00
type Limiter struct {
threads chan struct{}
count int
countDefault int
timers chan *time.Timer
2024-04-29 22:01:55 +08:00
}
func NewLimiter(threads int) *Limiter {
if threads < 4 {
threads = 4
}
if threads > 64 {
threads = 64
}
2024-04-29 22:01:55 +08:00
var threadsChan = make(chan struct{}, threads)
for i := 0; i < threads; i++ {
threadsChan <- struct{}{}
}
return &Limiter{
countDefault: threads,
count: threads,
threads: threadsChan,
timers: make(chan *time.Timer, 4096),
}
}
func (this *Limiter) SetThreads(newThreads int) {
if newThreads <= 0 {
newThreads = this.countDefault
}
if newThreads != this.count {
var threadsChan = make(chan struct{}, newThreads)
for i := 0; i < newThreads; i++ {
threadsChan <- struct{}{}
}
this.threads = threadsChan
this.count = newThreads
2024-04-29 22:01:55 +08:00
}
}
func (this *Limiter) Ack() {
<-this.threads
}
func (this *Limiter) TryAck() bool {
2024-05-01 12:42:35 +08:00
const timeoutDuration = 500 * time.Millisecond
2024-04-29 22:01:55 +08:00
var timeout *time.Timer
select {
case timeout = <-this.timers:
timeout.Reset(timeoutDuration)
default:
timeout = time.NewTimer(timeoutDuration)
}
defer func() {
timeout.Stop()
select {
case this.timers <- timeout:
default:
}
}()
select {
case <-this.threads:
return true
case <-timeout.C:
return false
}
}
func (this *Limiter) Release() {
select {
case this.threads <- struct{}{}:
default:
// 由于容量可能有变化这里忽略多余的thread
}
}
func (this *Limiter) FreeThreads() int {
return len(this.threads)
2024-04-29 22:01:55 +08:00
}