主要优化
- err_group:去掉多余 goroutine,避免潜在泄漏;并把并发 append 改为按下标写
入,消除数据竞争。
- err_group 测试稳定性增强:放宽超时并增加结果长度断言。
- semaphore:修复等待队列元素类型断言错误(*waiter);补充非法参数校验(负数
acquire/release)。
- SemaChan:修复 Lock/Unlock 逻辑(初始化令牌桶),避免永久阻塞。
- observer:修复“每次 Notify 都启动新 fanout 协程”的问题:改为 sync.Once 只启动一次
fanOut。
- observer:修复并发读写观察者列表问题:给 Attach/Detach/fanOut 增加读写锁保护。
- observer:去掉 fanout 内部额外再起 goroutine和自动关闭所有 observer 的行为,避
免重复关闭/竞态风险(仍保留 Detach 时关闭单个 observer)。
- lock_free:修复可取消延迟队列的计数错误与 timers map 并发访问问题。
- lock_free:checkAckStatus 改为非阻塞读取,避免入队路径被卡住。
- routine:提供默认空任务并忽略 nil taskFn,防止空指针调用。
- ticker:发送改为非阻塞,Stop 幂等化,降低阻塞和重复关闭风险。
- query_builder:WaitAndGo 增加 goroutine 内 panic 转 error;测试里
的 GORM filter 链式写法修正。
新增测试
- 新增 semaphore 测试,覆盖 Acquire/Release/TryAcquire 与 SemaChan 并发上限。
65 lines
1.0 KiB
Go
65 lines
1.0 KiB
Go
package routine
|
|
|
|
type T any
|
|
|
|
type options struct {
|
|
workers int
|
|
capacity int
|
|
taskFn func(T)
|
|
panicHandler func(any)
|
|
}
|
|
|
|
// Option function
|
|
type Option func(*options)
|
|
|
|
// loadOptions 设置默认值
|
|
func loadOptions(opt ...Option) options {
|
|
opts := options{
|
|
workers: 1,
|
|
capacity: 1,
|
|
taskFn: func(T) {},
|
|
}
|
|
|
|
for _, o := range opt {
|
|
o(&opts)
|
|
}
|
|
|
|
return opts
|
|
}
|
|
|
|
// WithWorkers 设置协程数
|
|
func WithWorkers(workers int) Option {
|
|
if workers <= 0 {
|
|
workers = 1
|
|
}
|
|
return func(o *options) {
|
|
o.workers = workers
|
|
}
|
|
}
|
|
|
|
// WithCapacity 设置任务队列容量
|
|
func WithCapacity(capacity int) Option {
|
|
if capacity <= 0 {
|
|
capacity = 1
|
|
}
|
|
return func(o *options) {
|
|
o.capacity = capacity
|
|
}
|
|
}
|
|
|
|
// WithTaskFn 设置任务函数
|
|
func WithTaskFn(taskFn func(T)) Option {
|
|
return func(o *options) {
|
|
if taskFn != nil {
|
|
o.taskFn = taskFn
|
|
}
|
|
}
|
|
}
|
|
|
|
// WithPanicHandler 设置panic处理函数
|
|
func WithPanicHandler(panicHandler func(any)) Option {
|
|
return func(o *options) {
|
|
o.panicHandler = panicHandler
|
|
}
|
|
}
|