protocol.go 27 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004
  1. // Copyright (C) 2014 The Protocol Authors.
  2. package protocol
  3. import (
  4. "context"
  5. "crypto/sha256"
  6. "encoding/binary"
  7. "fmt"
  8. "io"
  9. "path"
  10. "strings"
  11. "sync"
  12. "time"
  13. lz4 "github.com/bkaradzic/go-lz4"
  14. "github.com/pkg/errors"
  15. )
  16. const (
  17. // Shifts
  18. KiB = 10
  19. MiB = 20
  20. GiB = 30
  21. )
  22. const (
  23. // MaxMessageLen is the largest message size allowed on the wire. (500 MB)
  24. MaxMessageLen = 500 * 1000 * 1000
  25. // MinBlockSize is the minimum block size allowed
  26. MinBlockSize = 128 << KiB
  27. // MaxBlockSize is the maximum block size allowed
  28. MaxBlockSize = 16 << MiB
  29. // DesiredPerFileBlocks is the number of blocks we aim for per file
  30. DesiredPerFileBlocks = 2000
  31. )
  32. // BlockSizes is the list of valid block sizes, from min to max
  33. var BlockSizes []int
  34. // For each block size, the hash of a block of all zeroes
  35. var sha256OfEmptyBlock = map[int][sha256.Size]byte{
  36. 128 << KiB: {0xfa, 0x43, 0x23, 0x9b, 0xce, 0xe7, 0xb9, 0x7c, 0xa6, 0x2f, 0x0, 0x7c, 0xc6, 0x84, 0x87, 0x56, 0xa, 0x39, 0xe1, 0x9f, 0x74, 0xf3, 0xdd, 0xe7, 0x48, 0x6d, 0xb3, 0xf9, 0x8d, 0xf8, 0xe4, 0x71},
  37. 256 << KiB: {0x8a, 0x39, 0xd2, 0xab, 0xd3, 0x99, 0x9a, 0xb7, 0x3c, 0x34, 0xdb, 0x24, 0x76, 0x84, 0x9c, 0xdd, 0xf3, 0x3, 0xce, 0x38, 0x9b, 0x35, 0x82, 0x68, 0x50, 0xf9, 0xa7, 0x0, 0x58, 0x9b, 0x4a, 0x90},
  38. 512 << KiB: {0x7, 0x85, 0x4d, 0x2f, 0xef, 0x29, 0x7a, 0x6, 0xba, 0x81, 0x68, 0x5e, 0x66, 0xc, 0x33, 0x2d, 0xe3, 0x6d, 0x5d, 0x18, 0xd5, 0x46, 0x92, 0x7d, 0x30, 0xda, 0xad, 0x6d, 0x7f, 0xda, 0x15, 0x41},
  39. 1 << MiB: {0x30, 0xe1, 0x49, 0x55, 0xeb, 0xf1, 0x35, 0x22, 0x66, 0xdc, 0x2f, 0xf8, 0x6, 0x7e, 0x68, 0x10, 0x46, 0x7, 0xe7, 0x50, 0xab, 0xb9, 0xd3, 0xb3, 0x65, 0x82, 0xb8, 0xaf, 0x90, 0x9f, 0xcb, 0x58},
  40. 2 << MiB: {0x56, 0x47, 0xf0, 0x5e, 0xc1, 0x89, 0x58, 0x94, 0x7d, 0x32, 0x87, 0x4e, 0xeb, 0x78, 0x8f, 0xa3, 0x96, 0xa0, 0x5d, 0xb, 0xab, 0x7c, 0x1b, 0x71, 0xf1, 0x12, 0xce, 0xb7, 0xe9, 0xb3, 0x1e, 0xee},
  41. 4 << MiB: {0xbb, 0x9f, 0x8d, 0xf6, 0x14, 0x74, 0xd2, 0x5e, 0x71, 0xfa, 0x0, 0x72, 0x23, 0x18, 0xcd, 0x38, 0x73, 0x96, 0xca, 0x17, 0x36, 0x60, 0x5e, 0x12, 0x48, 0x82, 0x1c, 0xc0, 0xde, 0x3d, 0x3a, 0xf8},
  42. 8 << MiB: {0x2d, 0xae, 0xb1, 0xf3, 0x60, 0x95, 0xb4, 0x4b, 0x31, 0x84, 0x10, 0xb3, 0xf4, 0xe8, 0xb5, 0xd9, 0x89, 0xdc, 0xc7, 0xbb, 0x2, 0x3d, 0x14, 0x26, 0xc4, 0x92, 0xda, 0xb0, 0xa3, 0x5, 0x3e, 0x74},
  43. 16 << MiB: {0x8, 0xa, 0xcf, 0x35, 0xa5, 0x7, 0xac, 0x98, 0x49, 0xcf, 0xcb, 0xa4, 0x7d, 0xc2, 0xad, 0x83, 0xe0, 0x1b, 0x75, 0x66, 0x3a, 0x51, 0x62, 0x79, 0xc8, 0xb9, 0xd2, 0x43, 0xb7, 0x19, 0x64, 0x3e},
  44. }
  45. func init() {
  46. for blockSize := MinBlockSize; blockSize <= MaxBlockSize; blockSize *= 2 {
  47. BlockSizes = append(BlockSizes, blockSize)
  48. if _, ok := sha256OfEmptyBlock[blockSize]; !ok {
  49. panic("missing hard coded value for sha256 of empty block")
  50. }
  51. }
  52. BufferPool = newBufferPool()
  53. }
  54. // BlockSize returns the block size to use for the given file size
  55. func BlockSize(fileSize int64) int {
  56. var blockSize int
  57. for _, blockSize = range BlockSizes {
  58. if fileSize < DesiredPerFileBlocks*int64(blockSize) {
  59. break
  60. }
  61. }
  62. return blockSize
  63. }
  64. const (
  65. stateInitial = iota
  66. stateReady
  67. )
  68. // FileInfo.LocalFlags flags
  69. const (
  70. FlagLocalUnsupported = 1 << 0 // The kind is unsupported, e.g. symlinks on Windows
  71. FlagLocalIgnored = 1 << 1 // Matches local ignore patterns
  72. FlagLocalMustRescan = 1 << 2 // Doesn't match content on disk, must be rechecked fully
  73. FlagLocalReceiveOnly = 1 << 3 // Change detected on receive only folder
  74. // Flags that should result in the Invalid bit on outgoing updates
  75. LocalInvalidFlags = FlagLocalUnsupported | FlagLocalIgnored | FlagLocalMustRescan | FlagLocalReceiveOnly
  76. // Flags that should result in a file being in conflict with its
  77. // successor, due to us not having an up to date picture of its state on
  78. // disk.
  79. LocalConflictFlags = FlagLocalUnsupported | FlagLocalIgnored | FlagLocalReceiveOnly
  80. LocalAllFlags = FlagLocalUnsupported | FlagLocalIgnored | FlagLocalMustRescan | FlagLocalReceiveOnly
  81. )
  82. var (
  83. ErrClosed = errors.New("connection closed")
  84. ErrTimeout = errors.New("read timeout")
  85. errUnknownMessage = errors.New("unknown message")
  86. errInvalidFilename = errors.New("filename is invalid")
  87. errUncleanFilename = errors.New("filename not in canonical format")
  88. errDeletedHasBlocks = errors.New("deleted file with non-empty block list")
  89. errDirectoryHasBlocks = errors.New("directory with non-empty block list")
  90. errFileHasNoBlocks = errors.New("file with empty block list")
  91. )
  92. type Model interface {
  93. // An index was received from the peer device
  94. Index(deviceID DeviceID, folder string, files []FileInfo) error
  95. // An index update was received from the peer device
  96. IndexUpdate(deviceID DeviceID, folder string, files []FileInfo) error
  97. // A request was made by the peer device
  98. Request(deviceID DeviceID, folder, name string, size int32, offset int64, hash []byte, weakHash uint32, fromTemporary bool) (RequestResponse, error)
  99. // A cluster configuration message was received
  100. ClusterConfig(deviceID DeviceID, config ClusterConfig) error
  101. // The peer device closed the connection
  102. Closed(conn Connection, err error)
  103. // The peer device sent progress updates for the files it is currently downloading
  104. DownloadProgress(deviceID DeviceID, folder string, updates []FileDownloadProgressUpdate) error
  105. }
  106. type RequestResponse interface {
  107. Data() []byte
  108. Close() // Must always be called once the byte slice is no longer in use
  109. Wait() // Blocks until Close is called
  110. }
  111. type Connection interface {
  112. Start()
  113. Close(err error)
  114. ID() DeviceID
  115. Name() string
  116. Index(ctx context.Context, folder string, files []FileInfo) error
  117. IndexUpdate(ctx context.Context, folder string, files []FileInfo) error
  118. Request(ctx context.Context, folder string, name string, offset int64, size int, hash []byte, weakHash uint32, fromTemporary bool) ([]byte, error)
  119. ClusterConfig(config ClusterConfig)
  120. DownloadProgress(ctx context.Context, folder string, updates []FileDownloadProgressUpdate)
  121. Statistics() Statistics
  122. Closed() bool
  123. }
  124. type rawConnection struct {
  125. id DeviceID
  126. name string
  127. receiver Model
  128. startTime time.Time
  129. cr *countingReader
  130. cw *countingWriter
  131. awaiting map[int32]chan asyncResult
  132. awaitingMut sync.Mutex
  133. idxMut sync.Mutex // ensures serialization of Index calls
  134. nextID int32
  135. nextIDMut sync.Mutex
  136. inbox chan message
  137. outbox chan asyncMessage
  138. closeBox chan asyncMessage
  139. clusterConfigBox chan *ClusterConfig
  140. dispatcherLoopStopped chan struct{}
  141. closed chan struct{}
  142. closeOnce sync.Once
  143. sendCloseOnce sync.Once
  144. compression Compression
  145. }
  146. type asyncResult struct {
  147. val []byte
  148. err error
  149. }
  150. type message interface {
  151. ProtoSize() int
  152. Marshal() ([]byte, error)
  153. MarshalTo([]byte) (int, error)
  154. Unmarshal([]byte) error
  155. }
  156. type asyncMessage struct {
  157. msg message
  158. done chan struct{} // done closes when we're done sending the message
  159. }
  160. const (
  161. // PingSendInterval is how often we make sure to send a message, by
  162. // triggering pings if necessary.
  163. PingSendInterval = 90 * time.Second
  164. // ReceiveTimeout is the longest we'll wait for a message from the other
  165. // side before closing the connection.
  166. ReceiveTimeout = 300 * time.Second
  167. )
  168. // CloseTimeout is the longest we'll wait when trying to send the close
  169. // message before just closing the connection.
  170. // Should not be modified in production code, just for testing.
  171. var CloseTimeout = 10 * time.Second
  172. func NewConnection(deviceID DeviceID, reader io.Reader, writer io.Writer, receiver Model, name string, compress Compression) Connection {
  173. cr := &countingReader{Reader: reader}
  174. cw := &countingWriter{Writer: writer}
  175. c := rawConnection{
  176. id: deviceID,
  177. name: name,
  178. receiver: nativeModel{receiver},
  179. cr: cr,
  180. cw: cw,
  181. awaiting: make(map[int32]chan asyncResult),
  182. inbox: make(chan message),
  183. outbox: make(chan asyncMessage),
  184. closeBox: make(chan asyncMessage),
  185. clusterConfigBox: make(chan *ClusterConfig),
  186. dispatcherLoopStopped: make(chan struct{}),
  187. closed: make(chan struct{}),
  188. compression: compress,
  189. }
  190. return wireFormatConnection{&c}
  191. }
  192. // Start creates the goroutines for sending and receiving of messages. It must
  193. // be called exactly once after creating a connection.
  194. func (c *rawConnection) Start() {
  195. go c.readerLoop()
  196. go func() {
  197. err := c.dispatcherLoop()
  198. c.internalClose(err)
  199. }()
  200. go c.writerLoop()
  201. go c.pingSender()
  202. go c.pingReceiver()
  203. c.startTime = time.Now()
  204. }
  205. func (c *rawConnection) ID() DeviceID {
  206. return c.id
  207. }
  208. func (c *rawConnection) Name() string {
  209. return c.name
  210. }
  211. // Index writes the list of file information to the connected peer device
  212. func (c *rawConnection) Index(ctx context.Context, folder string, idx []FileInfo) error {
  213. select {
  214. case <-c.closed:
  215. return ErrClosed
  216. default:
  217. }
  218. c.idxMut.Lock()
  219. c.send(ctx, &Index{
  220. Folder: folder,
  221. Files: idx,
  222. }, nil)
  223. c.idxMut.Unlock()
  224. return nil
  225. }
  226. // IndexUpdate writes the list of file information to the connected peer device as an update
  227. func (c *rawConnection) IndexUpdate(ctx context.Context, folder string, idx []FileInfo) error {
  228. select {
  229. case <-c.closed:
  230. return ErrClosed
  231. default:
  232. }
  233. c.idxMut.Lock()
  234. c.send(ctx, &IndexUpdate{
  235. Folder: folder,
  236. Files: idx,
  237. }, nil)
  238. c.idxMut.Unlock()
  239. return nil
  240. }
  241. // Request returns the bytes for the specified block after fetching them from the connected peer.
  242. func (c *rawConnection) Request(ctx context.Context, folder string, name string, offset int64, size int, hash []byte, weakHash uint32, fromTemporary bool) ([]byte, error) {
  243. c.nextIDMut.Lock()
  244. id := c.nextID
  245. c.nextID++
  246. c.nextIDMut.Unlock()
  247. c.awaitingMut.Lock()
  248. if _, ok := c.awaiting[id]; ok {
  249. c.awaitingMut.Unlock()
  250. panic("id taken")
  251. }
  252. rc := make(chan asyncResult, 1)
  253. c.awaiting[id] = rc
  254. c.awaitingMut.Unlock()
  255. ok := c.send(ctx, &Request{
  256. ID: id,
  257. Folder: folder,
  258. Name: name,
  259. Offset: offset,
  260. Size: int32(size),
  261. Hash: hash,
  262. WeakHash: weakHash,
  263. FromTemporary: fromTemporary,
  264. }, nil)
  265. if !ok {
  266. return nil, ErrClosed
  267. }
  268. select {
  269. case res, ok := <-rc:
  270. if !ok {
  271. return nil, ErrClosed
  272. }
  273. return res.val, res.err
  274. case <-ctx.Done():
  275. return nil, ctx.Err()
  276. }
  277. }
  278. // ClusterConfig sends the cluster configuration message to the peer.
  279. // It must be called just once (as per BEP), otherwise it will panic.
  280. func (c *rawConnection) ClusterConfig(config ClusterConfig) {
  281. select {
  282. case c.clusterConfigBox <- &config:
  283. close(c.clusterConfigBox)
  284. case <-c.closed:
  285. }
  286. }
  287. func (c *rawConnection) Closed() bool {
  288. select {
  289. case <-c.closed:
  290. return true
  291. default:
  292. return false
  293. }
  294. }
  295. // DownloadProgress sends the progress updates for the files that are currently being downloaded.
  296. func (c *rawConnection) DownloadProgress(ctx context.Context, folder string, updates []FileDownloadProgressUpdate) {
  297. c.send(ctx, &DownloadProgress{
  298. Folder: folder,
  299. Updates: updates,
  300. }, nil)
  301. }
  302. func (c *rawConnection) ping() bool {
  303. return c.send(context.Background(), &Ping{}, nil)
  304. }
  305. func (c *rawConnection) readerLoop() {
  306. fourByteBuf := make([]byte, 4)
  307. for {
  308. msg, err := c.readMessage(fourByteBuf)
  309. if err != nil {
  310. if err == errUnknownMessage {
  311. // Unknown message types are skipped, for future extensibility.
  312. continue
  313. }
  314. c.internalClose(err)
  315. return
  316. }
  317. select {
  318. case c.inbox <- msg:
  319. case <-c.closed:
  320. return
  321. }
  322. }
  323. }
  324. func (c *rawConnection) dispatcherLoop() (err error) {
  325. defer close(c.dispatcherLoopStopped)
  326. var msg message
  327. state := stateInitial
  328. for {
  329. select {
  330. case msg = <-c.inbox:
  331. case <-c.closed:
  332. return ErrClosed
  333. }
  334. switch msg := msg.(type) {
  335. case *ClusterConfig:
  336. l.Debugln("read ClusterConfig message")
  337. if state != stateInitial {
  338. return fmt.Errorf("protocol error: cluster config message in state %d", state)
  339. }
  340. if err := c.receiver.ClusterConfig(c.id, *msg); err != nil {
  341. return errors.Wrap(err, "receiver error")
  342. }
  343. state = stateReady
  344. case *Index:
  345. l.Debugln("read Index message")
  346. if state != stateReady {
  347. return fmt.Errorf("protocol error: index message in state %d", state)
  348. }
  349. if err := checkIndexConsistency(msg.Files); err != nil {
  350. return errors.Wrap(err, "protocol error: index")
  351. }
  352. if err := c.handleIndex(*msg); err != nil {
  353. return errors.Wrap(err, "receiver error")
  354. }
  355. state = stateReady
  356. case *IndexUpdate:
  357. l.Debugln("read IndexUpdate message")
  358. if state != stateReady {
  359. return fmt.Errorf("protocol error: index update message in state %d", state)
  360. }
  361. if err := checkIndexConsistency(msg.Files); err != nil {
  362. return errors.Wrap(err, "protocol error: index update")
  363. }
  364. if err := c.handleIndexUpdate(*msg); err != nil {
  365. return errors.Wrap(err, "receiver error")
  366. }
  367. state = stateReady
  368. case *Request:
  369. l.Debugln("read Request message")
  370. if state != stateReady {
  371. return fmt.Errorf("protocol error: request message in state %d", state)
  372. }
  373. if err := checkFilename(msg.Name); err != nil {
  374. return errors.Wrapf(err, "protocol error: request: %q", msg.Name)
  375. }
  376. go c.handleRequest(*msg)
  377. case *Response:
  378. l.Debugln("read Response message")
  379. if state != stateReady {
  380. return fmt.Errorf("protocol error: response message in state %d", state)
  381. }
  382. c.handleResponse(*msg)
  383. case *DownloadProgress:
  384. l.Debugln("read DownloadProgress message")
  385. if state != stateReady {
  386. return fmt.Errorf("protocol error: response message in state %d", state)
  387. }
  388. if err := c.receiver.DownloadProgress(c.id, msg.Folder, msg.Updates); err != nil {
  389. return errors.Wrap(err, "receiver error")
  390. }
  391. case *Ping:
  392. l.Debugln("read Ping message")
  393. if state != stateReady {
  394. return fmt.Errorf("protocol error: ping message in state %d", state)
  395. }
  396. // Nothing
  397. case *Close:
  398. l.Debugln("read Close message")
  399. return errors.New(msg.Reason)
  400. default:
  401. l.Debugf("read unknown message: %+T", msg)
  402. return fmt.Errorf("protocol error: %s: unknown or empty message", c.id)
  403. }
  404. }
  405. }
  406. func (c *rawConnection) readMessage(fourByteBuf []byte) (message, error) {
  407. hdr, err := c.readHeader(fourByteBuf)
  408. if err != nil {
  409. return nil, err
  410. }
  411. return c.readMessageAfterHeader(hdr, fourByteBuf)
  412. }
  413. func (c *rawConnection) readMessageAfterHeader(hdr Header, fourByteBuf []byte) (message, error) {
  414. // First comes a 4 byte message length
  415. if _, err := io.ReadFull(c.cr, fourByteBuf[:4]); err != nil {
  416. return nil, errors.Wrap(err, "reading message length")
  417. }
  418. msgLen := int32(binary.BigEndian.Uint32(fourByteBuf))
  419. if msgLen < 0 {
  420. return nil, fmt.Errorf("negative message length %d", msgLen)
  421. } else if msgLen > MaxMessageLen {
  422. return nil, fmt.Errorf("message length %d exceeds maximum %d", msgLen, MaxMessageLen)
  423. }
  424. // Then comes the message
  425. buf := BufferPool.Get(int(msgLen))
  426. if _, err := io.ReadFull(c.cr, buf); err != nil {
  427. return nil, errors.Wrap(err, "reading message")
  428. }
  429. // ... which might be compressed
  430. switch hdr.Compression {
  431. case MessageCompressionNone:
  432. // Nothing
  433. case MessageCompressionLZ4:
  434. decomp, err := c.lz4Decompress(buf)
  435. BufferPool.Put(buf)
  436. if err != nil {
  437. return nil, errors.Wrap(err, "decompressing message")
  438. }
  439. buf = decomp
  440. default:
  441. return nil, fmt.Errorf("unknown message compression %d", hdr.Compression)
  442. }
  443. // ... and is then unmarshalled
  444. msg, err := c.newMessage(hdr.Type)
  445. if err != nil {
  446. return nil, err
  447. }
  448. if err := msg.Unmarshal(buf); err != nil {
  449. return nil, errors.Wrap(err, "unmarshalling message")
  450. }
  451. BufferPool.Put(buf)
  452. return msg, nil
  453. }
  454. func (c *rawConnection) readHeader(fourByteBuf []byte) (Header, error) {
  455. // First comes a 2 byte header length
  456. if _, err := io.ReadFull(c.cr, fourByteBuf[:2]); err != nil {
  457. return Header{}, errors.Wrap(err, "reading length")
  458. }
  459. hdrLen := int16(binary.BigEndian.Uint16(fourByteBuf))
  460. if hdrLen < 0 {
  461. return Header{}, fmt.Errorf("negative header length %d", hdrLen)
  462. }
  463. // Then comes the header
  464. buf := BufferPool.Get(int(hdrLen))
  465. if _, err := io.ReadFull(c.cr, buf); err != nil {
  466. return Header{}, errors.Wrap(err, "reading header")
  467. }
  468. var hdr Header
  469. if err := hdr.Unmarshal(buf); err != nil {
  470. return Header{}, errors.Wrap(err, "unmarshalling header")
  471. }
  472. BufferPool.Put(buf)
  473. return hdr, nil
  474. }
  475. func (c *rawConnection) handleIndex(im Index) error {
  476. l.Debugf("Index(%v, %v, %d file)", c.id, im.Folder, len(im.Files))
  477. return c.receiver.Index(c.id, im.Folder, im.Files)
  478. }
  479. func (c *rawConnection) handleIndexUpdate(im IndexUpdate) error {
  480. l.Debugf("queueing IndexUpdate(%v, %v, %d files)", c.id, im.Folder, len(im.Files))
  481. return c.receiver.IndexUpdate(c.id, im.Folder, im.Files)
  482. }
  483. // checkIndexConsistency verifies a number of invariants on FileInfos received in
  484. // index messages.
  485. func checkIndexConsistency(fs []FileInfo) error {
  486. for _, f := range fs {
  487. if err := checkFileInfoConsistency(f); err != nil {
  488. return errors.Wrapf(err, "%q", f.Name)
  489. }
  490. }
  491. return nil
  492. }
  493. // checkFileInfoConsistency verifies a number of invariants on the given FileInfo
  494. func checkFileInfoConsistency(f FileInfo) error {
  495. if err := checkFilename(f.Name); err != nil {
  496. return err
  497. }
  498. switch {
  499. case f.Deleted && len(f.Blocks) != 0:
  500. // Deleted files should have no blocks
  501. return errDeletedHasBlocks
  502. case f.Type == FileInfoTypeDirectory && len(f.Blocks) != 0:
  503. // Directories should have no blocks
  504. return errDirectoryHasBlocks
  505. case !f.Deleted && !f.IsInvalid() && f.Type == FileInfoTypeFile && len(f.Blocks) == 0:
  506. // Non-deleted, non-invalid files should have at least one block
  507. return errFileHasNoBlocks
  508. }
  509. return nil
  510. }
  511. // checkFilename verifies that the given filename is valid according to the
  512. // spec on what's allowed over the wire. A filename failing this test is
  513. // grounds for disconnecting the device.
  514. func checkFilename(name string) error {
  515. cleanedName := path.Clean(name)
  516. if cleanedName != name {
  517. // The filename on the wire should be in canonical format. If
  518. // Clean() managed to clean it up, there was something wrong with
  519. // it.
  520. return errUncleanFilename
  521. }
  522. switch name {
  523. case "", ".", "..":
  524. // These names are always invalid.
  525. return errInvalidFilename
  526. }
  527. if strings.HasPrefix(name, "/") {
  528. // Names are folder relative, not absolute.
  529. return errInvalidFilename
  530. }
  531. if strings.HasPrefix(name, "../") {
  532. // Starting with a dotdot is not allowed. Any other dotdots would
  533. // have been handled by the Clean() call at the top.
  534. return errInvalidFilename
  535. }
  536. return nil
  537. }
  538. func (c *rawConnection) handleRequest(req Request) {
  539. res, err := c.receiver.Request(c.id, req.Folder, req.Name, req.Size, req.Offset, req.Hash, req.WeakHash, req.FromTemporary)
  540. if err != nil {
  541. c.send(context.Background(), &Response{
  542. ID: req.ID,
  543. Code: errorToCode(err),
  544. }, nil)
  545. return
  546. }
  547. done := make(chan struct{})
  548. c.send(context.Background(), &Response{
  549. ID: req.ID,
  550. Data: res.Data(),
  551. Code: errorToCode(nil),
  552. }, done)
  553. <-done
  554. res.Close()
  555. }
  556. func (c *rawConnection) handleResponse(resp Response) {
  557. c.awaitingMut.Lock()
  558. if rc := c.awaiting[resp.ID]; rc != nil {
  559. delete(c.awaiting, resp.ID)
  560. rc <- asyncResult{resp.Data, codeToError(resp.Code)}
  561. close(rc)
  562. }
  563. c.awaitingMut.Unlock()
  564. }
  565. func (c *rawConnection) send(ctx context.Context, msg message, done chan struct{}) bool {
  566. select {
  567. case c.outbox <- asyncMessage{msg, done}:
  568. return true
  569. case <-c.closed:
  570. case <-ctx.Done():
  571. }
  572. if done != nil {
  573. close(done)
  574. }
  575. return false
  576. }
  577. func (c *rawConnection) writerLoop() {
  578. select {
  579. case cc := <-c.clusterConfigBox:
  580. err := c.writeMessage(cc)
  581. if err != nil {
  582. c.internalClose(err)
  583. return
  584. }
  585. case hm := <-c.closeBox:
  586. _ = c.writeMessage(hm.msg)
  587. close(hm.done)
  588. return
  589. case <-c.closed:
  590. return
  591. }
  592. for {
  593. select {
  594. case hm := <-c.outbox:
  595. err := c.writeMessage(hm.msg)
  596. if hm.done != nil {
  597. close(hm.done)
  598. }
  599. if err != nil {
  600. c.internalClose(err)
  601. return
  602. }
  603. case hm := <-c.closeBox:
  604. _ = c.writeMessage(hm.msg)
  605. close(hm.done)
  606. return
  607. case <-c.closed:
  608. return
  609. }
  610. }
  611. }
  612. func (c *rawConnection) writeMessage(msg message) error {
  613. if c.shouldCompressMessage(msg) {
  614. return c.writeCompressedMessage(msg)
  615. }
  616. return c.writeUncompressedMessage(msg)
  617. }
  618. func (c *rawConnection) writeCompressedMessage(msg message) error {
  619. size := msg.ProtoSize()
  620. buf := BufferPool.Get(size)
  621. if _, err := msg.MarshalTo(buf); err != nil {
  622. return errors.Wrap(err, "marshalling message")
  623. }
  624. compressed, err := c.lz4Compress(buf)
  625. if err != nil {
  626. return errors.Wrap(err, "compressing message")
  627. }
  628. hdr := Header{
  629. Type: c.typeOf(msg),
  630. Compression: MessageCompressionLZ4,
  631. }
  632. hdrSize := hdr.ProtoSize()
  633. if hdrSize > 1<<16-1 {
  634. panic("impossibly large header")
  635. }
  636. totSize := 2 + hdrSize + 4 + len(compressed)
  637. buf = BufferPool.Upgrade(buf, totSize)
  638. // Header length
  639. binary.BigEndian.PutUint16(buf, uint16(hdrSize))
  640. // Header
  641. if _, err := hdr.MarshalTo(buf[2:]); err != nil {
  642. return errors.Wrap(err, "marshalling header")
  643. }
  644. // Message length
  645. binary.BigEndian.PutUint32(buf[2+hdrSize:], uint32(len(compressed)))
  646. // Message
  647. copy(buf[2+hdrSize+4:], compressed)
  648. BufferPool.Put(compressed)
  649. n, err := c.cw.Write(buf)
  650. BufferPool.Put(buf)
  651. l.Debugf("wrote %d bytes on the wire (2 bytes length, %d bytes header, 4 bytes message length, %d bytes message (%d uncompressed)), err=%v", n, hdrSize, len(compressed), size, err)
  652. if err != nil {
  653. return errors.Wrap(err, "writing message")
  654. }
  655. return nil
  656. }
  657. func (c *rawConnection) writeUncompressedMessage(msg message) error {
  658. size := msg.ProtoSize()
  659. hdr := Header{
  660. Type: c.typeOf(msg),
  661. }
  662. hdrSize := hdr.ProtoSize()
  663. if hdrSize > 1<<16-1 {
  664. panic("impossibly large header")
  665. }
  666. totSize := 2 + hdrSize + 4 + size
  667. buf := BufferPool.Get(totSize)
  668. // Header length
  669. binary.BigEndian.PutUint16(buf, uint16(hdrSize))
  670. // Header
  671. if _, err := hdr.MarshalTo(buf[2:]); err != nil {
  672. return errors.Wrap(err, "marshalling header")
  673. }
  674. // Message length
  675. binary.BigEndian.PutUint32(buf[2+hdrSize:], uint32(size))
  676. // Message
  677. if _, err := msg.MarshalTo(buf[2+hdrSize+4:]); err != nil {
  678. return errors.Wrap(err, "marshalling message")
  679. }
  680. n, err := c.cw.Write(buf[:totSize])
  681. BufferPool.Put(buf)
  682. l.Debugf("wrote %d bytes on the wire (2 bytes length, %d bytes header, 4 bytes message length, %d bytes message), err=%v", n, hdrSize, size, err)
  683. if err != nil {
  684. return errors.Wrap(err, "writing message")
  685. }
  686. return nil
  687. }
  688. func (c *rawConnection) typeOf(msg message) MessageType {
  689. switch msg.(type) {
  690. case *ClusterConfig:
  691. return messageTypeClusterConfig
  692. case *Index:
  693. return messageTypeIndex
  694. case *IndexUpdate:
  695. return messageTypeIndexUpdate
  696. case *Request:
  697. return messageTypeRequest
  698. case *Response:
  699. return messageTypeResponse
  700. case *DownloadProgress:
  701. return messageTypeDownloadProgress
  702. case *Ping:
  703. return messageTypePing
  704. case *Close:
  705. return messageTypeClose
  706. default:
  707. panic("bug: unknown message type")
  708. }
  709. }
  710. func (c *rawConnection) newMessage(t MessageType) (message, error) {
  711. switch t {
  712. case messageTypeClusterConfig:
  713. return new(ClusterConfig), nil
  714. case messageTypeIndex:
  715. return new(Index), nil
  716. case messageTypeIndexUpdate:
  717. return new(IndexUpdate), nil
  718. case messageTypeRequest:
  719. return new(Request), nil
  720. case messageTypeResponse:
  721. return new(Response), nil
  722. case messageTypeDownloadProgress:
  723. return new(DownloadProgress), nil
  724. case messageTypePing:
  725. return new(Ping), nil
  726. case messageTypeClose:
  727. return new(Close), nil
  728. default:
  729. return nil, errUnknownMessage
  730. }
  731. }
  732. func (c *rawConnection) shouldCompressMessage(msg message) bool {
  733. switch c.compression {
  734. case CompressNever:
  735. return false
  736. case CompressAlways:
  737. // Use compression for large enough messages
  738. return msg.ProtoSize() >= compressionThreshold
  739. case CompressMetadata:
  740. _, isResponse := msg.(*Response)
  741. // Compress if it's large enough and not a response message
  742. return !isResponse && msg.ProtoSize() >= compressionThreshold
  743. default:
  744. panic("unknown compression setting")
  745. }
  746. }
  747. // Close is called when the connection is regularely closed and thus the Close
  748. // BEP message is sent before terminating the actual connection. The error
  749. // argument specifies the reason for closing the connection.
  750. func (c *rawConnection) Close(err error) {
  751. c.sendCloseOnce.Do(func() {
  752. done := make(chan struct{})
  753. timeout := time.NewTimer(CloseTimeout)
  754. select {
  755. case c.closeBox <- asyncMessage{&Close{err.Error()}, done}:
  756. select {
  757. case <-done:
  758. case <-timeout.C:
  759. case <-c.closed:
  760. }
  761. case <-timeout.C:
  762. case <-c.closed:
  763. }
  764. })
  765. // Close might be called from a method that is called from within
  766. // dispatcherLoop, resulting in a deadlock.
  767. // The sending above must happen before spawning the routine, to prevent
  768. // the underlying connection from terminating before sending the close msg.
  769. go c.internalClose(err)
  770. }
  771. // internalClose is called if there is an unexpected error during normal operation.
  772. func (c *rawConnection) internalClose(err error) {
  773. c.closeOnce.Do(func() {
  774. l.Debugln("close due to", err)
  775. close(c.closed)
  776. c.awaitingMut.Lock()
  777. for i, ch := range c.awaiting {
  778. if ch != nil {
  779. close(ch)
  780. delete(c.awaiting, i)
  781. }
  782. }
  783. c.awaitingMut.Unlock()
  784. <-c.dispatcherLoopStopped
  785. c.receiver.Closed(c, err)
  786. })
  787. }
  788. // The pingSender makes sure that we've sent a message within the last
  789. // PingSendInterval. If we already have something sent in the last
  790. // PingSendInterval/2, we do nothing. Otherwise we send a ping message. This
  791. // results in an effecting ping interval of somewhere between
  792. // PingSendInterval/2 and PingSendInterval.
  793. func (c *rawConnection) pingSender() {
  794. ticker := time.NewTicker(PingSendInterval / 2)
  795. defer ticker.Stop()
  796. for {
  797. select {
  798. case <-ticker.C:
  799. d := time.Since(c.cw.Last())
  800. if d < PingSendInterval/2 {
  801. l.Debugln(c.id, "ping skipped after wr", d)
  802. continue
  803. }
  804. l.Debugln(c.id, "ping -> after", d)
  805. c.ping()
  806. case <-c.closed:
  807. return
  808. }
  809. }
  810. }
  811. // The pingReceiver checks that we've received a message (any message will do,
  812. // but we expect pings in the absence of other messages) within the last
  813. // ReceiveTimeout. If not, we close the connection with an ErrTimeout.
  814. func (c *rawConnection) pingReceiver() {
  815. ticker := time.NewTicker(ReceiveTimeout / 2)
  816. defer ticker.Stop()
  817. for {
  818. select {
  819. case <-ticker.C:
  820. d := time.Since(c.cr.Last())
  821. if d > ReceiveTimeout {
  822. l.Debugln(c.id, "ping timeout", d)
  823. c.internalClose(ErrTimeout)
  824. }
  825. l.Debugln(c.id, "last read within", d)
  826. case <-c.closed:
  827. return
  828. }
  829. }
  830. }
  831. type Statistics struct {
  832. At time.Time
  833. InBytesTotal int64
  834. OutBytesTotal int64
  835. StartedAt time.Time
  836. }
  837. func (c *rawConnection) Statistics() Statistics {
  838. return Statistics{
  839. At: time.Now(),
  840. InBytesTotal: c.cr.Tot(),
  841. OutBytesTotal: c.cw.Tot(),
  842. StartedAt: c.startTime,
  843. }
  844. }
  845. func (c *rawConnection) lz4Compress(src []byte) ([]byte, error) {
  846. var err error
  847. buf := BufferPool.Get(lz4.CompressBound(len(src)))
  848. compressed, err := lz4.Encode(buf, src)
  849. if err != nil {
  850. return nil, err
  851. }
  852. if &compressed[0] != &buf[0] {
  853. panic("bug: lz4.Compress allocated, which it must not (should use buffer pool)")
  854. }
  855. binary.BigEndian.PutUint32(compressed, binary.LittleEndian.Uint32(compressed))
  856. return compressed, nil
  857. }
  858. func (c *rawConnection) lz4Decompress(src []byte) ([]byte, error) {
  859. size := binary.BigEndian.Uint32(src)
  860. binary.LittleEndian.PutUint32(src, size)
  861. var err error
  862. buf := BufferPool.Get(int(size))
  863. decoded, err := lz4.Decode(buf, src)
  864. if err != nil {
  865. return nil, err
  866. }
  867. if &decoded[0] != &buf[0] {
  868. panic("bug: lz4.Decode allocated, which it must not (should use buffer pool)")
  869. }
  870. return decoded, nil
  871. }