yuluo-yx commented on code in PR #11:
URL: 
https://github.com/apache/hertzbeat-collector-go/pull/11#discussion_r2330428517


##########
internal/collector/common/dispatcher/hashed_wheel_timer.go:
##########
@@ -0,0 +1,226 @@
+/*
+ * Licensed to the Apache Software Foundation (ASF) under one
+ * or more contributor license agreements.  See the NOTICE file
+ * distributed with this work for additional information
+ * regarding copyright ownership.  The ASF licenses this file
+ * to you under the Apache License, Version 2.0 (the
+ * "License"); you may not use this file except in compliance
+ * with the License.  You may obtain a copy of the License at
+ *
+ *   http://www.apache.org/licenses/LICENSE-2.0
+ *
+ * Unless required by applicable law or agreed to in writing,
+ * software distributed under the License is distributed on an
+ * "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
+ * KIND, either express or implied.  See the License for the
+ * specific language governing permissions and limitations
+ * under the License.
+ */
+
+package dispatcher
+
+import (
+       "context"
+       "sync"
+       "sync/atomic"
+       "time"
+
+       jobtypes 
"hertzbeat.apache.org/hertzbeat-collector-go/internal/collector/common/types/job"
+       "hertzbeat.apache.org/hertzbeat-collector-go/internal/util/logger"
+)
+
+// hashedWheelTimer implements a time wheel for efficient timeout management
+type hashedWheelTimer struct {
+       logger       logger.Logger
+       tickDuration time.Duration
+       wheelSize    int
+       wheel        []*bucket
+       currentTick  int64
+       startTime    time.Time
+       ticker       *time.Ticker
+       ctx          context.Context
+       cancel       context.CancelFunc
+       started      int32
+       stopped      int32
+       wg           sync.WaitGroup
+}
+
+// bucket represents a time wheel bucket containing timeouts
+type bucket struct {
+       timeouts []*jobtypes.Timeout
+       mu       sync.RWMutex
+}
+
+// NewHashedWheelTimer creates a new hashed wheel timer
+func NewHashedWheelTimer(wheelSize int, tickDuration time.Duration, logger 
logger.Logger) HashedWheelTimer {
+       if wheelSize <= 0 {
+               wheelSize = 512
+       }
+       if tickDuration <= 0 {
+               tickDuration = 100 * time.Millisecond
+       }
+
+       ctx, cancel := context.WithCancel(context.Background())
+
+       timer := &hashedWheelTimer{
+               logger:       logger.WithName("hashed-wheel-timer"),
+               tickDuration: tickDuration,
+               wheelSize:    wheelSize,
+               wheel:        make([]*bucket, wheelSize),
+               ctx:          ctx,
+               cancel:       cancel,
+       }
+
+       // Initialize buckets
+       for i := 0; i < wheelSize; i++ {
+               timer.wheel[i] = &bucket{
+                       timeouts: make([]*jobtypes.Timeout, 0),
+               }
+       }
+
+       return timer
+}
+
+// NewTimeout creates a new timeout and adds it to the wheel
+func (hwt *hashedWheelTimer) NewTimeout(task jobtypes.TimerTask, delay 
time.Duration) *jobtypes.Timeout {
+       if atomic.LoadInt32(&hwt.stopped) == 1 {
+               hwt.logger.Info("timer is stopped, cannot create new timeout")
+               return nil
+       }
+
+       timeout := jobtypes.NewTimeout(task, delay)
+
+       // Calculate which bucket and tick this timeout belongs to
+       totalTicks := int64(delay / hwt.tickDuration)
+       currentTick := atomic.LoadInt64(&hwt.currentTick)
+       targetTick := currentTick + totalTicks
+
+       bucketIndex := int(targetTick % int64(hwt.wheelSize))
+       timeout.SetWheelIndex(int(targetTick))
+       timeout.SetBucketIndex(bucketIndex)
+
+       // Add to appropriate bucket
+       bucket := hwt.wheel[bucketIndex]
+       bucket.mu.Lock()
+       bucket.timeouts = append(bucket.timeouts, timeout)
+       bucket.mu.Unlock()
+
+       hwt.logger.Info("created timeout",
+               "delay", delay,
+               "bucketIndex", bucketIndex,
+               "targetTick", targetTick)
+
+       return timeout
+}
+
+// Start starts the timer wheel
+func (hwt *hashedWheelTimer) Start() error {
+       if !atomic.CompareAndSwapInt32(&hwt.started, 0, 1) {
+               return nil // already started
+       }
+
+       hwt.logger.Info("starting hashed wheel timer",
+               "wheelSize", hwt.wheelSize,
+               "tickDuration", hwt.tickDuration)
+
+       hwt.startTime = time.Now()
+       hwt.ticker = time.NewTicker(hwt.tickDuration)
+
+       hwt.wg.Add(1)
+       go hwt.run()
+
+       hwt.logger.Info("hashed wheel timer started")
+       return nil
+}
+
+// Stop stops the timer wheel
+func (hwt *hashedWheelTimer) Stop() error {
+       if !atomic.CompareAndSwapInt32(&hwt.stopped, 0, 1) {
+               return nil // already stopped
+       }
+
+       hwt.logger.Info("stopping hashed wheel timer")
+
+       hwt.cancel()
+
+       if hwt.ticker != nil {
+               hwt.ticker.Stop()
+       }
+
+       hwt.wg.Wait()
+
+       hwt.logger.Info("hashed wheel timer stopped")
+       return nil
+}
+
+// run is the main timer loop
+func (hwt *hashedWheelTimer) run() {
+       defer hwt.wg.Done()
+
+       for {
+               select {
+               case <-hwt.ctx.Done():
+                       return
+               case <-hwt.ticker.C:
+                       hwt.tick()
+               }
+       }
+}
+
+// tick processes one tick of the wheel
+func (hwt *hashedWheelTimer) tick() {
+       currentTick := atomic.AddInt64(&hwt.currentTick, 1)
+       bucketIndex := int(currentTick % int64(hwt.wheelSize))
+
+       bucket := hwt.wheel[bucketIndex]
+       bucket.mu.Lock()
+
+       // Process expired timeouts
+       var remaining []*jobtypes.Timeout
+       for _, timeout := range bucket.timeouts {
+               if timeout.IsCancelled() {
+                       continue // skip cancelled timeouts
+               }
+
+               // Check if timeout has expired
+               if time.Now().After(timeout.Deadline()) {
+                       // Execute the timeout task asynchronously
+                       go func(t *jobtypes.Timeout) {
+                               defer func() {
+                                       if r := recover(); r != nil {
+                                               hwt.logger.Error(nil, "panic in 
timeout task execution", "panic", r)
+                                       }
+                               }()
+
+                               if err := t.Task().Run(t); err != nil {
+                                       hwt.logger.Error(err, "error executing 
timeout task")
+                               }
+                       }(timeout)
+               } else {
+                       // Not yet expired, keep in bucket
+                       remaining = append(remaining, timeout)
+               }
+       }
+
+       bucket.timeouts = remaining
+       bucket.mu.Unlock()
+}
+
+// GetStats returns timer statistics
+func (hwt *hashedWheelTimer) GetStats() map[string]interface{} {
+       totalTimeouts := 0
+       for _, bucket := range hwt.wheel {
+               bucket.mu.RLock()
+               totalTimeouts += len(bucket.timeouts)
+               bucket.mu.RUnlock()
+       }
+
+       return map[string]interface{}{

Review Comment:
   可以使用 any 代替 interface {} 



-- 
This is an automated message from the Apache Git Service.
To respond to the message, please log on to GitHub and use the
URL above to go to the specific comment.

To unsubscribe, e-mail: [email protected]

For queries about this service, please contact Infrastructure at:
[email protected]


---------------------------------------------------------------------
To unsubscribe, e-mail: [email protected]
For additional commands, e-mail: [email protected]

Reply via email to