我正在尝试配置mongo副本集的主节点和两个辅助节点的读取,以提供更好的负载平衡。 3个节点中的每个节点都在不同的机器上,IP地址为:ip1,ip2,ip3。
我的GoLang
网站,这是martini
网络服务器,其中有两个网址/insert
和/get
:
package main
import (
"github.com/go-martini/martini"
"gopkg.in/mgo.v2"
"gopkg.in/mgo.v2/bson"
"net/http"
)
const (
dialStr = "ip1:port1,ip2:port2,ip3:port3"
dbName = "test"
collectionName = "test"
elementsCount = 1000
)
var mainSessionForSave *mgo.Session
func ConnectToMongo() {
var err error
mainSessionForSave, err = mgo.Dial(dialStr)
mainSessionForSave.SetMode(mgo.Monotonic, true)
if err != nil {
panic(err)
}
}
func GetMgoSessionPerRequest() *mgo.Session {
var sessionPerRequest *mgo.Session
sessionPerRequest = mainSessionForSave.Copy()
return sessionPerRequest
}
func main() {
ConnectToMongo()
prepareMartini().Run()
}
type Element struct {
I int `bson:"I"`
}
func prepareMartini() *martini.ClassicMartini {
m := martini.Classic()
sessionPerRequest := GetMgoSessionPerRequest()
m.Get("/insert", func(w http.ResponseWriter, r *http.Request) {
for i := 0; i < elementsCount; i++ {
e := Element{I: i}
err := collection(sessionPerRequest).Insert(&e)
if err != nil {
panic(err)
}
}
w.Write([]byte("data inserted successfully"))
})
m.Get("/get", func(w http.ResponseWriter, r *http.Request) {
var element Element
const findI = 500
err := collection(sessionPerRequest).Find(bson.M{"I": findI}).One(&element)
if err != nil {
panic(err)
}
w.Write([]byte("get data successfully"))
})
return m
}
func collection(s *mgo.Session) *mgo.Collection {
return s.DB(dbName).C(collectionName)
}
我使用命令GoLang
运行此go run site.go
网站并准备我的实验http://localhost:3000/insert
- 大约一分钟后我的测试数据被插入。
然后我开始测试从辅助节点和主节点的读取
在attacker.go
:
package main
import (
"fmt"
"time"
vegeta "github.com/tsenart/vegeta/lib"
)
func main() {
rate := uint64(4000) // per second
duration := 4 * time.Second
targeter := vegeta.NewStaticTargeter(&vegeta.Target{
Method: "GET",
URL: "http://localhost:3000/get",
})
attacker := vegeta.NewAttacker()
var results vegeta.Results
for res := range attacker.Attack(targeter, rate, duration) {
results = append(results, res)
}
metrics := vegeta.NewMetrics(results)
fmt.Printf("99th percentile: %s\n", metrics.Latencies.P99)
}
运行go run attacker.go
我刚刚每秒请求网址http://localhost:3000/get
4000 次。当攻击者正在工作时,我打开了所有3台服务器并运行htop
命令来监视资源消耗。 PRIMARY节点显示它处于高负载,CPU约为80%。 SECONDARIES很平静。
我使用mgo.Monotonic
...
mainSessionForSave.SetMode(mgo.Monotonic, true)
...我希望从所有节点读取:ip1, ip2, ip3
我希望在相同的负载和相同的CPU消耗下观察所有节点。但事实并非如此。我配置错了什么?实际上mgo.Monotonic
在我的情况下不起作用,我只从 PRIMARY 节点阅读。
答案 0 :(得分:0)
使用后忘记关闭连接:
defer mainSessionForSave.Close()
可能这可能是一个原因。
P.S。确保所有节点都可用:)