host_source.go 2.3 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104
  1. package gocql
  2. import (
  3. "log"
  4. "net"
  5. "time"
  6. )
  7. type HostInfo struct {
  8. Peer string
  9. DataCenter string
  10. Rack string
  11. HostId string
  12. Tokens []string
  13. }
  14. // Polls system.peers at a specific interval to find new hosts
  15. type ringDescriber struct {
  16. dcFilter string
  17. rackFilter string
  18. previous []HostInfo
  19. session *Session
  20. }
  21. func (r *ringDescriber) GetHosts() ([]HostInfo, error) {
  22. // we need conn to be the same because we need to query system.peers and system.local
  23. // on the same node to get the whole cluster
  24. conn := r.session.Pool.Pick(nil)
  25. if conn == nil {
  26. return r.previous, nil
  27. }
  28. query := r.session.Query("SELECT data_center, rack, host_id, tokens FROM system.local")
  29. iter := conn.executeQuery(query)
  30. host := &HostInfo{}
  31. iter.Scan(&host.DataCenter, &host.Rack, &host.HostId, &host.Tokens)
  32. if err := iter.Close(); err != nil {
  33. return nil, err
  34. }
  35. addr, _, err := net.SplitHostPort(conn.Address())
  36. if err != nil {
  37. // this should not happen, ever, as this is the address that was dialed by conn, here
  38. // a panic makes sense, please report a bug if it occurs.
  39. panic(err)
  40. }
  41. host.Peer = addr
  42. hosts := []HostInfo{*host}
  43. query = r.session.Query("SELECT peer, data_center, rack, host_id, tokens FROM system.peers")
  44. iter = conn.executeQuery(query)
  45. for iter.Scan(&host.Peer, &host.DataCenter, &host.Rack, &host.HostId, &host.Tokens) {
  46. if r.matchFilter(host) {
  47. hosts = append(hosts, *host)
  48. }
  49. }
  50. if err := iter.Close(); err != nil {
  51. return nil, err
  52. }
  53. r.previous = hosts
  54. return hosts, nil
  55. }
  56. func (r *ringDescriber) matchFilter(host *HostInfo) bool {
  57. if r.dcFilter != "" && r.dcFilter != host.DataCenter {
  58. return false
  59. }
  60. if r.rackFilter != "" && r.rackFilter != host.Rack {
  61. return false
  62. }
  63. return true
  64. }
  65. func (h *ringDescriber) run(sleep time.Duration) {
  66. if sleep == 0 {
  67. sleep = 30 * time.Second
  68. }
  69. for {
  70. // if we have 0 hosts this will return the previous list of hosts to
  71. // attempt to reconnect to the cluster otherwise we would never find
  72. // downed hosts again, could possibly have an optimisation to only
  73. // try to add new hosts if GetHosts didnt error and the hosts didnt change.
  74. hosts, err := h.GetHosts()
  75. if err != nil {
  76. log.Println("RingDescriber: unable to get ring topology:", err)
  77. } else {
  78. h.session.Pool.SetHosts(hosts)
  79. }
  80. time.Sleep(sleep)
  81. }
  82. }