local.go 7.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317
  1. // Copyright (C) 2014 The Syncthing Authors.
  2. //
  3. // This Source Code Form is subject to the terms of the Mozilla Public
  4. // License, v. 2.0. If a copy of the MPL was not distributed with this file,
  5. // You can obtain one at https://mozilla.org/MPL/2.0/.
  6. package discover
  7. import (
  8. "context"
  9. "encoding/binary"
  10. "encoding/hex"
  11. "fmt"
  12. "io"
  13. "net"
  14. "net/url"
  15. "strconv"
  16. "time"
  17. "github.com/syncthing/syncthing/lib/beacon"
  18. "github.com/syncthing/syncthing/lib/events"
  19. "github.com/syncthing/syncthing/lib/protocol"
  20. "github.com/syncthing/syncthing/lib/rand"
  21. "github.com/syncthing/syncthing/lib/svcutil"
  22. "github.com/thejerf/suture/v4"
  23. )
  24. type localClient struct {
  25. *suture.Supervisor
  26. myID protocol.DeviceID
  27. addrList AddressLister
  28. name string
  29. evLogger events.Logger
  30. beacon beacon.Interface
  31. localBcastStart time.Time
  32. localBcastTick <-chan time.Time
  33. forcedBcastTick chan time.Time
  34. *cache
  35. }
  36. const (
  37. BroadcastInterval = 30 * time.Second
  38. CacheLifeTime = 3 * BroadcastInterval
  39. Magic = uint32(0x2EA7D90B) // same as in BEP
  40. v13Magic = uint32(0x7D79BC40) // previous version
  41. )
  42. func NewLocal(id protocol.DeviceID, addr string, addrList AddressLister, evLogger events.Logger) (FinderService, error) {
  43. c := &localClient{
  44. Supervisor: suture.New("local", svcutil.SpecWithDebugLogger(l)),
  45. myID: id,
  46. addrList: addrList,
  47. evLogger: evLogger,
  48. localBcastTick: time.NewTicker(BroadcastInterval).C,
  49. forcedBcastTick: make(chan time.Time),
  50. localBcastStart: time.Now(),
  51. cache: newCache(),
  52. }
  53. host, port, err := net.SplitHostPort(addr)
  54. if err != nil {
  55. return nil, err
  56. }
  57. if len(host) == 0 {
  58. // A broadcast client
  59. c.name = "IPv4 local"
  60. bcPort, err := strconv.Atoi(port)
  61. if err != nil {
  62. return nil, err
  63. }
  64. c.beacon = beacon.NewBroadcast(bcPort)
  65. } else {
  66. // A multicast client
  67. c.name = "IPv6 local"
  68. c.beacon = beacon.NewMulticast(addr)
  69. }
  70. c.Add(c.beacon)
  71. c.Add(svcutil.AsService(c.recvAnnouncements, fmt.Sprintf("%s/recv", c)))
  72. c.Add(svcutil.AsService(c.sendLocalAnnouncements, fmt.Sprintf("%s/sendLocal", c)))
  73. return c, nil
  74. }
  75. // Lookup returns a list of addresses the device is available at.
  76. func (c *localClient) Lookup(_ context.Context, device protocol.DeviceID) (addresses []string, err error) {
  77. if cache, ok := c.Get(device); ok {
  78. if time.Since(cache.when) < CacheLifeTime {
  79. addresses = cache.Addresses
  80. }
  81. }
  82. return
  83. }
  84. func (c *localClient) String() string {
  85. return c.name
  86. }
  87. func (c *localClient) Error() error {
  88. return c.beacon.Error()
  89. }
  90. // announcementPkt appends the local discovery packet to send to msg. Returns
  91. // true if the packet should be sent, false if there is nothing useful to
  92. // send.
  93. func (c *localClient) announcementPkt(instanceID int64, msg []byte) ([]byte, bool) {
  94. addrs := c.addrList.AllAddresses()
  95. // The list of all addresses can include unspecified addresses intended
  96. // for a discovery server to complete, based on the packet source. We
  97. // don't do that for local discovery, so filter out addresses that are
  98. // usable as-is.
  99. addrs = filterUnspecifiedLocal(addrs)
  100. if len(addrs) == 0 {
  101. // Nothing to announce
  102. return msg, false
  103. }
  104. pkt := Announce{
  105. ID: c.myID,
  106. Addresses: addrs,
  107. InstanceID: instanceID,
  108. }
  109. bs, _ := pkt.Marshal()
  110. if pktLen := 4 + len(bs); cap(msg) < pktLen {
  111. msg = make([]byte, 0, pktLen)
  112. }
  113. msg = msg[:4]
  114. binary.BigEndian.PutUint32(msg, Magic)
  115. msg = append(msg, bs...)
  116. return msg, true
  117. }
  118. func (c *localClient) sendLocalAnnouncements(ctx context.Context) error {
  119. var msg []byte
  120. var ok bool
  121. instanceID := rand.Int63()
  122. for {
  123. if msg, ok = c.announcementPkt(instanceID, msg[:0]); ok {
  124. c.beacon.Send(msg)
  125. }
  126. select {
  127. case <-c.localBcastTick:
  128. case <-c.forcedBcastTick:
  129. case <-ctx.Done():
  130. return ctx.Err()
  131. }
  132. }
  133. }
  134. func (c *localClient) recvAnnouncements(ctx context.Context) error {
  135. b := c.beacon
  136. warnedAbout := make(map[string]bool)
  137. for {
  138. select {
  139. case <-ctx.Done():
  140. return ctx.Err()
  141. default:
  142. }
  143. buf, addr := b.Recv()
  144. if addr == nil {
  145. continue
  146. }
  147. if len(buf) < 4 {
  148. l.Debugf("discover: short packet from %s", addr.String())
  149. continue
  150. }
  151. magic := binary.BigEndian.Uint32(buf)
  152. switch magic {
  153. case Magic:
  154. // All good
  155. case v13Magic:
  156. // Old version
  157. if !warnedAbout[addr.String()] {
  158. l.Warnf("Incompatible (v0.13) local discovery packet from %v - upgrade that device to connect", addr)
  159. warnedAbout[addr.String()] = true
  160. }
  161. continue
  162. default:
  163. l.Debugf("discover: Incorrect magic %x from %s", magic, addr)
  164. continue
  165. }
  166. var pkt Announce
  167. err := pkt.Unmarshal(buf[4:])
  168. if err != nil && err != io.EOF {
  169. l.Debugf("discover: Failed to unmarshal local announcement from %s:\n%s", addr, hex.Dump(buf))
  170. continue
  171. }
  172. l.Debugf("discover: Received local announcement from %s for %s", addr, pkt.ID)
  173. var newDevice bool
  174. if pkt.ID != c.myID {
  175. newDevice = c.registerDevice(addr, pkt)
  176. }
  177. if newDevice {
  178. // Force a transmit to announce ourselves, if we are ready to do
  179. // so right away.
  180. select {
  181. case c.forcedBcastTick <- time.Now():
  182. default:
  183. }
  184. }
  185. }
  186. }
  187. func (c *localClient) registerDevice(src net.Addr, device Announce) bool {
  188. // Remember whether we already had a valid cache entry for this device.
  189. // If the instance ID has changed the remote device has restarted since
  190. // we last heard from it, so we should treat it as a new device.
  191. ce, existsAlready := c.Get(device.ID)
  192. isNewDevice := !existsAlready || time.Since(ce.when) > CacheLifeTime || ce.instanceID != device.InstanceID
  193. // Any empty or unspecified addresses should be set to the source address
  194. // of the announcement. We also skip any addresses we can't parse.
  195. l.Debugln("discover: Registering addresses for", device.ID)
  196. var validAddresses []string
  197. for _, addr := range device.Addresses {
  198. u, err := url.Parse(addr)
  199. if err != nil {
  200. continue
  201. }
  202. tcpAddr, err := net.ResolveTCPAddr("tcp", u.Host)
  203. if err != nil {
  204. continue
  205. }
  206. if len(tcpAddr.IP) == 0 || tcpAddr.IP.IsUnspecified() {
  207. srcAddr, err := net.ResolveTCPAddr("tcp", src.String())
  208. if err != nil {
  209. continue
  210. }
  211. // Do not use IPv6 source address if requested scheme is tcp4
  212. if u.Scheme == "tcp4" && srcAddr.IP.To4() == nil {
  213. continue
  214. }
  215. // Do not use IPv4 source address if requested scheme is tcp6
  216. if u.Scheme == "tcp6" && srcAddr.IP.To4() != nil {
  217. continue
  218. }
  219. host, _, err := net.SplitHostPort(src.String())
  220. if err != nil {
  221. continue
  222. }
  223. u.Host = net.JoinHostPort(host, strconv.Itoa(tcpAddr.Port))
  224. l.Debugf("discover: Reconstructed URL is %#v", u)
  225. validAddresses = append(validAddresses, u.String())
  226. l.Debugf("discover: Replaced address %v in %s to get %s", tcpAddr.IP, addr, u.String())
  227. } else {
  228. validAddresses = append(validAddresses, addr)
  229. l.Debugf("discover: Accepted address %s verbatim", addr)
  230. }
  231. }
  232. c.Set(device.ID, CacheEntry{
  233. Addresses: validAddresses,
  234. when: time.Now(),
  235. found: true,
  236. instanceID: device.InstanceID,
  237. })
  238. if isNewDevice {
  239. c.evLogger.Log(events.DeviceDiscovered, map[string]interface{}{
  240. "device": device.ID.String(),
  241. "addrs": validAddresses,
  242. })
  243. }
  244. return isNewDevice
  245. }
  246. // filterUnspecifiedLocal returns the list of addresses after removing any
  247. // unspecified, localhost, multicast, broadcast or port-zero addresses.
  248. func filterUnspecifiedLocal(addrs []string) []string {
  249. filtered := addrs[:0]
  250. for _, addr := range addrs {
  251. u, err := url.Parse(addr)
  252. if err != nil {
  253. continue
  254. }
  255. tcpAddr, err := net.ResolveTCPAddr("tcp", u.Host)
  256. if err != nil {
  257. continue
  258. }
  259. switch {
  260. case len(tcpAddr.IP) == 0:
  261. case tcpAddr.Port == 0:
  262. case tcpAddr.IP.IsUnspecified():
  263. case !tcpAddr.IP.IsGlobalUnicast() && !tcpAddr.IP.IsLinkLocalUnicast():
  264. default:
  265. filtered = append(filtered, addr)
  266. }
  267. }
  268. return filtered
  269. }