hub.go 22 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838
  1. package tinymq
  2. import (
  3. "context"
  4. "encoding/json"
  5. "errors"
  6. "fmt"
  7. "log"
  8. "math/rand"
  9. "net"
  10. // "regexp"
  11. "strconv"
  12. "strings"
  13. "sync"
  14. "time"
  15. "git.me9.top/git/tinymq/config"
  16. "git.me9.top/git/tinymq/conn"
  17. "git.me9.top/git/tinymq/conn/tcp2"
  18. "git.me9.top/git/tinymq/conn/ws2"
  19. )
  20. // 类似一个插座的功能,管理多个连接
  21. // 一个hub即可以是客户端,同时也可以是服务端
  22. // 为了简化流程和让通讯更加迅速,不再重发和缓存结果,采用超时的方式告诉应用层。
  23. // 截取部分字符串
  24. func subStr(str string, length int) string {
  25. if len(str) <= length {
  26. return str
  27. }
  28. return str[0:length] + "..."
  29. }
  30. type Hub struct {
  31. sync.Mutex
  32. cf *config.Config
  33. globalID uint16
  34. channel string // 本地频道信息
  35. middle []MiddleFunc // 中间件
  36. connects sync.Map // map[*Line]bool(true) //记录当前的连接,方便查找
  37. subscribes sync.Map // [cmd]->[]*SubscribeData //注册绑定频道的函数,用于响应请求
  38. msgCache sync.Map // map[uint16]*GetMsg //请求的回应记录,key为id
  39. // 客户端需要用的函数
  40. connectHostFunc ConnectHostFunc // 获取对应频道的一个连接地址
  41. authFunc AuthFunc // 获取认证信息,用于发送给对方
  42. // 服务端需要用的函数
  43. checkAuthFunc CheckAuthFunc // 核对认证是否合法
  44. // 连接状态变化时调用的函数
  45. connectStatusFunc ConnectStatusFunc
  46. // 上次清理异常连接时间戳
  47. lastCleanDeadConnect int64
  48. }
  49. // 转换数据
  50. func (h *Hub) convData(data any) (reqData []byte, err error) {
  51. switch data := data.(type) {
  52. case []byte:
  53. reqData = data
  54. case string:
  55. reqData = []byte(data)
  56. case func() ([]byte, error):
  57. reqData, err = data()
  58. if err != nil {
  59. log.Println(err.Error())
  60. return nil, err
  61. }
  62. default:
  63. if data != nil {
  64. // if s, ok := data.(func() ([]uint8, error)); ok {
  65. // return s()
  66. // }
  67. // 自动转换数据为json格式
  68. reqData, err = json.Marshal(data)
  69. if err != nil {
  70. log.Println(err.Error())
  71. return nil, err
  72. }
  73. }
  74. }
  75. return
  76. }
  77. // 清理异常连接
  78. func (h *Hub) cleanDeadConnect() {
  79. h.Lock()
  80. defer h.Unlock()
  81. now := time.Now().UnixMilli()
  82. if now-h.lastCleanDeadConnect > int64(h.cf.CleanDeadConnectWait) {
  83. h.lastCleanDeadConnect = now
  84. h.connects.Range(func(key, _ any) bool {
  85. line := key.(*Line)
  86. if line.state != Connected && now-line.updated.UnixMilli() > int64(h.cf.CleanDeadConnectWait) {
  87. h.connects.Delete(key)
  88. }
  89. return true
  90. })
  91. }
  92. }
  93. // 获取通讯消息ID号
  94. func (h *Hub) GetID() uint16 {
  95. h.Lock()
  96. defer h.Unlock()
  97. h.globalID++
  98. if h.globalID <= 0 || h.globalID >= config.ID_MAX {
  99. h.globalID = 1
  100. }
  101. for {
  102. // 检查是否在请求队列中存在对应的id
  103. if _, ok := h.msgCache.Load(h.globalID); ok {
  104. h.globalID++
  105. if h.globalID <= 0 || h.globalID >= config.ID_MAX {
  106. h.globalID = 1
  107. }
  108. } else {
  109. break
  110. }
  111. }
  112. return h.globalID
  113. }
  114. // 添加中间件
  115. // 如果中间件函数返回为空,表示处理完成,通过
  116. // 如果中间件函数返回 NEXT_MIDDLE,表示需要下一个中间件函数处理;如果没有下一函数则默认通过
  117. func (h *Hub) UseMiddle(middleFunc MiddleFunc) {
  118. h.middle = append(h.middle, middleFunc)
  119. }
  120. // 注册频道,其中频道为正则表达式字符串
  121. func (h *Hub) Subscribe(filter FilterFunc, cmd string, backFunc SubscribeBackFunc) (err error) {
  122. if filter == nil {
  123. return errors.New("filter function can not be nil")
  124. }
  125. reg := &SubscribeData{
  126. Filter: filter,
  127. Cmd: cmd,
  128. BackFunc: backFunc,
  129. }
  130. sub, ok := h.subscribes.Load(cmd)
  131. if ok {
  132. h.subscribes.Store(cmd, append(sub.([]*SubscribeData), reg))
  133. return
  134. }
  135. regs := make([]*SubscribeData, 1)
  136. regs[0] = reg
  137. h.subscribes.Store(cmd, regs)
  138. return
  139. }
  140. // 遍历频道列表
  141. // 如果 fn 返回 false,则 range 停止迭代
  142. func (h *Hub) ConnectRange(fn func(line *Line) bool) {
  143. h.connects.Range(func(key, _ any) bool {
  144. line := key.(*Line)
  145. return fn(line)
  146. })
  147. }
  148. // 获取当前在线的数量
  149. func (h *Hub) ConnectNum() int {
  150. var count int
  151. h.connects.Range(func(key, _ any) bool {
  152. if key.(*Line).state == Connected {
  153. count++
  154. }
  155. return true
  156. })
  157. return count
  158. }
  159. // 获取所有的在线连接频道
  160. func (h *Hub) AllChannel() []string {
  161. cs := make([]string, 0)
  162. h.connects.Range(func(key, _ any) bool {
  163. line := key.(*Line)
  164. if line.state == Connected {
  165. cs = append(cs, line.channel)
  166. }
  167. return true
  168. })
  169. return cs
  170. }
  171. // 获取所有连接频道和连接时长
  172. // 为了避免定义数据结构麻烦,采用|隔开, 频道名|连接开始时间
  173. func (h *Hub) AllChannelWithStarted() []string {
  174. cs := make([]string, 0)
  175. h.connects.Range(func(key, _ any) bool {
  176. line := key.(*Line)
  177. if line.state == Connected {
  178. // ti := time.Since(line.started).Milliseconds()
  179. cs = append(cs, line.channel+"|"+strconv.FormatInt(line.started.UnixMilli(), 10))
  180. }
  181. return true
  182. })
  183. return cs
  184. }
  185. // 获取频道并通过函数过滤,如果返回 false 将终止
  186. func (h *Hub) ChannelToFunc(fn func(string) bool) {
  187. h.connects.Range(func(key, _ any) bool {
  188. line := key.(*Line)
  189. if line.state == Connected {
  190. return fn(line.channel)
  191. }
  192. return true
  193. })
  194. }
  195. // 从 channel 获取连接
  196. func (h *Hub) ChannelToLine(channel string) (line *Line) {
  197. h.connects.Range(func(key, _ any) bool {
  198. l := key.(*Line)
  199. if l.channel == channel {
  200. line = l
  201. return false
  202. }
  203. return true
  204. })
  205. return
  206. }
  207. // 返回请求结果
  208. func (h *Hub) outResponse(response *ResponseData) {
  209. defer recover() //避免管道已经关闭而引起panic
  210. id := response.Id
  211. t, ok := h.msgCache.Load(id)
  212. if ok {
  213. // 删除数据缓存
  214. h.msgCache.Delete(id)
  215. gm := t.(*GetMsg)
  216. // 停止定时器
  217. if !gm.timer.Stop() {
  218. select {
  219. case <-gm.timer.C:
  220. default:
  221. }
  222. }
  223. // 回应数据到上层
  224. gm.out <- response
  225. }
  226. }
  227. // 发送数据到网络接口
  228. // 返回发送的数量
  229. func (h *Hub) sendRequest(gd *GetData) (count int) {
  230. outData, err := h.convData(gd.Data)
  231. if err != nil {
  232. log.Println(err)
  233. return 0
  234. }
  235. h.connects.Range(func(key, _ any) bool {
  236. conn := key.(*Line)
  237. // 检查连接是否OK
  238. if conn.state != Connected {
  239. return true
  240. }
  241. // if gd.Channel.MatchString(conn.channel) {
  242. if gd.Filter(conn) {
  243. var id uint16
  244. if gd.backchan != nil {
  245. id = h.GetID()
  246. timeout := gd.Timeout
  247. if timeout <= 0 {
  248. timeout = h.cf.WriteWait
  249. }
  250. fn := func(id uint16, conn *Line) func() {
  251. return func() {
  252. go h.outResponse(&ResponseData{
  253. Id: id,
  254. State: config.GET_TIMEOUT,
  255. Data: fmt.Appendf(nil, "[%s] %s %s", config.GET_TIMEOUT_MSG, conn.channel, gd.Cmd),
  256. conn: conn,
  257. })
  258. // 检查是否已经很久时间没有使用连接了
  259. if time.Since(conn.lastRead) > time.Duration(h.cf.PingInterval*3*int(time.Millisecond)) {
  260. // 超时关闭当前的连接
  261. log.Println("get message timeout", conn.channel)
  262. // 有可能连接出现问题,断开并重新连接
  263. conn.Close(false)
  264. return
  265. }
  266. }
  267. }(id, conn)
  268. // 将要发送的请求缓存
  269. gm := &GetMsg{
  270. out: gd.backchan,
  271. timer: time.AfterFunc(time.Millisecond*time.Duration(timeout), fn),
  272. }
  273. h.msgCache.Store(id, gm)
  274. }
  275. // 组织数据并发送到Connect
  276. conn.sendRequest <- &RequestData{
  277. Id: id,
  278. Cmd: gd.Cmd,
  279. Data: outData,
  280. timeout: gd.Timeout,
  281. backchan: gd.backchan,
  282. conn: conn,
  283. }
  284. if h.cf.PrintMsg {
  285. log.Println("[SEND]->", id, conn.channel, "["+gd.Cmd+"]", subStr(string(outData), 200))
  286. }
  287. count++
  288. if gd.Max > 0 && count >= gd.Max {
  289. return false
  290. }
  291. }
  292. return true
  293. })
  294. return
  295. }
  296. // 执行网络发送过来的命令
  297. func (h *Hub) requestFromNet(request *RequestData) {
  298. cmd := request.Cmd
  299. channel := request.conn.channel
  300. if h.cf.PrintMsg {
  301. log.Println("[REQU]<-", request.Id, channel, "["+cmd+"]", subStr(string(request.Data), 200))
  302. }
  303. // 执行中间件
  304. for _, mdFunc := range h.middle {
  305. rsp := mdFunc(request)
  306. if rsp != nil {
  307. // NEXT_MIDDLE 表示当前的函数没有处理完成,还需要下个中间件处理
  308. if rsp.State == config.NEXT_MIDDLE {
  309. continue
  310. }
  311. // 返回消息
  312. if request.Id != 0 {
  313. rsp.Id = request.Id
  314. request.conn.sendResponse <- rsp
  315. }
  316. return
  317. } else {
  318. break
  319. }
  320. }
  321. sub, ok := h.subscribes.Load(cmd)
  322. if ok {
  323. subs := sub.([]*SubscribeData)
  324. // 倒序查找是为了新增的频道响应函数优先执行
  325. for i := len(subs) - 1; i >= 0; i-- {
  326. rg := subs[i]
  327. // if rg.Channel.MatchString(channel) {
  328. if rg.Filter(request.conn) {
  329. state, data := rg.BackFunc(request)
  330. // NEXT_SUBSCRIBE 表示当前的函数没有处理完成,还需要下个注册函数处理
  331. if state == config.NEXT_SUBSCRIBE {
  332. continue
  333. }
  334. var byteData []byte
  335. switch data := data.(type) {
  336. case []byte:
  337. byteData = data
  338. case string:
  339. byteData = []byte(data)
  340. default:
  341. if data != nil {
  342. // 自动转换数据为json格式
  343. var err error
  344. byteData, err = json.Marshal(data)
  345. if err != nil {
  346. log.Println(err.Error())
  347. state = config.CONVERT_FAILED
  348. byteData = fmt.Appendf(nil, "[%s] %s %s", config.CONVERT_FAILED_MSG, request.conn.channel, request.Cmd)
  349. }
  350. }
  351. }
  352. // 如果id为0表示不需要回应
  353. if request.Id != 0 {
  354. request.conn.sendResponse <- &ResponseData{
  355. Id: request.Id,
  356. State: state,
  357. Data: byteData,
  358. }
  359. if h.cf.PrintMsg {
  360. log.Println("[RESP]->", request.Id, channel, "["+cmd+"]", state, subStr(string(byteData), 200))
  361. }
  362. }
  363. return
  364. }
  365. }
  366. }
  367. log.Println("[not match command]", channel, cmd)
  368. // 返回没有匹配的消息
  369. request.conn.sendResponse <- &ResponseData{
  370. Id: request.Id,
  371. State: config.NO_MATCH,
  372. Data: fmt.Appendf(nil, "[%s] %s %s", config.NO_MATCH_MSG, channel, cmd),
  373. }
  374. }
  375. // 请求频道并获取数据,采用回调的方式返回结果
  376. // 当前调用将会阻塞,直到命令都执行结束,最后返回执行的数量
  377. // 如果 backFunc 返回为 false 则提前结束
  378. // 最大数量和超时时间如果为0的话表示使用默认值
  379. func (h *Hub) GetWithMaxAndTimeout(filter FilterFunc, cmd string, data any, backFunc GetBackFunc, max int, timeout int) (count int) {
  380. // 排除空频道
  381. if filter == nil {
  382. return 0
  383. }
  384. if timeout <= 0 {
  385. timeout = h.cf.ReadWait
  386. }
  387. gd := &GetData{
  388. Filter: filter,
  389. Cmd: cmd,
  390. Data: data,
  391. Max: max,
  392. Timeout: timeout,
  393. backchan: make(chan *ResponseData, 32),
  394. }
  395. sendMax := h.sendRequest(gd)
  396. if sendMax <= 0 {
  397. return 0
  398. }
  399. // 避免出现异常时线程无法退出
  400. timer := time.NewTimer(time.Millisecond * time.Duration(gd.Timeout+h.cf.WriteWait*2))
  401. defer func() {
  402. if !timer.Stop() {
  403. select {
  404. case <-timer.C:
  405. default:
  406. }
  407. }
  408. close(gd.backchan)
  409. }()
  410. for {
  411. select {
  412. case rp := <-gd.backchan:
  413. if rp == nil || rp.conn == nil {
  414. // 可能是已经退出了
  415. return
  416. }
  417. ch := rp.conn.channel
  418. if h.cf.PrintMsg {
  419. log.Println("[RECV]<-", rp.Id, ch, "["+gd.Cmd+"]", rp.State, subStr(string(rp.Data), 200))
  420. }
  421. count++
  422. // 如果这里返回为false这跳出循环
  423. if backFunc != nil && !backFunc(rp) {
  424. return
  425. }
  426. if count >= sendMax {
  427. return
  428. }
  429. case <-timer.C:
  430. return
  431. }
  432. }
  433. // return
  434. }
  435. // 请求频道并获取数据,采用回调的方式返回结果
  436. // 当前调用将会阻塞,直到命令都执行结束,最后返回执行的数量
  437. // 如果 backFunc 返回为 false 则提前结束
  438. func (h *Hub) Get(filter FilterFunc, cmd string, data any, backFunc GetBackFunc) (count int) {
  439. return h.GetWithMaxAndTimeout(filter, cmd, data, backFunc, 0, 0)
  440. }
  441. // 只获取一个频道的数据,阻塞等待到默认超时间隔
  442. // 如果没有结果将返回 NO_MATCH
  443. func (h *Hub) GetOne(filter FilterFunc, cmd string, data any) (response *ResponseData) {
  444. h.GetWithMaxAndTimeout(filter, cmd, data, func(rp *ResponseData) (ok bool) {
  445. response = rp
  446. return false
  447. }, 1, 0)
  448. if response == nil {
  449. response = &ResponseData{
  450. State: config.CONNECT_NO_MATCH,
  451. Data: fmt.Appendf(nil, "[%s] %s", config.CONNECT_NO_MATCH_MSG, cmd),
  452. }
  453. }
  454. return
  455. }
  456. // 只获取一个频道的数据,阻塞等待到指定超时间隔
  457. // 如果没有结果将返回 NO_MATCH
  458. func (h *Hub) GetOneWithTimeout(filter FilterFunc, cmd string, data any, timeout int) (response *ResponseData) {
  459. h.GetWithMaxAndTimeout(filter, cmd, data, func(rp *ResponseData) (ok bool) {
  460. response = rp
  461. return false
  462. }, 1, timeout)
  463. if response == nil {
  464. response = &ResponseData{
  465. State: config.CONNECT_NO_MATCH,
  466. Data: fmt.Appendf(nil, "[%s] %s", config.CONNECT_NO_MATCH_MSG, cmd),
  467. }
  468. }
  469. return
  470. }
  471. // 推送消息出去,不需要返回数据
  472. func (h *Hub) Push(filter FilterFunc, cmd string, data any) {
  473. h.PushWithMax(filter, cmd, data, 0)
  474. }
  475. // 推送最大对应数量的消息出去,不需要返回数据
  476. func (h *Hub) PushWithMax(filter FilterFunc, cmd string, data any, max int) {
  477. // 排除空频道
  478. if filter == nil {
  479. return
  480. }
  481. gd := &GetData{
  482. Filter: filter,
  483. Cmd: cmd,
  484. Data: data,
  485. Max: max,
  486. Timeout: h.cf.ReadWait,
  487. backchan: nil,
  488. }
  489. h.sendRequest(gd)
  490. }
  491. // 增加连接
  492. func (h *Hub) addLine(line *Line) {
  493. if _, ok := h.connects.Load(line); ok {
  494. log.Println("connect have exist")
  495. // 连接已经存在,直接返回
  496. return
  497. }
  498. // 检查是否有相同的channel,如果有的话将其关闭删除
  499. channel := line.channel
  500. h.connects.Range(func(key, _ any) bool {
  501. conn := key.(*Line)
  502. // 删除超时的连接
  503. if conn.state != Connected && conn.host == nil && time.Since(conn.lastRead) > time.Duration(h.cf.PingInterval*5*int(time.Millisecond)) {
  504. h.connects.Delete(key)
  505. return true
  506. }
  507. if conn.channel == channel {
  508. conn.Close(true)
  509. h.connects.Delete(key)
  510. return false
  511. }
  512. return true
  513. })
  514. h.connects.Store(line, true)
  515. }
  516. // 删除连接
  517. func (h *Hub) removeLine(conn *Line) {
  518. conn.Close(true)
  519. h.connects.Delete(conn)
  520. }
  521. // 获取指定连接的连接持续时间
  522. func (h *Hub) ConnectDuration(conn *Line) time.Duration {
  523. t, ok := h.connects.Load(conn)
  524. if ok {
  525. return time.Since(t.(time.Time))
  526. }
  527. // 如果不存在直接返回0
  528. return time.Duration(0)
  529. }
  530. // 绑定端口,建立服务
  531. // 需要程序运行时调用
  532. func (h *Hub) BindForServer(info *HostInfo) (err error) {
  533. doConnectFunc := func(conn conn.Connect) {
  534. proto, version, channel, auth, err := conn.ReadAuthInfo()
  535. if err != nil {
  536. log.Println("[BindForServer ReadAuthInfo ERROR]", err)
  537. conn.Close()
  538. return
  539. }
  540. if version != info.Version || proto != info.Proto {
  541. log.Println("wrong version or protocol: ", version, proto)
  542. conn.Close()
  543. return
  544. }
  545. // 检查验证是否合法
  546. if !h.checkAuthFunc(proto, version, channel, auth) {
  547. conn.Close()
  548. return
  549. }
  550. // 发送频道信息
  551. if err := conn.WriteAuthInfo(h.channel, h.authFunc(proto, version, channel, auth)); err != nil {
  552. log.Println("[WriteAuthInfo ERROR]", err)
  553. conn.Close()
  554. return
  555. }
  556. // 将连接加入现有连接中
  557. done := false
  558. h.connects.Range(func(key, _ any) bool {
  559. line := key.(*Line)
  560. if line.state == Disconnected && line.host == nil && line.ChannelEqualWithoutPrefix(channel) {
  561. line.Start(conn, nil)
  562. done = true
  563. return false
  564. }
  565. return true
  566. })
  567. // 新建一个连接
  568. if !done {
  569. line := NewConnect(h.cf, h, channel, conn, nil)
  570. h.addLine(line)
  571. }
  572. }
  573. if info.Version == ws2.VERSION && info.Proto == ws2.PROTO {
  574. bind := ""
  575. if info.Bind != "" {
  576. bind = net.JoinHostPort(info.Bind, strconv.Itoa(int(info.Port)))
  577. }
  578. return ws2.Server(h.cf, bind, info.Path, info.Hash, doConnectFunc)
  579. } else if info.Version == tcp2.VERSION && info.Proto == tcp2.PROTO {
  580. return tcp2.Server(h.cf, net.JoinHostPort(info.Bind, strconv.Itoa(int(info.Port))), info.Hash, doConnectFunc)
  581. }
  582. return errors.New("not connect protocol and version found")
  583. }
  584. // 新建一个连接,不同的连接协议由底层自己选择
  585. // channel: 要连接的频道信息,需要能表达频道关键信息的部分
  586. func (h *Hub) ConnectToServer(channel string, force bool, host *HostInfo) (err error) {
  587. // 检查当前channel是否已经存在
  588. if !force {
  589. line := h.ChannelToLine(channel)
  590. if line != nil && line.state == Connected {
  591. err = fmt.Errorf("[ConnectToServer ERROR] existed channel: %s", channel)
  592. return
  593. }
  594. }
  595. if host == nil {
  596. // 获取服务地址等信息
  597. host, err = h.connectHostFunc(channel, Both)
  598. if err != nil {
  599. return err
  600. }
  601. }
  602. var conn conn.Connect
  603. var runProto string
  604. addr := net.JoinHostPort(host.Host, strconv.Itoa(int(host.Port)))
  605. // 添加定时器
  606. ctx, cancel := context.WithTimeout(context.Background(), time.Millisecond*time.Duration(h.cf.ConnectTimeout))
  607. defer cancel()
  608. taskCh := make(chan bool)
  609. done := false
  610. go func() {
  611. if host.Version == ws2.VERSION && (host.Proto == ws2.PROTO || host.Proto == ws2.PROTO_STL) {
  612. runProto = ws2.PROTO
  613. conn, err = ws2.Dial(h.cf, host.Proto, addr, host.Path, host.Hash)
  614. } else if host.Version == tcp2.VERSION && host.Proto == tcp2.PROTO {
  615. runProto = tcp2.PROTO
  616. conn, err = tcp2.Dial(h.cf, addr, host.Hash)
  617. } else {
  618. err = fmt.Errorf("not correct protocol and version found in: %+v", host)
  619. }
  620. if done {
  621. if err != nil {
  622. log.Println("[Dial ERROR]", err)
  623. }
  624. if conn != nil {
  625. conn.Close()
  626. }
  627. } else {
  628. taskCh <- err == nil
  629. }
  630. }()
  631. select {
  632. case ok := <-taskCh:
  633. cancel()
  634. if !ok || err != nil || conn == nil {
  635. log.Println("[Client ERROR]", host.Proto, err)
  636. host.Errors++
  637. host.Updated = time.Now()
  638. if err == nil {
  639. err = errors.New("unknown error")
  640. }
  641. return err
  642. }
  643. case <-ctx.Done():
  644. done = true
  645. return errors.New("timeout")
  646. }
  647. // 发送验证信息
  648. if err := conn.WriteAuthInfo(h.channel, h.authFunc(runProto, host.Version, channel, nil)); err != nil {
  649. log.Println("[WriteAuthInfo ERROR]", err)
  650. conn.Close()
  651. host.Errors++
  652. host.Updated = time.Now()
  653. return err
  654. }
  655. // 接收频道信息
  656. proto, version, channel2, auth, err := conn.ReadAuthInfo()
  657. if err != nil {
  658. log.Println("[ConnectToServer ReadAuthInfo ERROR]", err)
  659. conn.Close()
  660. host.Errors++
  661. host.Updated = time.Now()
  662. return err
  663. }
  664. // 检查版本和协议是否一致
  665. if version != host.Version || proto != runProto {
  666. err = fmt.Errorf("[version or protocol wrong ERROR] %d, %s", version, proto)
  667. log.Println(err)
  668. conn.Close()
  669. host.Errors++
  670. host.Updated = time.Now()
  671. return err
  672. }
  673. // 检查频道名称是否匹配
  674. if !strings.Contains(channel2, channel) {
  675. err = fmt.Errorf("[channel ERROR] want %s, get %s", channel, channel2)
  676. log.Println(err)
  677. conn.Close()
  678. host.Errors++
  679. host.Updated = time.Now()
  680. return err
  681. }
  682. // 检查验证是否合法
  683. if !h.checkAuthFunc(proto, version, channel, auth) {
  684. err = fmt.Errorf("[checkAuthFunc ERROR] in proto: %s, version: %d, channel: %s, auth: %s", proto, version, channel, string(auth))
  685. log.Println(err)
  686. conn.Close()
  687. host.Errors++
  688. host.Updated = time.Now()
  689. return err
  690. }
  691. // 更新服务主机信息
  692. host.Errors = 0
  693. host.Updated = time.Now()
  694. // 将连接加入现有连接中
  695. done = false
  696. h.connects.Range(func(key, _ any) bool {
  697. line := key.(*Line)
  698. if line.channel == channel {
  699. if line.state == Connected {
  700. if force {
  701. line.Close(true)
  702. } else {
  703. err = fmt.Errorf("[connectToServer ERROR] channel already connected: %s", channel)
  704. log.Println(err)
  705. return false
  706. }
  707. }
  708. line.Start(conn, host)
  709. done = true
  710. return false
  711. }
  712. return true
  713. })
  714. if err != nil {
  715. return err
  716. }
  717. // 新建一个连接
  718. if !done {
  719. line := NewConnect(h.cf, h, channel, conn, host)
  720. h.addLine(line)
  721. }
  722. return nil
  723. }
  724. // 重试方式连接服务
  725. // 将会一直阻塞直到连接成功
  726. func (h *Hub) ConnectToServerX(channel string, force bool, host *HostInfo) {
  727. if host == nil {
  728. host, _ = h.connectHostFunc(channel, Direct)
  729. }
  730. for {
  731. err := h.ConnectToServer(channel, force, host)
  732. if err == nil {
  733. return
  734. }
  735. log.Println("[ConnectToServer ERROR, try it again]", channel, host, err)
  736. host = nil
  737. // 产生一个随机数避免刹间重连过载
  738. r := rand.New(rand.NewSource(time.Now().UnixNano()))
  739. time.Sleep(time.Duration(r.Intn(h.cf.ConnectTimeout)+(h.cf.ConnectTimeout/2)) * time.Millisecond)
  740. }
  741. }
  742. // 检测处理代理连接
  743. func (h *Hub) checkProxyConnect() {
  744. if h.cf.ProxyTimeout <= 0 {
  745. return
  746. }
  747. proxyTicker := time.NewTicker(time.Duration(h.cf.ProxyTimeout * int(time.Millisecond)))
  748. for {
  749. <-proxyTicker.C
  750. now := time.Now().UnixMilli()
  751. h.connects.Range(func(key, _ any) bool {
  752. line := key.(*Line)
  753. if line.host != nil && line.host.Proxy && now-line.updated.UnixMilli() > int64(h.cf.ProxyTimeout) {
  754. host, err := h.connectHostFunc(line.channel, Direct)
  755. if err != nil {
  756. log.Println("[checkProxyConnect connectHostFunc ERROR]", err)
  757. return false
  758. }
  759. err = h.ConnectToServer(line.channel, true, host)
  760. if err != nil {
  761. log.Println("[checkProxyConnect ConnectToServer WARNING]", err)
  762. }
  763. }
  764. return true
  765. })
  766. }
  767. }
  768. // 建立一个集线器
  769. // connectFunc 用于监听连接状态的函数,可以为nil
  770. func NewHub(
  771. cf *config.Config,
  772. channel string,
  773. // 客户端需要用的函数
  774. connectHostFunc ConnectHostFunc,
  775. authFunc AuthFunc,
  776. // 服务端需要用的函数
  777. checkAuthFunc CheckAuthFunc,
  778. // 连接状态变化时调用的函数
  779. connectStatusFunc ConnectStatusFunc,
  780. ) (h *Hub) {
  781. h = &Hub{
  782. cf: cf,
  783. globalID: uint16(time.Now().UnixNano()) % config.ID_MAX,
  784. channel: channel,
  785. middle: make([]MiddleFunc, 0),
  786. connectHostFunc: connectHostFunc,
  787. authFunc: authFunc,
  788. checkAuthFunc: checkAuthFunc,
  789. connectStatusFunc: connectStatusFunc,
  790. lastCleanDeadConnect: time.Now().UnixMilli(),
  791. }
  792. go h.checkProxyConnect()
  793. return h
  794. }