Add unit test for timeout=0
[folly.git] / folly / io / async / AsyncTransport.h
1 /*
2  * Copyright 2017 Facebook, Inc.
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *   http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 #pragma once
18
19 #include <memory>
20
21 #include <folly/io/IOBuf.h>
22 #include <folly/io/async/AsyncSocketBase.h>
23 #include <folly/io/async/DelayedDestruction.h>
24 #include <folly/io/async/EventBase.h>
25 #include <folly/portability/OpenSSL.h>
26 #include <folly/portability/SysUio.h>
27 #include <folly/ssl/OpenSSLPtrTypes.h>
28
29 constexpr bool kOpenSslModeMoveBufferOwnership =
30 #ifdef SSL_MODE_MOVE_BUFFER_OWNERSHIP
31   true
32 #else
33   false
34 #endif
35 ;
36
37 namespace folly {
38
39 class AsyncSocketException;
40 class EventBase;
41 class SocketAddress;
42
43 /*
44  * flags given by the application for write* calls
45  */
46 enum class WriteFlags : uint32_t {
47   NONE = 0x00,
48   /*
49    * Whether to delay the output until a subsequent non-corked write.
50    * (Note: may not be supported in all subclasses or on all platforms.)
51    */
52   CORK = 0x01,
53   /*
54    * for a socket that has ACK latency enabled, it will cause the kernel
55    * to fire a TCP ESTATS event when the last byte of the given write call
56    * will be acknowledged.
57    */
58   EOR = 0x02,
59   /*
60    * this indicates that only the write side of socket should be shutdown
61    */
62   WRITE_SHUTDOWN = 0x04,
63   /*
64    * use msg zerocopy if allowed
65    */
66   WRITE_MSG_ZEROCOPY = 0x08,
67 };
68
69 /*
70  * union operator
71  */
72 inline WriteFlags operator|(WriteFlags a, WriteFlags b) {
73   return static_cast<WriteFlags>(
74     static_cast<uint32_t>(a) | static_cast<uint32_t>(b));
75 }
76
77 /*
78  * compound assignment union operator
79  */
80 inline WriteFlags& operator|=(WriteFlags& a, WriteFlags b) {
81   a = a | b;
82   return a;
83 }
84
85 /*
86  * intersection operator
87  */
88 inline WriteFlags operator&(WriteFlags a, WriteFlags b) {
89   return static_cast<WriteFlags>(
90     static_cast<uint32_t>(a) & static_cast<uint32_t>(b));
91 }
92
93 /*
94  * compound assignment intersection operator
95  */
96 inline WriteFlags& operator&=(WriteFlags& a, WriteFlags b) {
97   a = a & b;
98   return a;
99 }
100
101 /*
102  * exclusion parameter
103  */
104 inline WriteFlags operator~(WriteFlags a) {
105   return static_cast<WriteFlags>(~static_cast<uint32_t>(a));
106 }
107
108 /*
109  * unset operator
110  */
111 inline WriteFlags unSet(WriteFlags a, WriteFlags b) {
112   return a & ~b;
113 }
114
115 /*
116  * inclusion operator
117  */
118 inline bool isSet(WriteFlags a, WriteFlags b) {
119   return (a & b) == b;
120 }
121
122
123 /**
124  * AsyncTransport defines an asynchronous API for streaming I/O.
125  *
126  * This class provides an API to for asynchronously waiting for data
127  * on a streaming transport, and for asynchronously sending data.
128  *
129  * The APIs for reading and writing are intentionally asymmetric.  Waiting for
130  * data to read is a persistent API: a callback is installed, and is notified
131  * whenever new data is available.  It continues to be notified of new events
132  * until it is uninstalled.
133  *
134  * AsyncTransport does not provide read timeout functionality, because it
135  * typically cannot determine when the timeout should be active.  Generally, a
136  * timeout should only be enabled when processing is blocked waiting on data
137  * from the remote endpoint.  For server-side applications, the timeout should
138  * not be active if the server is currently processing one or more outstanding
139  * requests on this transport.  For client-side applications, the timeout
140  * should not be active if there are no requests pending on the transport.
141  * Additionally, if a client has multiple pending requests, it will ususally
142  * want a separate timeout for each request, rather than a single read timeout.
143  *
144  * The write API is fairly intuitive: a user can request to send a block of
145  * data, and a callback will be informed once the entire block has been
146  * transferred to the kernel, or on error.  AsyncTransport does provide a send
147  * timeout, since most callers want to give up if the remote end stops
148  * responding and no further progress can be made sending the data.
149  */
150 class AsyncTransport : public DelayedDestruction, public AsyncSocketBase {
151  public:
152   typedef std::unique_ptr<AsyncTransport, Destructor> UniquePtr;
153
154   /**
155    * Close the transport.
156    *
157    * This gracefully closes the transport, waiting for all pending write
158    * requests to complete before actually closing the underlying transport.
159    *
160    * If a read callback is set, readEOF() will be called immediately.  If there
161    * are outstanding write requests, the close will be delayed until all
162    * remaining writes have completed.  No new writes may be started after
163    * close() has been called.
164    */
165   virtual void close() = 0;
166
167   /**
168    * Close the transport immediately.
169    *
170    * This closes the transport immediately, dropping any outstanding data
171    * waiting to be written.
172    *
173    * If a read callback is set, readEOF() will be called immediately.
174    * If there are outstanding write requests, these requests will be aborted
175    * and writeError() will be invoked immediately on all outstanding write
176    * callbacks.
177    */
178   virtual void closeNow() = 0;
179
180   /**
181    * Reset the transport immediately.
182    *
183    * This closes the transport immediately, sending a reset to the remote peer
184    * if possible to indicate abnormal shutdown.
185    *
186    * Note that not all subclasses implement this reset functionality: some
187    * subclasses may treat reset() the same as closeNow().  Subclasses that use
188    * TCP transports should terminate the connection with a TCP reset.
189    */
190   virtual void closeWithReset() {
191     closeNow();
192   }
193
194   /**
195    * Perform a half-shutdown of the write side of the transport.
196    *
197    * The caller should not make any more calls to write() or writev() after
198    * shutdownWrite() is called.  Any future write attempts will fail
199    * immediately.
200    *
201    * Not all transport types support half-shutdown.  If the underlying
202    * transport does not support half-shutdown, it will fully shutdown both the
203    * read and write sides of the transport.  (Fully shutting down the socket is
204    * better than doing nothing at all, since the caller may rely on the
205    * shutdownWrite() call to notify the other end of the connection that no
206    * more data can be read.)
207    *
208    * If there is pending data still waiting to be written on the transport,
209    * the actual shutdown will be delayed until the pending data has been
210    * written.
211    *
212    * Note: There is no corresponding shutdownRead() equivalent.  Simply
213    * uninstall the read callback if you wish to stop reading.  (On TCP sockets
214    * at least, shutting down the read side of the socket is a no-op anyway.)
215    */
216   virtual void shutdownWrite() = 0;
217
218   /**
219    * Perform a half-shutdown of the write side of the transport.
220    *
221    * shutdownWriteNow() is identical to shutdownWrite(), except that it
222    * immediately performs the shutdown, rather than waiting for pending writes
223    * to complete.  Any pending write requests will be immediately failed when
224    * shutdownWriteNow() is called.
225    */
226   virtual void shutdownWriteNow() = 0;
227
228   /**
229    * Determine if transport is open and ready to read or write.
230    *
231    * Note that this function returns false on EOF; you must also call error()
232    * to distinguish between an EOF and an error.
233    *
234    * @return  true iff the transport is open and ready, false otherwise.
235    */
236   virtual bool good() const = 0;
237
238   /**
239    * Determine if the transport is readable or not.
240    *
241    * @return  true iff the transport is readable, false otherwise.
242    */
243   virtual bool readable() const = 0;
244
245   /**
246    * Determine if the transport is writable or not.
247    *
248    * @return  true iff the transport is writable, false otherwise.
249    */
250   virtual bool writable() const {
251     // By default return good() - leave it to implementers to override.
252     return good();
253   }
254
255   /**
256    * Determine if the there is pending data on the transport.
257    *
258    * @return  true iff the if the there is pending data, false otherwise.
259    */
260   virtual bool isPending() const {
261     return readable();
262   }
263
264   /**
265    * Determine if transport is connected to the endpoint
266    *
267    * @return  false iff the transport is connected, otherwise true
268    */
269   virtual bool connecting() const = 0;
270
271   /**
272    * Determine if an error has occurred with this transport.
273    *
274    * @return  true iff an error has occurred (not EOF).
275    */
276   virtual bool error() const = 0;
277
278   /**
279    * Attach the transport to a EventBase.
280    *
281    * This may only be called if the transport is not currently attached to a
282    * EventBase (by an earlier call to detachEventBase()).
283    *
284    * This method must be invoked in the EventBase's thread.
285    */
286   virtual void attachEventBase(EventBase* eventBase) = 0;
287
288   /**
289    * Detach the transport from its EventBase.
290    *
291    * This may only be called when the transport is idle and has no reads or
292    * writes pending.  Once detached, the transport may not be used again until
293    * it is re-attached to a EventBase by calling attachEventBase().
294    *
295    * This method must be called from the current EventBase's thread.
296    */
297   virtual void detachEventBase() = 0;
298
299   /**
300    * Determine if the transport can be detached.
301    *
302    * This method must be called from the current EventBase's thread.
303    */
304   virtual bool isDetachable() const = 0;
305
306   /**
307    * Set the send timeout.
308    *
309    * If write requests do not make any progress for more than the specified
310    * number of milliseconds, fail all pending writes and close the transport.
311    *
312    * If write requests are currently pending when setSendTimeout() is called,
313    * the timeout interval is immediately restarted using the new value.
314    *
315    * @param milliseconds  The timeout duration, in milliseconds.  If 0, no
316    *                      timeout will be used.
317    */
318   virtual void setSendTimeout(uint32_t milliseconds) = 0;
319
320   /**
321    * Get the send timeout.
322    *
323    * @return Returns the current send timeout, in milliseconds.  A return value
324    *         of 0 indicates that no timeout is set.
325    */
326   virtual uint32_t getSendTimeout() const = 0;
327
328   /**
329    * Get the address of the local endpoint of this transport.
330    *
331    * This function may throw AsyncSocketException on error.
332    *
333    * @param address  The local address will be stored in the specified
334    *                 SocketAddress.
335    */
336   virtual void getLocalAddress(SocketAddress* address) const = 0;
337
338   /**
339    * Get the address of the remote endpoint to which this transport is
340    * connected.
341    *
342    * This function may throw AsyncSocketException on error.
343    *
344    * @return         Return the local address
345    */
346   SocketAddress getLocalAddress() const {
347     SocketAddress addr;
348     getLocalAddress(&addr);
349     return addr;
350   }
351
352   void getAddress(SocketAddress* address) const override {
353     getLocalAddress(address);
354   }
355
356   /**
357    * Get the address of the remote endpoint to which this transport is
358    * connected.
359    *
360    * This function may throw AsyncSocketException on error.
361    *
362    * @param address  The remote endpoint's address will be stored in the
363    *                 specified SocketAddress.
364    */
365   virtual void getPeerAddress(SocketAddress* address) const = 0;
366
367   /**
368    * Get the address of the remote endpoint to which this transport is
369    * connected.
370    *
371    * This function may throw AsyncSocketException on error.
372    *
373    * @return         Return the remote endpoint's address
374    */
375   SocketAddress getPeerAddress() const {
376     SocketAddress addr;
377     getPeerAddress(&addr);
378     return addr;
379   }
380
381   /**
382    * Get the certificate used to authenticate the peer.
383    */
384   virtual ssl::X509UniquePtr getPeerCert() const { return nullptr; }
385
386   /**
387    * The local certificate used for this connection. May be null
388    */
389   virtual const X509* getSelfCert() const {
390     return nullptr;
391   }
392
393   /**
394    * @return True iff end of record tracking is enabled
395    */
396   virtual bool isEorTrackingEnabled() const = 0;
397
398   virtual void setEorTracking(bool track) = 0;
399
400   virtual size_t getAppBytesWritten() const = 0;
401   virtual size_t getRawBytesWritten() const = 0;
402   virtual size_t getAppBytesReceived() const = 0;
403   virtual size_t getRawBytesReceived() const = 0;
404
405   class BufferCallback {
406    public:
407     virtual ~BufferCallback() {}
408     virtual void onEgressBuffered() = 0;
409     virtual void onEgressBufferCleared() = 0;
410   };
411
412   /**
413    * Callback class to signal when a transport that did not have replay
414    * protection gains replay protection. This is needed for 0-RTT security
415    * protocols.
416    */
417   class ReplaySafetyCallback {
418    public:
419     virtual ~ReplaySafetyCallback() = default;
420
421     /**
422      * Called when the transport becomes replay safe.
423      */
424     virtual void onReplaySafe() = 0;
425   };
426
427   /**
428    * False if the transport does not have replay protection, but will in the
429    * future.
430    */
431   virtual bool isReplaySafe() const { return true; }
432
433   /**
434    * Set the ReplaySafeCallback on this transport.
435    *
436    * This should only be called if isReplaySafe() returns false.
437    */
438   virtual void setReplaySafetyCallback(ReplaySafetyCallback* callback) {
439     if (callback) {
440       CHECK(false) << "setReplaySafetyCallback() not supported";
441     }
442   }
443
444  protected:
445   ~AsyncTransport() override = default;
446 };
447
448 class AsyncReader {
449  public:
450   class ReadCallback {
451    public:
452     virtual ~ReadCallback() = default;
453
454     /**
455      * When data becomes available, getReadBuffer() will be invoked to get the
456      * buffer into which data should be read.
457      *
458      * This method allows the ReadCallback to delay buffer allocation until
459      * data becomes available.  This allows applications to manage large
460      * numbers of idle connections, without having to maintain a separate read
461      * buffer for each idle connection.
462      *
463      * It is possible that in some cases, getReadBuffer() may be called
464      * multiple times before readDataAvailable() is invoked.  In this case, the
465      * data will be written to the buffer returned from the most recent call to
466      * readDataAvailable().  If the previous calls to readDataAvailable()
467      * returned different buffers, the ReadCallback is responsible for ensuring
468      * that they are not leaked.
469      *
470      * If getReadBuffer() throws an exception, returns a nullptr buffer, or
471      * returns a 0 length, the ReadCallback will be uninstalled and its
472      * readError() method will be invoked.
473      *
474      * getReadBuffer() is not allowed to change the transport state before it
475      * returns.  (For example, it should never uninstall the read callback, or
476      * set a different read callback.)
477      *
478      * @param bufReturn getReadBuffer() should update *bufReturn to contain the
479      *                  address of the read buffer.  This parameter will never
480      *                  be nullptr.
481      * @param lenReturn getReadBuffer() should update *lenReturn to contain the
482      *                  maximum number of bytes that may be written to the read
483      *                  buffer.  This parameter will never be nullptr.
484      */
485     virtual void getReadBuffer(void** bufReturn, size_t* lenReturn) = 0;
486
487     /**
488      * readDataAvailable() will be invoked when data has been successfully read
489      * into the buffer returned by the last call to getReadBuffer().
490      *
491      * The read callback remains installed after readDataAvailable() returns.
492      * It must be explicitly uninstalled to stop receiving read events.
493      * getReadBuffer() will be called at least once before each call to
494      * readDataAvailable().  getReadBuffer() will also be called before any
495      * call to readEOF().
496      *
497      * @param len       The number of bytes placed in the buffer.
498      */
499
500     virtual void readDataAvailable(size_t len) noexcept = 0;
501
502     /**
503      * When data becomes available, isBufferMovable() will be invoked to figure
504      * out which API will be used, readBufferAvailable() or
505      * readDataAvailable(). If isBufferMovable() returns true, that means
506      * ReadCallback supports the IOBuf ownership transfer and
507      * readBufferAvailable() will be used.  Otherwise, not.
508
509      * By default, isBufferMovable() always return false. If
510      * readBufferAvailable() is implemented and to be invoked, You should
511      * overwrite isBufferMovable() and return true in the inherited class.
512      *
513      * This method allows the AsyncSocket/AsyncSSLSocket do buffer allocation by
514      * itself until data becomes available.  Compared with the pre/post buffer
515      * allocation in getReadBuffer()/readDataAvailabe(), readBufferAvailable()
516      * has two advantages.  First, this can avoid memcpy. E.g., in
517      * AsyncSSLSocket, the decrypted data was copied from the openssl internal
518      * buffer to the readbuf buffer.  With the buffer ownership transfer, the
519      * internal buffer can be directly "moved" to ReadCallback. Second, the
520      * memory allocation can be more precise.  The reason is
521      * AsyncSocket/AsyncSSLSocket can allocate the memory of precise size
522      * because they have more context about the available data than
523      * ReadCallback.  Think about the getReadBuffer() pre-allocate 4072 bytes
524      * buffer, but the available data is always 16KB (max OpenSSL record size).
525      */
526
527     virtual bool isBufferMovable() noexcept {
528       return false;
529     }
530
531     /**
532      * Suggested buffer size, allocated for read operations,
533      * if callback is movable and supports folly::IOBuf
534      */
535
536     virtual size_t maxBufferSize() const {
537       return 64 * 1024; // 64K
538     }
539
540     /**
541      * readBufferAvailable() will be invoked when data has been successfully
542      * read.
543      *
544      * Note that only either readBufferAvailable() or readDataAvailable() will
545      * be invoked according to the return value of isBufferMovable(). The timing
546      * and aftereffect of readBufferAvailable() are the same as
547      * readDataAvailable()
548      *
549      * @param readBuf The unique pointer of read buffer.
550      */
551
552     virtual void readBufferAvailable(std::unique_ptr<IOBuf> /*readBuf*/)
553       noexcept {}
554
555     /**
556      * readEOF() will be invoked when the transport is closed.
557      *
558      * The read callback will be automatically uninstalled immediately before
559      * readEOF() is invoked.
560      */
561     virtual void readEOF() noexcept = 0;
562
563     /**
564      * readError() will be invoked if an error occurs reading from the
565      * transport.
566      *
567      * The read callback will be automatically uninstalled immediately before
568      * readError() is invoked.
569      *
570      * @param ex        An exception describing the error that occurred.
571      */
572     virtual void readErr(const AsyncSocketException& ex) noexcept = 0;
573   };
574
575   // Read methods that aren't part of AsyncTransport.
576   virtual void setReadCB(ReadCallback* callback) = 0;
577   virtual ReadCallback* getReadCallback() const = 0;
578
579  protected:
580   virtual ~AsyncReader() = default;
581 };
582
583 class AsyncWriter {
584  public:
585   class WriteCallback {
586    public:
587     virtual ~WriteCallback() = default;
588
589     /**
590      * writeSuccess() will be invoked when all of the data has been
591      * successfully written.
592      *
593      * Note that this mainly signals that the buffer containing the data to
594      * write is no longer needed and may be freed or re-used.  It does not
595      * guarantee that the data has been fully transmitted to the remote
596      * endpoint.  For example, on socket-based transports, writeSuccess() only
597      * indicates that the data has been given to the kernel for eventual
598      * transmission.
599      */
600     virtual void writeSuccess() noexcept = 0;
601
602     /**
603      * writeError() will be invoked if an error occurs writing the data.
604      *
605      * @param bytesWritten      The number of bytes that were successfull
606      * @param ex                An exception describing the error that occurred.
607      */
608     virtual void writeErr(size_t bytesWritten,
609                           const AsyncSocketException& ex) noexcept = 0;
610   };
611
612   // Write methods that aren't part of AsyncTransport
613   virtual void write(WriteCallback* callback, const void* buf, size_t bytes,
614                      WriteFlags flags = WriteFlags::NONE) = 0;
615   virtual void writev(WriteCallback* callback, const iovec* vec, size_t count,
616                       WriteFlags flags = WriteFlags::NONE) = 0;
617   virtual void writeChain(WriteCallback* callback,
618                           std::unique_ptr<IOBuf>&& buf,
619                           WriteFlags flags = WriteFlags::NONE) = 0;
620
621  protected:
622   virtual ~AsyncWriter() = default;
623 };
624
625 // Transitional intermediate interface. This is deprecated.
626 // Wrapper around folly::AsyncTransport, that includes read/write callbacks
627 class AsyncTransportWrapper : virtual public AsyncTransport,
628                               virtual public AsyncReader,
629                               virtual public AsyncWriter {
630  public:
631   using UniquePtr = std::unique_ptr<AsyncTransportWrapper, Destructor>;
632
633   // Alias for inherited members from AsyncReader and AsyncWriter
634   // to keep compatibility.
635   using ReadCallback    = AsyncReader::ReadCallback;
636   using WriteCallback   = AsyncWriter::WriteCallback;
637   void setReadCB(ReadCallback* callback) override = 0;
638   ReadCallback* getReadCallback() const override = 0;
639   void write(
640       WriteCallback* callback,
641       const void* buf,
642       size_t bytes,
643       WriteFlags flags = WriteFlags::NONE) override = 0;
644   void writev(
645       WriteCallback* callback,
646       const iovec* vec,
647       size_t count,
648       WriteFlags flags = WriteFlags::NONE) override = 0;
649   void writeChain(
650       WriteCallback* callback,
651       std::unique_ptr<IOBuf>&& buf,
652       WriteFlags flags = WriteFlags::NONE) override = 0;
653   /**
654    * The transport wrapper may wrap another transport. This returns the
655    * transport that is wrapped. It returns nullptr if there is no wrapped
656    * transport.
657    */
658   virtual const AsyncTransportWrapper* getWrappedTransport() const {
659     return nullptr;
660   }
661
662   /**
663    * In many cases when we need to set socket properties or otherwise access the
664    * underlying transport from a wrapped transport. This method allows access to
665    * the derived classes of the underlying transport.
666    */
667   template <class T>
668   const T* getUnderlyingTransport() const {
669     const AsyncTransportWrapper* current = this;
670     while (current) {
671       auto sock = dynamic_cast<const T*>(current);
672       if (sock) {
673         return sock;
674       }
675       current = current->getWrappedTransport();
676     }
677     return nullptr;
678   }
679
680   template <class T>
681   T* getUnderlyingTransport() {
682     return const_cast<T*>(static_cast<const AsyncTransportWrapper*>(this)
683         ->getUnderlyingTransport<T>());
684   }
685
686   /**
687    * Return the application protocol being used by the underlying transport
688    * protocol. This is useful for transports which are used to tunnel other
689    * protocols.
690    */
691   virtual std::string getApplicationProtocol() noexcept {
692     return "";
693   }
694
695   /**
696    * Returns the name of the security protocol being used.
697    */
698   virtual std::string getSecurityProtocol() const { return ""; }
699 };
700
701 } // namespace folly