You are viewing a plain text version of this content. The canonical link for it is here.
Posted to dev@rocketmq.apache.org by GitBox <gi...@apache.org> on 2018/12/25 09:44:50 UTC

[GitHub] ShannonDing closed pull request #18: Consume benchmark

ShannonDing closed pull request #18: Consume benchmark
URL: https://github.com/apache/rocketmq-client-go/pull/18
 
 
   

This is a PR merged from a forked repository.
As GitHub hides the original diff on merge, it is displayed below for
the sake of provenance:

As this is a foreign pull request (from a fork), the diff is supplied
below (as it won't show otherwise due to GitHub magic):

diff --git a/benchmark/consumer.go b/benchmark/consumer.go
new file mode 100644
index 0000000..9e1cd77
--- /dev/null
+++ b/benchmark/consumer.go
@@ -0,0 +1,254 @@
+package main
+
+import (
+	"flag"
+	"fmt"
+	"os"
+	"os/signal"
+	"sync"
+	"sync/atomic"
+	"syscall"
+	"time"
+
+	rocketmq "github.com/apache/rocketmq-client-go/core"
+)
+
+type statiBenchmarkConsumerSnapshot struct {
+	receiveMessageTotal   int64
+	born2ConsumerTotalRT  int64
+	store2ConsumerTotalRT int64
+	born2ConsumerMaxRT    int64
+	store2ConsumerMaxRT   int64
+	createdAt             time.Time
+	next                  *statiBenchmarkConsumerSnapshot
+}
+
+type consumeSnapshots struct {
+	sync.RWMutex
+	head, tail, cur *statiBenchmarkConsumerSnapshot
+	len             int
+}
+
+func (s *consumeSnapshots) takeSnapshot() {
+	b := s.cur
+	sn := new(statiBenchmarkConsumerSnapshot)
+	sn.receiveMessageTotal = atomic.LoadInt64(&b.receiveMessageTotal)
+	sn.born2ConsumerMaxRT = atomic.LoadInt64(&b.born2ConsumerMaxRT)
+	sn.born2ConsumerTotalRT = atomic.LoadInt64(&b.born2ConsumerTotalRT)
+	sn.store2ConsumerMaxRT = atomic.LoadInt64(&b.store2ConsumerMaxRT)
+	sn.store2ConsumerTotalRT = atomic.LoadInt64(&b.store2ConsumerTotalRT)
+	sn.createdAt = time.Now()
+
+	s.Lock()
+	if s.tail != nil {
+		s.tail.next = sn
+	}
+	s.tail = sn
+	if s.head == nil {
+		s.head = s.tail
+	}
+
+	s.len++
+	if s.len > 10 {
+		s.head = s.head.next
+		s.len--
+	}
+	s.Unlock()
+}
+
+func (s *consumeSnapshots) printStati() {
+	s.RLock()
+	if s.len < 10 {
+		s.RUnlock()
+		return
+	}
+
+	f, l := s.head, s.tail
+	respSucCount := float64(l.receiveMessageTotal - f.receiveMessageTotal)
+	consumeTps := respSucCount / l.createdAt.Sub(f.createdAt).Seconds()
+	avgB2CRT := float64(l.born2ConsumerTotalRT-f.born2ConsumerTotalRT) / respSucCount
+	avgS2CRT := float64(l.store2ConsumerTotalRT-f.store2ConsumerTotalRT) / respSucCount
+	s.RUnlock()
+
+	fmt.Printf(
+		"Consume TPS: %d Average(B2C) RT: %7.3f Average(S2C) RT: %7.3f MAX(B2C) RT: %d MAX(S2C) RT: %d\n",
+		int64(consumeTps), avgB2CRT, avgS2CRT, l.born2ConsumerMaxRT, l.store2ConsumerMaxRT,
+	)
+}
+
+type consumer struct {
+	topic          string
+	groupPrefix    string
+	nameSrv        string
+	isPrefixEnable bool
+	filterType     string
+	expression     string
+	testMinutes    int
+	instanceCount  int
+
+	flags *flag.FlagSet
+
+	groupID string
+}
+
+func init() {
+	c := &consumer{}
+	flags := flag.NewFlagSet("consumer", flag.ExitOnError)
+	c.flags = flags
+
+	flags.StringVar(&c.topic, "t", "BenchmarkTest", "topic")
+	flags.StringVar(&c.groupPrefix, "g", "benchmark_consumer", "group prefix")
+	flags.StringVar(&c.nameSrv, "n", "", "namesrv address list, seperated by comma")
+	flags.BoolVar(&c.isPrefixEnable, "p", true, "group prefix is enable")
+	flags.StringVar(&c.filterType, "f", "", "filter type,options:TAG|SQL92, or empty")
+	flags.StringVar(&c.expression, "e", "*", "expression")
+	flags.IntVar(&c.testMinutes, "m", 10, "test minutes")
+	flags.IntVar(&c.instanceCount, "i", 1, "instance count")
+
+	registerCommand("consumer", c)
+}
+
+func (c *consumer) consumeMsg(stati *statiBenchmarkConsumerSnapshot, exit chan struct{}) {
+	consumer, err := rocketmq.NewPushConsumer(&rocketmq.PushConsumerConfig{
+		ClientConfig: rocketmq.ClientConfig{
+			GroupID:    c.groupID,
+			NameServer: c.nameSrv,
+		},
+		ThreadCount:         c.instanceCount,
+		MessageBatchMaxSize: 16,
+	})
+	if err != nil {
+		panic("new push consumer error:" + err.Error())
+	}
+
+	consumer.Subscribe(c.topic, c.expression, func(m *rocketmq.MessageExt) rocketmq.ConsumeStatus {
+		atomic.AddInt64(&stati.receiveMessageTotal, 1)
+		now := time.Now().UnixNano() / int64(time.Millisecond)
+		b2cRT := now - m.BornTimestamp
+		atomic.AddInt64(&stati.born2ConsumerTotalRT, b2cRT)
+		s2cRT := now - m.StoreTimestamp
+		atomic.AddInt64(&stati.store2ConsumerTotalRT, s2cRT)
+
+		for {
+			old := atomic.LoadInt64(&stati.born2ConsumerMaxRT)
+			if old >= b2cRT || atomic.CompareAndSwapInt64(&stati.born2ConsumerMaxRT, old, b2cRT) {
+				break
+			}
+		}
+
+		for {
+			old := atomic.LoadInt64(&stati.store2ConsumerMaxRT)
+			if old >= s2cRT || atomic.CompareAndSwapInt64(&stati.store2ConsumerMaxRT, old, s2cRT) {
+				break
+			}
+		}
+
+		return rocketmq.ConsumeSuccess
+	})
+	println("Start")
+	consumer.Start()
+	select {
+	case <-exit:
+		consumer.Shutdown()
+		return
+	}
+}
+
+func (c *consumer) run(args []string) {
+	c.flags.Parse(args)
+	if c.topic == "" {
+		println("empty topic")
+		c.usage()
+		return
+	}
+
+	if c.groupPrefix == "" {
+		println("empty group prefix")
+		c.usage()
+		return
+	}
+
+	if c.nameSrv == "" {
+		println("empty name server")
+		c.usage()
+		return
+	}
+
+	if c.testMinutes <= 0 {
+		println("test time must be positive integer")
+		c.usage()
+		return
+	}
+
+	if c.instanceCount <= 0 {
+		println("thread count must be positive integer")
+		c.usage()
+		return
+	}
+
+	c.groupID = c.groupPrefix
+	if c.isPrefixEnable {
+		c.groupID += fmt.Sprintf("_%d", time.Now().UnixNano()/int64(time.Millisecond)%100)
+	}
+
+	stati := statiBenchmarkConsumerSnapshot{}
+	snapshots := consumeSnapshots{cur: &stati}
+	exitChan := make(chan struct{})
+
+	wg := sync.WaitGroup{}
+
+	go func() {
+		wg.Add(1)
+		c.consumeMsg(&stati, exitChan)
+		wg.Done()
+	}()
+
+	// snapshot
+	go func() {
+		wg.Add(1)
+		defer wg.Done()
+		ticker := time.NewTicker(time.Second)
+		for {
+			select {
+			case <-ticker.C:
+				snapshots.takeSnapshot()
+			case <-exitChan:
+				ticker.Stop()
+				return
+			}
+		}
+	}()
+
+	// print statistic
+	go func() {
+		wg.Add(1)
+		defer wg.Done()
+		ticker := time.NewTicker(time.Second * 10)
+		for {
+			select {
+			case <-ticker.C:
+				snapshots.printStati()
+			case <-exitChan:
+				ticker.Stop()
+				return
+			}
+		}
+	}()
+
+	signalChan := make(chan os.Signal, 1)
+	signal.Notify(signalChan, syscall.SIGINT, syscall.SIGTERM)
+	select {
+	case <-time.Tick(time.Minute * time.Duration(c.testMinutes)):
+	case <-signalChan:
+	}
+
+	println("Closed")
+	close(exitChan)
+	wg.Wait()
+	snapshots.takeSnapshot()
+	snapshots.printStati()
+}
+
+func (c *consumer) usage() {
+	c.flags.Usage()
+}
diff --git a/benchmark/producer.go b/benchmark/producer.go
index b51df0a..7b21356 100644
--- a/benchmark/producer.go
+++ b/benchmark/producer.go
@@ -24,13 +24,13 @@ type statiBenchmarkProducerSnapshot struct {
 	next                        *statiBenchmarkProducerSnapshot
 }
 
-type snapshots struct {
+type produceSnapshots struct {
 	sync.RWMutex
 	head, tail, cur *statiBenchmarkProducerSnapshot
 	len             int
 }
 
-func (s *snapshots) takeSnapshot() {
+func (s *produceSnapshots) takeSnapshot() {
 	b := s.cur
 	sn := new(statiBenchmarkProducerSnapshot)
 	sn.sendRequestSuccessCount = atomic.LoadInt64(&b.sendRequestSuccessCount)
@@ -58,7 +58,7 @@ func (s *snapshots) takeSnapshot() {
 	s.Unlock()
 }
 
-func (s *snapshots) printStati() {
+func (s *produceSnapshots) printStati() {
 	s.RLock()
 	if s.len < 10 {
 		s.RUnlock()
@@ -77,31 +77,6 @@ func (s *snapshots) printStati() {
 		int64(sendTps), maxRT, avgRT, l.sendRequestFailedCount, l.receiveResponseFailedCount, l.receiveResponseSuccessCount,
 	)
 }
-func takeSnapshot(s *snapshots, exit chan struct{}) {
-	ticker := time.NewTicker(time.Second)
-	for {
-		select {
-		case <-ticker.C:
-			s.takeSnapshot()
-		case <-exit:
-			ticker.Stop()
-			return
-		}
-	}
-}
-
-func printStati(s *snapshots, exit chan struct{}) {
-	ticker := time.NewTicker(time.Second * 10)
-	for {
-		select {
-		case <-ticker.C:
-			s.printStati()
-		case <-exit:
-			ticker.Stop()
-			return
-		}
-	}
-}
 
 type producer struct {
 	topic         string
@@ -171,11 +146,6 @@ AGAIN:
 	}
 
 	fmt.Printf("%v send message %s:%s error:%s\n", time.Now(), topic, tag, err.Error())
-	//if _, ok := err.(*rpc.ErrorInfo); ok { TODO
-	//atomic.AddInt64(&stati.receiveResponseFailedCount, 1)
-	//} else {
-	//atomic.AddInt64(&stati.sendRequestFailedCount, 1)
-	//}
 	goto AGAIN
 }
 
@@ -216,7 +186,7 @@ func (bp *producer) run(args []string) {
 	}
 
 	stati := statiBenchmarkProducerSnapshot{}
-	snapshots := snapshots{cur: &stati}
+	snapshots := produceSnapshots{cur: &stati}
 	exitChan := make(chan struct{})
 	wg := sync.WaitGroup{}
 
@@ -233,15 +203,33 @@ func (bp *producer) run(args []string) {
 	// snapshot
 	go func() {
 		wg.Add(1)
-		takeSnapshot(&snapshots, exitChan)
-		wg.Done()
+		defer wg.Done()
+		ticker := time.NewTicker(time.Second)
+		for {
+			select {
+			case <-ticker.C:
+				snapshots.takeSnapshot()
+			case <-exitChan:
+				ticker.Stop()
+				return
+			}
+		}
 	}()
 
 	// print statistic
 	go func() {
 		wg.Add(1)
-		printStati(&snapshots, exitChan)
-		wg.Done()
+		defer wg.Done()
+		ticker := time.NewTicker(time.Second * 10)
+		for {
+			select {
+			case <-ticker.C:
+				snapshots.printStati()
+			case <-exitChan:
+				ticker.Stop()
+				return
+			}
+		}
 	}()
 
 	signalChan := make(chan os.Signal, 1)


 

----------------------------------------------------------------
This is an automated message from the Apache Git Service.
To respond to the message, please log on GitHub and use the
URL above to go to the specific comment.
 
For queries about this service, please contact Infrastructure at:
users@infra.apache.org


With regards,
Apache Git Services