1 /*
2  *  Copyright 2004 The WebRTC Project Authors. All rights reserved.
3  *
4  *  Use of this source code is governed by a BSD-style license
5  *  that can be found in the LICENSE file in the root of the source
6  *  tree. An additional intellectual property rights grant can be found
7  *  in the file PATENTS.  All contributing project authors may
8  *  be found in the AUTHORS file in the root of the source tree.
9  */
10 
11 /*
12  *  This is a diagram of how TCP reconnect works for the active side. The
13  *  passive side just waits for an incoming connection.
14  *
15  *  - Connected: Indicate whether the TCP socket is connected.
16  *
17  *  - Writable: Whether the stun binding is completed. Sending a data packet
18  *    before stun binding completed will trigger IPC socket layer to shutdown
19  *    the connection.
20  *
21  *  - PendingTCP: |connection_pending_| indicates whether there is an
22  *    outstanding TCP connection in progress.
23  *
24  *  - PretendWri: Tracked by |pretending_to_be_writable_|. Marking connection as
25  *    WRITE_TIMEOUT will cause the connection be deleted. Instead, we're
26  *    "pretending" we're still writable for a period of time such that reconnect
27  *    could work.
28  *
29  *  Data could only be sent in state 3. Sening data during state 2 & 6 will get
30  *  EWOULDBLOCK, 4 & 5 EPIPE.
31  *
32  *         OS Timeout         7 -------------+
33  *   +----------------------->|Connected: N  |
34  *   |                        |Writable:  N  |     Timeout
35  *   |       Timeout          |Connection is |<----------------+
36  *   |   +------------------->|Dead          |                 |
37  *   |   |                    +--------------+                 |
38  *   |   |                               ^                     |
39  *   |   |            OnClose            |                     |
40  *   |   |    +-----------------------+  |                     |
41  *   |   |    |                       |  |Timeout              |
42  *   |   |    v                       |  |                     |
43  *   | 4 +----------+          5 -----+--+--+           6 -----+-----+
44  *   | |Connected: N|Send() or |Connected: N|           |Connected: Y|
45  *   | |Writable:  Y|Ping()    |Writable:  Y|OnConnect  |Writable:  Y|
46  *   | |PendingTCP:N+--------> |PendingTCP:Y+---------> |PendingTCP:N|
47  *   | |PretendWri:Y|          |PretendWri:Y|           |PretendWri:Y|
48  *   | +-----+------+          +------------+           +---+--+-----+
49  *   |   ^   ^                                              |  |
50  *   |   |   |                     OnClose                  |  |
51  *   |   |   +----------------------------------------------+  |
52  *   |   |                                                     |
53  *   |   |                              Stun Binding Completed |
54  *   |   |                                                     |
55  *   |   |                    OnClose                          |
56  *   |   +------------------------------------------------+    |
57  *   |                                                    |    v
58  *  1 -----------+           2 -----------+Stun      3 -----------+
59  *  |Connected: N|           |Connected: Y|Binding   |Connected: Y|
60  *  |Writable:  N|OnConnect  |Writable:  N|Completed |Writable:  Y|
61  *  |PendingTCP:Y+---------> |PendingTCP:N+--------> |PendingTCP:N|
62  *  |PretendWri:N|           |PretendWri:N|          |PretendWri:N|
63  *  +------------+           +------------+          +------------+
64  *
65  */
66 
67 #include "p2p/base/tcp_port.h"
68 
69 #include <errno.h>
70 
71 #include <vector>
72 
73 #include "absl/algorithm/container.h"
74 #include "p2p/base/p2p_constants.h"
75 #include "rtc_base/checks.h"
76 #include "rtc_base/ip_address.h"
77 #include "rtc_base/location.h"
78 #include "rtc_base/logging.h"
79 #include "rtc_base/net_helper.h"
80 #include "rtc_base/rate_tracker.h"
81 #include "rtc_base/third_party/sigslot/sigslot.h"
82 
83 namespace cricket {
84 
TCPPort(rtc::Thread * thread,rtc::PacketSocketFactory * factory,rtc::Network * network,uint16_t min_port,uint16_t max_port,const std::string & username,const std::string & password,bool allow_listen)85 TCPPort::TCPPort(rtc::Thread* thread,
86                  rtc::PacketSocketFactory* factory,
87                  rtc::Network* network,
88                  uint16_t min_port,
89                  uint16_t max_port,
90                  const std::string& username,
91                  const std::string& password,
92                  bool allow_listen)
93     : Port(thread,
94            LOCAL_PORT_TYPE,
95            factory,
96            network,
97            min_port,
98            max_port,
99            username,
100            password),
101       allow_listen_(allow_listen),
102       socket_(NULL),
103       error_(0) {
104   // TODO(mallinath) - Set preference value as per RFC 6544.
105   // http://b/issue?id=7141794
106   if (allow_listen_) {
107     TryCreateServerSocket();
108   }
109 }
110 
~TCPPort()111 TCPPort::~TCPPort() {
112   delete socket_;
113   std::list<Incoming>::iterator it;
114   for (it = incoming_.begin(); it != incoming_.end(); ++it)
115     delete it->socket;
116   incoming_.clear();
117 }
118 
CreateConnection(const Candidate & address,CandidateOrigin origin)119 Connection* TCPPort::CreateConnection(const Candidate& address,
120                                       CandidateOrigin origin) {
121   if (!SupportsProtocol(address.protocol())) {
122     return NULL;
123   }
124 
125   if ((address.tcptype() == TCPTYPE_ACTIVE_STR &&
126        address.type() != PRFLX_PORT_TYPE) ||
127       (address.tcptype().empty() && address.address().port() == 0)) {
128     // It's active only candidate, we should not try to create connections
129     // for these candidates.
130     return NULL;
131   }
132 
133   // We can't accept TCP connections incoming on other ports
134   if (origin == ORIGIN_OTHER_PORT)
135     return NULL;
136 
137   // We don't know how to act as an ssl server yet
138   if ((address.protocol() == SSLTCP_PROTOCOL_NAME) &&
139       (origin == ORIGIN_THIS_PORT)) {
140     return NULL;
141   }
142 
143   if (!IsCompatibleAddress(address.address())) {
144     return NULL;
145   }
146 
147   TCPConnection* conn = NULL;
148   if (rtc::AsyncPacketSocket* socket = GetIncoming(address.address(), true)) {
149     // Incoming connection; we already created a socket and connected signals,
150     // so we need to hand off the "read packet" responsibility to
151     // TCPConnection.
152     socket->SignalReadPacket.disconnect(this);
153     conn = new TCPConnection(this, address, socket);
154   } else {
155     // Outgoing connection, which will create a new socket for which we still
156     // need to connect SignalReadyToSend and SignalSentPacket.
157     conn = new TCPConnection(this, address);
158     if (conn->socket()) {
159       conn->socket()->SignalReadyToSend.connect(this, &TCPPort::OnReadyToSend);
160       conn->socket()->SignalSentPacket.connect(this, &TCPPort::OnSentPacket);
161     }
162   }
163   AddOrReplaceConnection(conn);
164   return conn;
165 }
166 
PrepareAddress()167 void TCPPort::PrepareAddress() {
168   if (socket_) {
169     // If socket isn't bound yet the address will be added in
170     // OnAddressReady(). Socket may be in the CLOSED state if Listen()
171     // failed, we still want to add the socket address.
172     RTC_LOG(LS_VERBOSE) << "Preparing TCP address, current state: "
173                         << socket_->GetState();
174     if (socket_->GetState() == rtc::AsyncPacketSocket::STATE_BOUND ||
175         socket_->GetState() == rtc::AsyncPacketSocket::STATE_CLOSED)
176       AddAddress(socket_->GetLocalAddress(), socket_->GetLocalAddress(),
177                  rtc::SocketAddress(), TCP_PROTOCOL_NAME, "",
178                  TCPTYPE_PASSIVE_STR, LOCAL_PORT_TYPE,
179                  ICE_TYPE_PREFERENCE_HOST_TCP, 0, "", true);
180   } else {
181     RTC_LOG(LS_INFO) << ToString()
182                      << ": Not listening due to firewall restrictions.";
183     // Note: We still add the address, since otherwise the remote side won't
184     // recognize our incoming TCP connections. According to
185     // https://tools.ietf.org/html/rfc6544#section-4.5, for active candidate,
186     // the port must be set to the discard port, i.e. 9. We can't be 100% sure
187     // which IP address will actually be used, so GetBestIP is as good as we
188     // can do.
189     // TODO(deadbeef): We could do something like create a dummy socket just to
190     // see what IP we get. But that may be overkill.
191     AddAddress(rtc::SocketAddress(Network()->GetBestIP(), DISCARD_PORT),
192                rtc::SocketAddress(Network()->GetBestIP(), 0),
193                rtc::SocketAddress(), TCP_PROTOCOL_NAME, "", TCPTYPE_ACTIVE_STR,
194                LOCAL_PORT_TYPE, ICE_TYPE_PREFERENCE_HOST_TCP, 0, "", true);
195   }
196 }
197 
SendTo(const void * data,size_t size,const rtc::SocketAddress & addr,const rtc::PacketOptions & options,bool payload)198 int TCPPort::SendTo(const void* data,
199                     size_t size,
200                     const rtc::SocketAddress& addr,
201                     const rtc::PacketOptions& options,
202                     bool payload) {
203   rtc::AsyncPacketSocket* socket = NULL;
204   TCPConnection* conn = static_cast<TCPConnection*>(GetConnection(addr));
205 
206   // For Connection, this is the code path used by Ping() to establish
207   // WRITABLE. It has to send through the socket directly as TCPConnection::Send
208   // checks writability.
209   if (conn) {
210     if (!conn->connected()) {
211       conn->MaybeReconnect();
212       return SOCKET_ERROR;
213     }
214     socket = conn->socket();
215     if (!socket) {
216       // The failure to initialize should have been logged elsewhere,
217       // so this log is not important.
218       RTC_LOG(LS_INFO) << ToString()
219                        << ": Attempted to send to an uninitialized socket: "
220                        << addr.ToSensitiveString();
221       error_ = EHOSTUNREACH;
222       return SOCKET_ERROR;
223     }
224   } else {
225     socket = GetIncoming(addr);
226     if (!socket) {
227       RTC_LOG(LS_ERROR) << ToString()
228                         << ": Attempted to send to an unknown destination: "
229                         << addr.ToSensitiveString();
230       error_ = EHOSTUNREACH;
231       return SOCKET_ERROR;
232     }
233   }
234   rtc::PacketOptions modified_options(options);
235   CopyPortInformationToPacketInfo(&modified_options.info_signaled_after_sent);
236   int sent = socket->Send(data, size, modified_options);
237   if (sent < 0) {
238     error_ = socket->GetError();
239     // Error from this code path for a Connection (instead of from a bare
240     // socket) will not trigger reconnecting. In theory, this shouldn't matter
241     // as OnClose should always be called and set connected to false.
242     RTC_LOG(LS_ERROR) << ToString() << ": TCP send of " << size
243                       << " bytes failed with error " << error_;
244   }
245   return sent;
246 }
247 
GetOption(rtc::Socket::Option opt,int * value)248 int TCPPort::GetOption(rtc::Socket::Option opt, int* value) {
249   if (socket_) {
250     return socket_->GetOption(opt, value);
251   } else {
252     return SOCKET_ERROR;
253   }
254 }
255 
SetOption(rtc::Socket::Option opt,int value)256 int TCPPort::SetOption(rtc::Socket::Option opt, int value) {
257   if (socket_) {
258     return socket_->SetOption(opt, value);
259   } else {
260     return SOCKET_ERROR;
261   }
262 }
263 
GetError()264 int TCPPort::GetError() {
265   return error_;
266 }
267 
SupportsProtocol(const std::string & protocol) const268 bool TCPPort::SupportsProtocol(const std::string& protocol) const {
269   return protocol == TCP_PROTOCOL_NAME || protocol == SSLTCP_PROTOCOL_NAME;
270 }
271 
GetProtocol() const272 ProtocolType TCPPort::GetProtocol() const {
273   return PROTO_TCP;
274 }
275 
OnNewConnection(rtc::AsyncPacketSocket * socket,rtc::AsyncPacketSocket * new_socket)276 void TCPPort::OnNewConnection(rtc::AsyncPacketSocket* socket,
277                               rtc::AsyncPacketSocket* new_socket) {
278   RTC_DCHECK(socket == socket_);
279 
280   Incoming incoming;
281   incoming.addr = new_socket->GetRemoteAddress();
282   incoming.socket = new_socket;
283   incoming.socket->SignalReadPacket.connect(this, &TCPPort::OnReadPacket);
284   incoming.socket->SignalReadyToSend.connect(this, &TCPPort::OnReadyToSend);
285   incoming.socket->SignalSentPacket.connect(this, &TCPPort::OnSentPacket);
286 
287   RTC_LOG(LS_VERBOSE) << ToString() << ": Accepted connection from "
288                       << incoming.addr.ToSensitiveString();
289   incoming_.push_back(incoming);
290 }
291 
TryCreateServerSocket()292 void TCPPort::TryCreateServerSocket() {
293   socket_ = socket_factory()->CreateServerTcpSocket(
294       rtc::SocketAddress(Network()->GetBestIP(), 0), min_port(), max_port(),
295       false /* ssl */);
296   if (!socket_) {
297     RTC_LOG(LS_WARNING)
298         << ToString()
299         << ": TCP server socket creation failed; continuing anyway.";
300     return;
301   }
302   socket_->SignalNewConnection.connect(this, &TCPPort::OnNewConnection);
303   socket_->SignalAddressReady.connect(this, &TCPPort::OnAddressReady);
304 }
305 
GetIncoming(const rtc::SocketAddress & addr,bool remove)306 rtc::AsyncPacketSocket* TCPPort::GetIncoming(const rtc::SocketAddress& addr,
307                                              bool remove) {
308   rtc::AsyncPacketSocket* socket = NULL;
309   for (std::list<Incoming>::iterator it = incoming_.begin();
310        it != incoming_.end(); ++it) {
311     if (it->addr == addr) {
312       socket = it->socket;
313       if (remove)
314         incoming_.erase(it);
315       break;
316     }
317   }
318   return socket;
319 }
320 
OnReadPacket(rtc::AsyncPacketSocket * socket,const char * data,size_t size,const rtc::SocketAddress & remote_addr,const int64_t & packet_time_us)321 void TCPPort::OnReadPacket(rtc::AsyncPacketSocket* socket,
322                            const char* data,
323                            size_t size,
324                            const rtc::SocketAddress& remote_addr,
325                            const int64_t& packet_time_us) {
326   Port::OnReadPacket(data, size, remote_addr, PROTO_TCP);
327 }
328 
OnSentPacket(rtc::AsyncPacketSocket * socket,const rtc::SentPacket & sent_packet)329 void TCPPort::OnSentPacket(rtc::AsyncPacketSocket* socket,
330                            const rtc::SentPacket& sent_packet) {
331   PortInterface::SignalSentPacket(sent_packet);
332 }
333 
OnReadyToSend(rtc::AsyncPacketSocket * socket)334 void TCPPort::OnReadyToSend(rtc::AsyncPacketSocket* socket) {
335   Port::OnReadyToSend();
336 }
337 
OnAddressReady(rtc::AsyncPacketSocket * socket,const rtc::SocketAddress & address)338 void TCPPort::OnAddressReady(rtc::AsyncPacketSocket* socket,
339                              const rtc::SocketAddress& address) {
340   AddAddress(address, address, rtc::SocketAddress(), TCP_PROTOCOL_NAME, "",
341              TCPTYPE_PASSIVE_STR, LOCAL_PORT_TYPE, ICE_TYPE_PREFERENCE_HOST_TCP,
342              0, "", true);
343 }
344 
345 // TODO(qingsi): |CONNECTION_WRITE_CONNECT_TIMEOUT| is overriden by
346 // |ice_unwritable_timeout| in IceConfig when determining the writability state.
347 // Replace this constant with the config parameter assuming the default value if
348 // we decide it is also applicable here.
TCPConnection(TCPPort * port,const Candidate & candidate,rtc::AsyncPacketSocket * socket)349 TCPConnection::TCPConnection(TCPPort* port,
350                              const Candidate& candidate,
351                              rtc::AsyncPacketSocket* socket)
352     : Connection(port, 0, candidate),
353       socket_(socket),
354       error_(0),
355       outgoing_(socket == NULL),
356       connection_pending_(false),
357       pretending_to_be_writable_(false),
358       reconnection_timeout_(cricket::CONNECTION_WRITE_CONNECT_TIMEOUT) {
359   if (outgoing_) {
360     CreateOutgoingTcpSocket();
361   } else {
362     // Incoming connections should match one of the network addresses. Same as
363     // what's being checked in OnConnect, but just DCHECKing here.
364     RTC_LOG(LS_VERBOSE) << ToString() << ": socket ipaddr: "
365                         << socket_->GetLocalAddress().ToSensitiveString()
366                         << ", port() Network:" << port->Network()->ToString();
367     RTC_DCHECK(absl::c_any_of(
368         port_->Network()->GetIPs(), [this](const rtc::InterfaceAddress& addr) {
369           return socket_->GetLocalAddress().ipaddr() == addr;
370         }));
371     ConnectSocketSignals(socket);
372   }
373 }
374 
~TCPConnection()375 TCPConnection::~TCPConnection() {}
376 
Send(const void * data,size_t size,const rtc::PacketOptions & options)377 int TCPConnection::Send(const void* data,
378                         size_t size,
379                         const rtc::PacketOptions& options) {
380   if (!socket_) {
381     error_ = ENOTCONN;
382     return SOCKET_ERROR;
383   }
384 
385   // Sending after OnClose on active side will trigger a reconnect for a
386   // outgoing connection. Note that the write state is still WRITABLE as we want
387   // to spend a few seconds attempting a reconnect before saying we're
388   // unwritable.
389   if (!connected()) {
390     MaybeReconnect();
391     return SOCKET_ERROR;
392   }
393 
394   // Note that this is important to put this after the previous check to give
395   // the connection a chance to reconnect.
396   if (pretending_to_be_writable_ || write_state() != STATE_WRITABLE) {
397     // TODO(?): Should STATE_WRITE_TIMEOUT return a non-blocking error?
398     error_ = ENOTCONN;
399     return SOCKET_ERROR;
400   }
401   stats_.sent_total_packets++;
402   rtc::PacketOptions modified_options(options);
403   static_cast<TCPPort*>(port_)->CopyPortInformationToPacketInfo(
404       &modified_options.info_signaled_after_sent);
405   int sent = socket_->Send(data, size, modified_options);
406   if (sent < 0) {
407     stats_.sent_discarded_packets++;
408     error_ = socket_->GetError();
409   } else {
410     send_rate_tracker_.AddSamples(sent);
411   }
412   return sent;
413 }
414 
GetError()415 int TCPConnection::GetError() {
416   return error_;
417 }
418 
OnConnectionRequestResponse(ConnectionRequest * req,StunMessage * response)419 void TCPConnection::OnConnectionRequestResponse(ConnectionRequest* req,
420                                                 StunMessage* response) {
421   // Process the STUN response before we inform upper layer ready to send.
422   Connection::OnConnectionRequestResponse(req, response);
423 
424   // If we're in the state of pretending to be writeable, we should inform the
425   // upper layer it's ready to send again as previous EWOULDLBLOCK from socket
426   // would have stopped the outgoing stream.
427   if (pretending_to_be_writable_) {
428     Connection::OnReadyToSend();
429   }
430   pretending_to_be_writable_ = false;
431   RTC_DCHECK(write_state() == STATE_WRITABLE);
432 }
433 
OnConnect(rtc::AsyncPacketSocket * socket)434 void TCPConnection::OnConnect(rtc::AsyncPacketSocket* socket) {
435   RTC_DCHECK(socket == socket_.get());
436   // Do not use this port if the socket bound to an address not associated with
437   // the desired network interface. This is seen in Chrome, where TCP sockets
438   // cannot be given a binding address, and the platform is expected to pick
439   // the correct local address.
440   //
441   // However, there are two situations in which we allow the bound address to
442   // not be one of the addresses of the requested interface:
443   // 1. The bound address is the loopback address. This happens when a proxy
444   // forces TCP to bind to only the localhost address (see issue 3927).
445   // 2. The bound address is the "any address". This happens when
446   // multiple_routes is disabled (see issue 4780).
447   //
448   // Note that, aside from minor differences in log statements, this logic is
449   // identical to that in TurnPort.
450   const rtc::SocketAddress& socket_address = socket->GetLocalAddress();
451   if (absl::c_any_of(port_->Network()->GetIPs(),
452                      [socket_address](const rtc::InterfaceAddress& addr) {
453                        return socket_address.ipaddr() == addr;
454                      })) {
455     RTC_LOG(LS_VERBOSE) << ToString() << ": Connection established to "
456                         << socket->GetRemoteAddress().ToSensitiveString();
457   } else {
458     if (socket->GetLocalAddress().IsLoopbackIP()) {
459       RTC_LOG(LS_WARNING) << "Socket is bound to the address:"
460                           << socket_address.ipaddr().ToSensitiveString()
461                           << ", rather than an address associated with network:"
462                           << port_->Network()->ToString()
463                           << ". Still allowing it since it's localhost.";
464     } else if (IPIsAny(port_->Network()->GetBestIP())) {
465       RTC_LOG(LS_WARNING)
466           << "Socket is bound to the address:"
467           << socket_address.ipaddr().ToSensitiveString()
468           << ", rather than an address associated with network:"
469           << port_->Network()->ToString()
470           << ". Still allowing it since it's the 'any' address"
471              ", possibly caused by multiple_routes being disabled.";
472     } else {
473       RTC_LOG(LS_WARNING) << "Dropping connection as TCP socket bound to IP "
474                           << socket_address.ipaddr().ToSensitiveString()
475                           << ", rather than an address associated with network:"
476                           << port_->Network()->ToString();
477       OnClose(socket, 0);
478       return;
479     }
480   }
481 
482   // Connection is established successfully.
483   set_connected(true);
484   connection_pending_ = false;
485 }
486 
OnClose(rtc::AsyncPacketSocket * socket,int error)487 void TCPConnection::OnClose(rtc::AsyncPacketSocket* socket, int error) {
488   RTC_DCHECK(socket == socket_.get());
489   RTC_LOG(LS_INFO) << ToString() << ": Connection closed with error " << error;
490 
491   // Guard against the condition where IPC socket will call OnClose for every
492   // packet it can't send.
493   if (connected()) {
494     set_connected(false);
495 
496     // Prevent the connection from being destroyed by redundant SignalClose
497     // events.
498     pretending_to_be_writable_ = true;
499 
500     // We don't attempt reconnect right here. This is to avoid a case where the
501     // shutdown is intentional and reconnect is not necessary. We only reconnect
502     // when the connection is used to Send() or Ping().
503     port()->thread()->PostDelayed(RTC_FROM_HERE, reconnection_timeout(), this,
504                                   MSG_TCPCONNECTION_DELAYED_ONCLOSE);
505   } else if (!pretending_to_be_writable_) {
506     // OnClose could be called when the underneath socket times out during the
507     // initial connect() (i.e. |pretending_to_be_writable_| is false) . We have
508     // to manually destroy here as this connection, as never connected, will not
509     // be scheduled for ping to trigger destroy.
510     Destroy();
511   }
512 }
513 
OnMessage(rtc::Message * pmsg)514 void TCPConnection::OnMessage(rtc::Message* pmsg) {
515   switch (pmsg->message_id) {
516     case MSG_TCPCONNECTION_DELAYED_ONCLOSE:
517       // If this connection can't become connected and writable again in 5
518       // seconds, it's time to tear this down. This is the case for the original
519       // TCP connection on passive side during a reconnect.
520       if (pretending_to_be_writable_) {
521         Destroy();
522       }
523       break;
524     case MSG_TCPCONNECTION_FAILED_CREATE_SOCKET:
525       FailAndPrune();
526       break;
527     default:
528       Connection::OnMessage(pmsg);
529   }
530 }
531 
MaybeReconnect()532 void TCPConnection::MaybeReconnect() {
533   // Only reconnect for an outgoing TCPConnection when OnClose was signaled and
534   // no outstanding reconnect is pending.
535   if (connected() || connection_pending_ || !outgoing_) {
536     return;
537   }
538 
539   RTC_LOG(LS_INFO) << ToString()
540                    << ": TCP Connection with remote is closed, "
541                       "trying to reconnect";
542 
543   CreateOutgoingTcpSocket();
544   error_ = EPIPE;
545 }
546 
OnReadPacket(rtc::AsyncPacketSocket * socket,const char * data,size_t size,const rtc::SocketAddress & remote_addr,const int64_t & packet_time_us)547 void TCPConnection::OnReadPacket(rtc::AsyncPacketSocket* socket,
548                                  const char* data,
549                                  size_t size,
550                                  const rtc::SocketAddress& remote_addr,
551                                  const int64_t& packet_time_us) {
552   RTC_DCHECK(socket == socket_.get());
553   Connection::OnReadPacket(data, size, packet_time_us);
554 }
555 
OnReadyToSend(rtc::AsyncPacketSocket * socket)556 void TCPConnection::OnReadyToSend(rtc::AsyncPacketSocket* socket) {
557   RTC_DCHECK(socket == socket_.get());
558   Connection::OnReadyToSend();
559 }
560 
CreateOutgoingTcpSocket()561 void TCPConnection::CreateOutgoingTcpSocket() {
562   RTC_DCHECK(outgoing_);
563   int opts = (remote_candidate().protocol() == SSLTCP_PROTOCOL_NAME)
564                  ? rtc::PacketSocketFactory::OPT_TLS_FAKE
565                  : 0;
566   rtc::PacketSocketTcpOptions tcp_opts;
567   tcp_opts.opts = opts;
568   socket_.reset(port()->socket_factory()->CreateClientTcpSocket(
569       rtc::SocketAddress(port()->Network()->GetBestIP(), 0),
570       remote_candidate().address(), port()->proxy(), port()->user_agent(),
571       tcp_opts));
572   if (socket_) {
573     RTC_LOG(LS_VERBOSE) << ToString() << ": Connecting from "
574                         << socket_->GetLocalAddress().ToSensitiveString()
575                         << " to "
576                         << remote_candidate().address().ToSensitiveString();
577     set_connected(false);
578     connection_pending_ = true;
579     ConnectSocketSignals(socket_.get());
580   } else {
581     RTC_LOG(LS_WARNING) << ToString() << ": Failed to create connection to "
582                         << remote_candidate().address().ToSensitiveString();
583     // We can't FailAndPrune directly here. FailAndPrune and deletes all
584     // the StunRequests from the request_map_. And if this is in the stack
585     // of Connection::Ping(), we are still using the request.
586     // Unwind the stack and defer the FailAndPrune.
587     set_state(IceCandidatePairState::FAILED);
588     port()->thread()->Post(RTC_FROM_HERE, this,
589                            MSG_TCPCONNECTION_FAILED_CREATE_SOCKET);
590   }
591 }
592 
ConnectSocketSignals(rtc::AsyncPacketSocket * socket)593 void TCPConnection::ConnectSocketSignals(rtc::AsyncPacketSocket* socket) {
594   if (outgoing_) {
595     socket->SignalConnect.connect(this, &TCPConnection::OnConnect);
596   }
597   socket->SignalReadPacket.connect(this, &TCPConnection::OnReadPacket);
598   socket->SignalReadyToSend.connect(this, &TCPConnection::OnReadyToSend);
599   socket->SignalClose.connect(this, &TCPConnection::OnClose);
600 }
601 
602 }  // namespace cricket
603