1 // Copyright (c) 2009-2010 Satoshi Nakamoto
2 // Copyright (c) 2009-2014 The Bitcoin Core developers
3 // Distributed under the MIT software license, see the accompanying
4 // file COPYING or http://www.opensource.org/licenses/mit-license.php.
6 #if defined(HAVE_CONFIG_H)
7 #include "config/bitcoin-config.h"
13 #include "chainparams.h"
14 #include "clientversion.h"
15 #include "primitives/transaction.h"
16 #include "scheduler.h"
17 #include "ui_interface.h"
18 #include "crypto/common.h"
27 #include <miniupnpc/miniupnpc.h>
28 #include <miniupnpc/miniwget.h>
29 #include <miniupnpc/upnpcommands.h>
30 #include <miniupnpc/upnperrors.h>
33 #include <boost/filesystem.hpp>
34 #include <boost/thread.hpp>
36 // Dump addresses to peers.dat every 15 minutes (900s)
37 #define DUMP_ADDRESSES_INTERVAL 900
39 #if !defined(HAVE_MSG_NOSIGNAL) && !defined(MSG_NOSIGNAL)
40 #define MSG_NOSIGNAL 0
43 // Fix for ancient MinGW versions, that don't have defined these in ws2tcpip.h.
44 // Todo: Can be removed when our pull-tester is upgraded to a modern MinGW version.
46 #ifndef PROTECTION_LEVEL_UNRESTRICTED
47 #define PROTECTION_LEVEL_UNRESTRICTED 10
49 #ifndef IPV6_PROTECTION_LEVEL
50 #define IPV6_PROTECTION_LEVEL 23
57 const int MAX_OUTBOUND_CONNECTIONS = 8;
63 ListenSocket(SOCKET socket, bool whitelisted) : socket(socket), whitelisted(whitelisted) {}
68 // Global state variables
70 bool fDiscover = true;
72 uint64_t nLocalServices = NODE_NETWORK;
73 CCriticalSection cs_mapLocalHost;
74 map<CNetAddr, LocalServiceInfo> mapLocalHost;
75 static bool vfReachable[NET_MAX] = {};
76 static bool vfLimited[NET_MAX] = {};
77 static CNode* pnodeLocalHost = NULL;
78 uint64_t nLocalHostNonce = 0;
79 static std::vector<ListenSocket> vhListenSocket;
81 int nMaxConnections = 125;
82 bool fAddressesInitialized = false;
84 vector<CNode*> vNodes;
85 CCriticalSection cs_vNodes;
86 map<CInv, CDataStream> mapRelay;
87 deque<pair<int64_t, CInv> > vRelayExpiration;
88 CCriticalSection cs_mapRelay;
89 limitedmap<CInv, int64_t> mapAlreadyAskedFor(MAX_INV_SZ);
91 static deque<string> vOneShots;
92 CCriticalSection cs_vOneShots;
94 set<CNetAddr> setservAddNodeAddresses;
95 CCriticalSection cs_setservAddNodeAddresses;
97 vector<std::string> vAddedNodes;
98 CCriticalSection cs_vAddedNodes;
100 NodeId nLastNodeId = 0;
101 CCriticalSection cs_nLastNodeId;
103 static CSemaphore *semOutbound = NULL;
104 boost::condition_variable messageHandlerCondition;
106 // Signals for message handling
107 static CNodeSignals g_signals;
108 CNodeSignals& GetNodeSignals() { return g_signals; }
110 void AddOneShot(string strDest)
113 vOneShots.push_back(strDest);
116 unsigned short GetListenPort()
118 return (unsigned short)(GetArg("-port", Params().GetDefaultPort()));
121 // find 'best' local address for a particular peer
122 bool GetLocal(CService& addr, const CNetAddr *paddrPeer)
128 int nBestReachability = -1;
130 LOCK(cs_mapLocalHost);
131 for (map<CNetAddr, LocalServiceInfo>::iterator it = mapLocalHost.begin(); it != mapLocalHost.end(); it++)
133 int nScore = (*it).second.nScore;
134 int nReachability = (*it).first.GetReachabilityFrom(paddrPeer);
135 if (nReachability > nBestReachability || (nReachability == nBestReachability && nScore > nBestScore))
137 addr = CService((*it).first, (*it).second.nPort);
138 nBestReachability = nReachability;
143 return nBestScore >= 0;
146 //! Convert the pnSeeds6 array into usable address objects.
147 static std::vector<CAddress> convertSeed6(const std::vector<SeedSpec6> &vSeedsIn)
149 // It'll only connect to one or two seed nodes because once it connects,
150 // it'll get a pile of addresses with newer timestamps.
151 // Seed nodes are given a random 'last seen time' of between one and two
153 const int64_t nOneWeek = 7*24*60*60;
154 std::vector<CAddress> vSeedsOut;
155 vSeedsOut.reserve(vSeedsIn.size());
156 for (std::vector<SeedSpec6>::const_iterator i(vSeedsIn.begin()); i != vSeedsIn.end(); ++i)
159 memcpy(&ip, i->addr, sizeof(ip));
160 CAddress addr(CService(ip, i->port));
161 addr.nTime = GetTime() - GetRand(nOneWeek) - nOneWeek;
162 vSeedsOut.push_back(addr);
167 // get best local address for a particular peer as a CAddress
168 // Otherwise, return the unroutable 0.0.0.0 but filled in with
169 // the normal parameters, since the IP may be changed to a useful
171 CAddress GetLocalAddress(const CNetAddr *paddrPeer)
173 CAddress ret(CService("0.0.0.0",GetListenPort()),0);
175 if (GetLocal(addr, paddrPeer))
177 ret = CAddress(addr);
179 ret.nServices = nLocalServices;
180 ret.nTime = GetAdjustedTime();
184 int GetnScore(const CService& addr)
186 LOCK(cs_mapLocalHost);
187 if (mapLocalHost.count(addr) == LOCAL_NONE)
189 return mapLocalHost[addr].nScore;
192 // Is our peer's addrLocal potentially useful as an external IP source?
193 bool IsPeerAddrLocalGood(CNode *pnode)
195 return fDiscover && pnode->addr.IsRoutable() && pnode->addrLocal.IsRoutable() &&
196 !IsLimited(pnode->addrLocal.GetNetwork());
199 // pushes our own address to a peer
200 void AdvertizeLocal(CNode *pnode)
202 if (fListen && pnode->fSuccessfullyConnected)
204 CAddress addrLocal = GetLocalAddress(&pnode->addr);
205 // If discovery is enabled, sometimes give our peer the address it
206 // tells us that it sees us as in case it has a better idea of our
207 // address than we do.
208 if (IsPeerAddrLocalGood(pnode) && (!addrLocal.IsRoutable() ||
209 GetRand((GetnScore(addrLocal) > LOCAL_MANUAL) ? 8:2) == 0))
211 addrLocal.SetIP(pnode->addrLocal);
213 if (addrLocal.IsRoutable())
215 pnode->PushAddress(addrLocal);
220 void SetReachable(enum Network net, bool fFlag)
222 LOCK(cs_mapLocalHost);
223 vfReachable[net] = fFlag;
224 if (net == NET_IPV6 && fFlag)
225 vfReachable[NET_IPV4] = true;
228 // learn a new local address
229 bool AddLocal(const CService& addr, int nScore)
231 if (!addr.IsRoutable())
234 if (!fDiscover && nScore < LOCAL_MANUAL)
240 LogPrintf("AddLocal(%s,%i)\n", addr.ToString(), nScore);
243 LOCK(cs_mapLocalHost);
244 bool fAlready = mapLocalHost.count(addr) > 0;
245 LocalServiceInfo &info = mapLocalHost[addr];
246 if (!fAlready || nScore >= info.nScore) {
247 info.nScore = nScore + (fAlready ? 1 : 0);
248 info.nPort = addr.GetPort();
250 SetReachable(addr.GetNetwork());
256 bool AddLocal(const CNetAddr &addr, int nScore)
258 return AddLocal(CService(addr, GetListenPort()), nScore);
261 /** Make a particular network entirely off-limits (no automatic connects to it) */
262 void SetLimited(enum Network net, bool fLimited)
264 if (net == NET_UNROUTABLE)
266 LOCK(cs_mapLocalHost);
267 vfLimited[net] = fLimited;
270 bool IsLimited(enum Network net)
272 LOCK(cs_mapLocalHost);
273 return vfLimited[net];
276 bool IsLimited(const CNetAddr &addr)
278 return IsLimited(addr.GetNetwork());
281 /** vote for a local address */
282 bool SeenLocal(const CService& addr)
285 LOCK(cs_mapLocalHost);
286 if (mapLocalHost.count(addr) == 0)
288 mapLocalHost[addr].nScore++;
294 /** check whether a given address is potentially local */
295 bool IsLocal(const CService& addr)
297 LOCK(cs_mapLocalHost);
298 return mapLocalHost.count(addr) > 0;
301 /** check whether a given network is one we can probably connect to */
302 bool IsReachable(enum Network net)
304 LOCK(cs_mapLocalHost);
305 return vfReachable[net] && !vfLimited[net];
308 /** check whether a given address is in a network we can probably connect to */
309 bool IsReachable(const CNetAddr& addr)
311 enum Network net = addr.GetNetwork();
312 return IsReachable(net);
315 void AddressCurrentlyConnected(const CService& addr)
317 addrman.Connected(addr);
321 uint64_t CNode::nTotalBytesRecv = 0;
322 uint64_t CNode::nTotalBytesSent = 0;
323 CCriticalSection CNode::cs_totalBytesRecv;
324 CCriticalSection CNode::cs_totalBytesSent;
326 CNode* FindNode(const CNetAddr& ip)
329 BOOST_FOREACH(CNode* pnode, vNodes)
330 if ((CNetAddr)pnode->addr == ip)
335 CNode* FindNode(const std::string& addrName)
338 BOOST_FOREACH(CNode* pnode, vNodes)
339 if (pnode->addrName == addrName)
344 CNode* FindNode(const CService& addr)
347 BOOST_FOREACH(CNode* pnode, vNodes)
348 if ((CService)pnode->addr == addr)
353 CNode* ConnectNode(CAddress addrConnect, const char *pszDest)
355 if (pszDest == NULL) {
356 if (IsLocal(addrConnect))
359 // Look for an existing connection
360 CNode* pnode = FindNode((CService)addrConnect);
369 LogPrint("net", "trying connection %s lastseen=%.1fhrs\n",
370 pszDest ? pszDest : addrConnect.ToString(),
371 pszDest ? 0.0 : (double)(GetAdjustedTime() - addrConnect.nTime)/3600.0);
375 bool proxyConnectionFailed = false;
376 if (pszDest ? ConnectSocketByName(addrConnect, hSocket, pszDest, Params().GetDefaultPort(), nConnectTimeout, &proxyConnectionFailed) :
377 ConnectSocket(addrConnect, hSocket, nConnectTimeout, &proxyConnectionFailed))
379 if (!IsSelectableSocket(hSocket)) {
380 LogPrintf("Cannot create connection: non-selectable socket created (fd >= FD_SETSIZE ?)\n");
381 CloseSocket(hSocket);
385 addrman.Attempt(addrConnect);
388 CNode* pnode = new CNode(hSocket, addrConnect, pszDest ? pszDest : "", false);
393 vNodes.push_back(pnode);
396 pnode->nTimeConnected = GetTime();
399 } else if (!proxyConnectionFailed) {
400 // If connecting to the node failed, and failure is not caused by a problem connecting to
401 // the proxy, mark this as an attempt.
402 addrman.Attempt(addrConnect);
408 void CNode::CloseSocketDisconnect()
411 if (hSocket != INVALID_SOCKET)
413 LogPrint("net", "disconnecting peer=%d\n", id);
414 CloseSocket(hSocket);
417 // in case this fails, we'll empty the recv buffer when the CNode is deleted
418 TRY_LOCK(cs_vRecvMsg, lockRecv);
423 void CNode::PushVersion()
425 int nBestHeight = g_signals.GetHeight().get_value_or(0);
427 int64_t nTime = (fInbound ? GetAdjustedTime() : GetTime());
428 CAddress addrYou = (addr.IsRoutable() && !IsProxy(addr) ? addr : CAddress(CService("0.0.0.0",0)));
429 CAddress addrMe = GetLocalAddress(&addr);
430 GetRandBytes((unsigned char*)&nLocalHostNonce, sizeof(nLocalHostNonce));
432 LogPrint("net", "send version message: version %d, blocks=%d, us=%s, them=%s, peer=%d\n", PROTOCOL_VERSION, nBestHeight, addrMe.ToString(), addrYou.ToString(), id);
434 LogPrint("net", "send version message: version %d, blocks=%d, us=%s, peer=%d\n", PROTOCOL_VERSION, nBestHeight, addrMe.ToString(), id);
435 PushMessage("version", PROTOCOL_VERSION, nLocalServices, nTime, addrYou, addrMe,
436 nLocalHostNonce, FormatSubVersion(CLIENT_NAME, CLIENT_VERSION, std::vector<string>()), nBestHeight, true);
443 std::map<CNetAddr, int64_t> CNode::setBanned;
444 CCriticalSection CNode::cs_setBanned;
446 void CNode::ClearBanned()
451 bool CNode::IsBanned(CNetAddr ip)
453 bool fResult = false;
456 std::map<CNetAddr, int64_t>::iterator i = setBanned.find(ip);
457 if (i != setBanned.end())
459 int64_t t = (*i).second;
467 bool CNode::Ban(const CNetAddr &addr) {
468 int64_t banTime = GetTime()+GetArg("-bantime", 60*60*24); // Default 24-hour ban
471 if (setBanned[addr] < banTime)
472 setBanned[addr] = banTime;
478 std::vector<CSubNet> CNode::vWhitelistedRange;
479 CCriticalSection CNode::cs_vWhitelistedRange;
481 bool CNode::IsWhitelistedRange(const CNetAddr &addr) {
482 LOCK(cs_vWhitelistedRange);
483 BOOST_FOREACH(const CSubNet& subnet, vWhitelistedRange) {
484 if (subnet.Match(addr))
490 void CNode::AddWhitelistedRange(const CSubNet &subnet) {
491 LOCK(cs_vWhitelistedRange);
492 vWhitelistedRange.push_back(subnet);
496 #define X(name) stats.name = name
497 void CNode::copyStats(CNodeStats &stats)
499 stats.nodeid = this->GetId();
514 // It is common for nodes with good ping times to suddenly become lagged,
515 // due to a new block arriving or other large transfer.
516 // Merely reporting pingtime might fool the caller into thinking the node was still responsive,
517 // since pingtime does not update until the ping is complete, which might take a while.
518 // So, if a ping is taking an unusually long time in flight,
519 // the caller can immediately detect that this is happening.
520 int64_t nPingUsecWait = 0;
521 if ((0 != nPingNonceSent) && (0 != nPingUsecStart)) {
522 nPingUsecWait = GetTimeMicros() - nPingUsecStart;
525 // Raw ping time is in microseconds, but show it to user as whole seconds (Bitcoin users should be well used to small numbers with many decimal places by now :)
526 stats.dPingTime = (((double)nPingUsecTime) / 1e6);
527 stats.dPingWait = (((double)nPingUsecWait) / 1e6);
529 // Leave string empty if addrLocal invalid (not filled in yet)
530 stats.addrLocal = addrLocal.IsValid() ? addrLocal.ToString() : "";
534 // requires LOCK(cs_vRecvMsg)
535 bool CNode::ReceiveMsgBytes(const char *pch, unsigned int nBytes)
539 // get current incomplete message, or create a new one
540 if (vRecvMsg.empty() ||
541 vRecvMsg.back().complete())
542 vRecvMsg.push_back(CNetMessage(Params().MessageStart(), SER_NETWORK, nRecvVersion));
544 CNetMessage& msg = vRecvMsg.back();
546 // absorb network data
549 handled = msg.readHeader(pch, nBytes);
551 handled = msg.readData(pch, nBytes);
556 if (msg.in_data && msg.hdr.nMessageSize > MAX_PROTOCOL_MESSAGE_LENGTH) {
557 LogPrint("net", "Oversized message from peer=%i, disconnecting\n", GetId());
564 if (msg.complete()) {
565 msg.nTime = GetTimeMicros();
566 messageHandlerCondition.notify_one();
573 int CNetMessage::readHeader(const char *pch, unsigned int nBytes)
575 // copy data to temporary parsing buffer
576 unsigned int nRemaining = 24 - nHdrPos;
577 unsigned int nCopy = std::min(nRemaining, nBytes);
579 memcpy(&hdrbuf[nHdrPos], pch, nCopy);
582 // if header incomplete, exit
586 // deserialize to CMessageHeader
590 catch (const std::exception&) {
594 // reject messages larger than MAX_SIZE
595 if (hdr.nMessageSize > MAX_SIZE)
598 // switch state to reading message data
604 int CNetMessage::readData(const char *pch, unsigned int nBytes)
606 unsigned int nRemaining = hdr.nMessageSize - nDataPos;
607 unsigned int nCopy = std::min(nRemaining, nBytes);
609 if (vRecv.size() < nDataPos + nCopy) {
610 // Allocate up to 256 KiB ahead, but never more than the total message size.
611 vRecv.resize(std::min(hdr.nMessageSize, nDataPos + nCopy + 256 * 1024));
614 memcpy(&vRecv[nDataPos], pch, nCopy);
628 // requires LOCK(cs_vSend)
629 void SocketSendData(CNode *pnode)
631 std::deque<CSerializeData>::iterator it = pnode->vSendMsg.begin();
633 while (it != pnode->vSendMsg.end()) {
634 const CSerializeData &data = *it;
635 assert(data.size() > pnode->nSendOffset);
636 int nBytes = send(pnode->hSocket, &data[pnode->nSendOffset], data.size() - pnode->nSendOffset, MSG_NOSIGNAL | MSG_DONTWAIT);
638 pnode->nLastSend = GetTime();
639 pnode->nSendBytes += nBytes;
640 pnode->nSendOffset += nBytes;
641 pnode->RecordBytesSent(nBytes);
642 if (pnode->nSendOffset == data.size()) {
643 pnode->nSendOffset = 0;
644 pnode->nSendSize -= data.size();
647 // could not send full message; stop sending more
653 int nErr = WSAGetLastError();
654 if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS)
656 LogPrintf("socket send error %s\n", NetworkErrorString(nErr));
657 pnode->CloseSocketDisconnect();
660 // couldn't send anything at all
665 if (it == pnode->vSendMsg.end()) {
666 assert(pnode->nSendOffset == 0);
667 assert(pnode->nSendSize == 0);
669 pnode->vSendMsg.erase(pnode->vSendMsg.begin(), it);
672 static list<CNode*> vNodesDisconnected;
676 CNodeRef(CNode *pnode) : _pnode(pnode) {
686 CNode& operator *() const {return *_pnode;};
687 CNode* operator ->() const {return _pnode;};
689 CNodeRef& operator =(const CNodeRef& other)
691 if (this != &other) {
695 _pnode = other._pnode;
701 CNodeRef(const CNodeRef& other):
711 static bool ReverseCompareNodeMinPingTime(const CNodeRef &a, const CNodeRef &b)
713 return a->nMinPingUsecTime > b->nMinPingUsecTime;
716 static bool ReverseCompareNodeTimeConnected(const CNodeRef &a, const CNodeRef &b)
718 return a->nTimeConnected > b->nTimeConnected;
721 class CompareNetGroupKeyed
723 std::vector<unsigned char> vchSecretKey;
725 CompareNetGroupKeyed()
727 vchSecretKey.resize(32, 0);
728 GetRandBytes(vchSecretKey.data(), vchSecretKey.size());
731 bool operator()(const CNodeRef &a, const CNodeRef &b)
733 std::vector<unsigned char> vchGroupA, vchGroupB;
734 CSHA256 hashA, hashB;
735 std::vector<unsigned char> vchA(32), vchB(32);
737 vchGroupA = a->addr.GetGroup();
738 vchGroupB = b->addr.GetGroup();
740 hashA.Write(begin_ptr(vchGroupA), vchGroupA.size());
741 hashB.Write(begin_ptr(vchGroupB), vchGroupB.size());
743 hashA.Write(begin_ptr(vchSecretKey), vchSecretKey.size());
744 hashB.Write(begin_ptr(vchSecretKey), vchSecretKey.size());
746 hashA.Finalize(begin_ptr(vchA));
747 hashB.Finalize(begin_ptr(vchB));
753 static bool AttemptToEvictConnection(bool fPreferNewConnection) {
754 std::vector<CNodeRef> vEvictionCandidates;
758 BOOST_FOREACH(CNode *node, vNodes) {
759 if (node->fWhitelisted)
763 if (node->fDisconnect)
765 if (node->addr.IsLocal())
767 vEvictionCandidates.push_back(CNodeRef(node));
771 if (vEvictionCandidates.empty()) return false;
773 // Protect connections with certain characteristics
775 // Deterministically select 4 peers to protect by netgroup.
776 // An attacker cannot predict which netgroups will be protected.
777 static CompareNetGroupKeyed comparerNetGroupKeyed;
778 std::sort(vEvictionCandidates.begin(), vEvictionCandidates.end(), comparerNetGroupKeyed);
779 vEvictionCandidates.erase(vEvictionCandidates.end() - std::min(4, static_cast<int>(vEvictionCandidates.size())), vEvictionCandidates.end());
781 if (vEvictionCandidates.empty()) return false;
783 // Protect the 8 nodes with the best ping times.
784 // An attacker cannot manipulate this metric without physically moving nodes closer to the target.
785 std::sort(vEvictionCandidates.begin(), vEvictionCandidates.end(), ReverseCompareNodeMinPingTime);
786 vEvictionCandidates.erase(vEvictionCandidates.end() - std::min(8, static_cast<int>(vEvictionCandidates.size())), vEvictionCandidates.end());
788 if (vEvictionCandidates.empty()) return false;
790 // Protect the half of the remaining nodes which have been connected the longest.
791 // This replicates the existing implicit behavior.
792 std::sort(vEvictionCandidates.begin(), vEvictionCandidates.end(), ReverseCompareNodeTimeConnected);
793 vEvictionCandidates.erase(vEvictionCandidates.end() - static_cast<int>(vEvictionCandidates.size() / 2), vEvictionCandidates.end());
795 if (vEvictionCandidates.empty()) return false;
797 // Identify the network group with the most connections
798 std::vector<unsigned char> naMostConnections;
799 unsigned int nMostConnections = 0;
800 std::map<std::vector<unsigned char>, std::vector<CNodeRef> > mapAddrCounts;
801 BOOST_FOREACH(const CNodeRef &node, vEvictionCandidates) {
802 mapAddrCounts[node->addr.GetGroup()].push_back(node);
804 if (mapAddrCounts[node->addr.GetGroup()].size() > nMostConnections) {
805 nMostConnections = mapAddrCounts[node->addr.GetGroup()].size();
806 naMostConnections = node->addr.GetGroup();
810 // Reduce to the network group with the most connections
811 vEvictionCandidates = mapAddrCounts[naMostConnections];
813 // Do not disconnect peers if there is only 1 connection from their network group
814 if (vEvictionCandidates.size() <= 1)
815 // unless we prefer the new connection (for whitelisted peers)
816 if (!fPreferNewConnection)
819 // Disconnect the most recent connection from the network group with the most connections
820 std::sort(vEvictionCandidates.begin(), vEvictionCandidates.end(), ReverseCompareNodeTimeConnected);
821 vEvictionCandidates[0]->fDisconnect = true;
826 static void AcceptConnection(const ListenSocket& hListenSocket) {
827 struct sockaddr_storage sockaddr;
828 socklen_t len = sizeof(sockaddr);
829 SOCKET hSocket = accept(hListenSocket.socket, (struct sockaddr*)&sockaddr, &len);
832 int nMaxInbound = nMaxConnections - MAX_OUTBOUND_CONNECTIONS;
834 if (hSocket != INVALID_SOCKET)
835 if (!addr.SetSockAddr((const struct sockaddr*)&sockaddr))
836 LogPrintf("Warning: Unknown socket family\n");
838 bool whitelisted = hListenSocket.whitelisted || CNode::IsWhitelistedRange(addr);
841 BOOST_FOREACH(CNode* pnode, vNodes)
846 if (hSocket == INVALID_SOCKET)
848 int nErr = WSAGetLastError();
849 if (nErr != WSAEWOULDBLOCK)
850 LogPrintf("socket error accept failed: %s\n", NetworkErrorString(nErr));
854 if (!IsSelectableSocket(hSocket))
856 LogPrintf("connection from %s dropped: non-selectable socket\n", addr.ToString());
857 CloseSocket(hSocket);
861 if (CNode::IsBanned(addr) && !whitelisted)
863 LogPrintf("connection from %s dropped (banned)\n", addr.ToString());
864 CloseSocket(hSocket);
868 if (nInbound >= nMaxInbound)
870 if (!AttemptToEvictConnection(whitelisted)) {
871 // No connection to evict, disconnect the new connection
872 LogPrint("net", "failed to find an eviction candidate - connection dropped (full)\n");
873 CloseSocket(hSocket);
878 // According to the internet TCP_NODELAY is not carried into accepted sockets
879 // on all platforms. Set it again here just to be sure.
882 setsockopt(hSocket, IPPROTO_TCP, TCP_NODELAY, (const char*)&set, sizeof(int));
884 setsockopt(hSocket, IPPROTO_TCP, TCP_NODELAY, (void*)&set, sizeof(int));
887 CNode* pnode = new CNode(hSocket, addr, "", true);
889 pnode->fWhitelisted = whitelisted;
891 LogPrint("net", "connection from %s accepted\n", addr.ToString());
895 vNodes.push_back(pnode);
899 void ThreadSocketHandler()
901 unsigned int nPrevNodeCount = 0;
909 // Disconnect unused nodes
910 vector<CNode*> vNodesCopy = vNodes;
911 BOOST_FOREACH(CNode* pnode, vNodesCopy)
913 if (pnode->fDisconnect ||
914 (pnode->GetRefCount() <= 0 && pnode->vRecvMsg.empty() && pnode->nSendSize == 0 && pnode->ssSend.empty()))
916 // remove from vNodes
917 vNodes.erase(remove(vNodes.begin(), vNodes.end(), pnode), vNodes.end());
919 // release outbound grant (if any)
920 pnode->grantOutbound.Release();
922 // close socket and cleanup
923 pnode->CloseSocketDisconnect();
925 // hold in disconnected pool until all refs are released
926 if (pnode->fNetworkNode || pnode->fInbound)
928 vNodesDisconnected.push_back(pnode);
933 // Delete disconnected nodes
934 list<CNode*> vNodesDisconnectedCopy = vNodesDisconnected;
935 BOOST_FOREACH(CNode* pnode, vNodesDisconnectedCopy)
937 // wait until threads are done using it
938 if (pnode->GetRefCount() <= 0)
940 bool fDelete = false;
942 TRY_LOCK(pnode->cs_vSend, lockSend);
945 TRY_LOCK(pnode->cs_vRecvMsg, lockRecv);
948 TRY_LOCK(pnode->cs_inventory, lockInv);
956 vNodesDisconnected.remove(pnode);
962 if(vNodes.size() != nPrevNodeCount) {
963 nPrevNodeCount = vNodes.size();
964 uiInterface.NotifyNumConnectionsChanged(nPrevNodeCount);
968 // Find which sockets have data to receive
970 struct timeval timeout;
972 timeout.tv_usec = 50000; // frequency to poll pnode->vSend
979 FD_ZERO(&fdsetError);
980 SOCKET hSocketMax = 0;
981 bool have_fds = false;
983 BOOST_FOREACH(const ListenSocket& hListenSocket, vhListenSocket) {
984 FD_SET(hListenSocket.socket, &fdsetRecv);
985 hSocketMax = max(hSocketMax, hListenSocket.socket);
991 BOOST_FOREACH(CNode* pnode, vNodes)
993 if (pnode->hSocket == INVALID_SOCKET)
995 FD_SET(pnode->hSocket, &fdsetError);
996 hSocketMax = max(hSocketMax, pnode->hSocket);
999 // Implement the following logic:
1000 // * If there is data to send, select() for sending data. As this only
1001 // happens when optimistic write failed, we choose to first drain the
1002 // write buffer in this case before receiving more. This avoids
1003 // needlessly queueing received data, if the remote peer is not themselves
1004 // receiving data. This means properly utilizing TCP flow control signalling.
1005 // * Otherwise, if there is no (complete) message in the receive buffer,
1006 // or there is space left in the buffer, select() for receiving data.
1007 // * (if neither of the above applies, there is certainly one message
1008 // in the receiver buffer ready to be processed).
1009 // Together, that means that at least one of the following is always possible,
1010 // so we don't deadlock:
1011 // * We send some data.
1012 // * We wait for data to be received (and disconnect after timeout).
1013 // * We process a message in the buffer (message handler thread).
1015 TRY_LOCK(pnode->cs_vSend, lockSend);
1016 if (lockSend && !pnode->vSendMsg.empty()) {
1017 FD_SET(pnode->hSocket, &fdsetSend);
1022 TRY_LOCK(pnode->cs_vRecvMsg, lockRecv);
1024 pnode->vRecvMsg.empty() || !pnode->vRecvMsg.front().complete() ||
1025 pnode->GetTotalRecvSize() <= ReceiveFloodSize()))
1026 FD_SET(pnode->hSocket, &fdsetRecv);
1031 int nSelect = select(have_fds ? hSocketMax + 1 : 0,
1032 &fdsetRecv, &fdsetSend, &fdsetError, &timeout);
1033 boost::this_thread::interruption_point();
1035 if (nSelect == SOCKET_ERROR)
1039 int nErr = WSAGetLastError();
1040 LogPrintf("socket select error %s\n", NetworkErrorString(nErr));
1041 for (unsigned int i = 0; i <= hSocketMax; i++)
1042 FD_SET(i, &fdsetRecv);
1044 FD_ZERO(&fdsetSend);
1045 FD_ZERO(&fdsetError);
1046 MilliSleep(timeout.tv_usec/1000);
1050 // Accept new connections
1052 BOOST_FOREACH(const ListenSocket& hListenSocket, vhListenSocket)
1054 if (hListenSocket.socket != INVALID_SOCKET && FD_ISSET(hListenSocket.socket, &fdsetRecv))
1056 AcceptConnection(hListenSocket);
1061 // Service each socket
1063 vector<CNode*> vNodesCopy;
1066 vNodesCopy = vNodes;
1067 BOOST_FOREACH(CNode* pnode, vNodesCopy)
1070 BOOST_FOREACH(CNode* pnode, vNodesCopy)
1072 boost::this_thread::interruption_point();
1077 if (pnode->hSocket == INVALID_SOCKET)
1079 if (FD_ISSET(pnode->hSocket, &fdsetRecv) || FD_ISSET(pnode->hSocket, &fdsetError))
1081 TRY_LOCK(pnode->cs_vRecvMsg, lockRecv);
1085 // typical socket buffer is 8K-64K
1086 char pchBuf[0x10000];
1087 int nBytes = recv(pnode->hSocket, pchBuf, sizeof(pchBuf), MSG_DONTWAIT);
1090 if (!pnode->ReceiveMsgBytes(pchBuf, nBytes))
1091 pnode->CloseSocketDisconnect();
1092 pnode->nLastRecv = GetTime();
1093 pnode->nRecvBytes += nBytes;
1094 pnode->RecordBytesRecv(nBytes);
1096 else if (nBytes == 0)
1098 // socket closed gracefully
1099 if (!pnode->fDisconnect)
1100 LogPrint("net", "socket closed\n");
1101 pnode->CloseSocketDisconnect();
1103 else if (nBytes < 0)
1106 int nErr = WSAGetLastError();
1107 if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS)
1109 if (!pnode->fDisconnect)
1110 LogPrintf("socket recv error %s\n", NetworkErrorString(nErr));
1111 pnode->CloseSocketDisconnect();
1121 if (pnode->hSocket == INVALID_SOCKET)
1123 if (FD_ISSET(pnode->hSocket, &fdsetSend))
1125 TRY_LOCK(pnode->cs_vSend, lockSend);
1127 SocketSendData(pnode);
1131 // Inactivity checking
1133 int64_t nTime = GetTime();
1134 if (nTime - pnode->nTimeConnected > 60)
1136 if (pnode->nLastRecv == 0 || pnode->nLastSend == 0)
1138 LogPrint("net", "socket no message in first 60 seconds, %d %d from %d\n", pnode->nLastRecv != 0, pnode->nLastSend != 0, pnode->id);
1139 pnode->fDisconnect = true;
1141 else if (nTime - pnode->nLastSend > TIMEOUT_INTERVAL)
1143 LogPrintf("socket sending timeout: %is\n", nTime - pnode->nLastSend);
1144 pnode->fDisconnect = true;
1146 else if (nTime - pnode->nLastRecv > (pnode->nVersion > BIP0031_VERSION ? TIMEOUT_INTERVAL : 90*60))
1148 LogPrintf("socket receive timeout: %is\n", nTime - pnode->nLastRecv);
1149 pnode->fDisconnect = true;
1151 else if (pnode->nPingNonceSent && pnode->nPingUsecStart + TIMEOUT_INTERVAL * 1000000 < GetTimeMicros())
1153 LogPrintf("ping timeout: %fs\n", 0.000001 * (GetTimeMicros() - pnode->nPingUsecStart));
1154 pnode->fDisconnect = true;
1160 BOOST_FOREACH(CNode* pnode, vNodesCopy)
1175 void ThreadMapPort()
1177 std::string port = strprintf("%u", GetListenPort());
1178 const char * multicastif = 0;
1179 const char * minissdpdpath = 0;
1180 struct UPNPDev * devlist = 0;
1183 #ifndef UPNPDISCOVER_SUCCESS
1185 devlist = upnpDiscover(2000, multicastif, minissdpdpath, 0);
1186 #elif MINIUPNPC_API_VERSION < 14
1189 devlist = upnpDiscover(2000, multicastif, minissdpdpath, 0, 0, &error);
1191 /* miniupnpc 1.9.20150730 */
1193 devlist = upnpDiscover(2000, multicastif, minissdpdpath, 0, 0, 2, &error);
1196 struct UPNPUrls urls;
1197 struct IGDdatas data;
1200 r = UPNP_GetValidIGD(devlist, &urls, &data, lanaddr, sizeof(lanaddr));
1204 char externalIPAddress[40];
1205 r = UPNP_GetExternalIPAddress(urls.controlURL, data.first.servicetype, externalIPAddress);
1206 if(r != UPNPCOMMAND_SUCCESS)
1207 LogPrintf("UPnP: GetExternalIPAddress() returned %d\n", r);
1210 if(externalIPAddress[0])
1212 LogPrintf("UPnP: ExternalIPAddress = %s\n", externalIPAddress);
1213 AddLocal(CNetAddr(externalIPAddress), LOCAL_UPNP);
1216 LogPrintf("UPnP: GetExternalIPAddress failed.\n");
1220 string strDesc = "Bitcoin " + FormatFullVersion();
1224 #ifndef UPNPDISCOVER_SUCCESS
1226 r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
1227 port.c_str(), port.c_str(), lanaddr, strDesc.c_str(), "TCP", 0);
1230 r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
1231 port.c_str(), port.c_str(), lanaddr, strDesc.c_str(), "TCP", 0, "0");
1234 if(r!=UPNPCOMMAND_SUCCESS)
1235 LogPrintf("AddPortMapping(%s, %s, %s) failed with code %d (%s)\n",
1236 port, port, lanaddr, r, strupnperror(r));
1238 LogPrintf("UPnP Port Mapping successful.\n");;
1240 MilliSleep(20*60*1000); // Refresh every 20 minutes
1243 catch (const boost::thread_interrupted&)
1245 r = UPNP_DeletePortMapping(urls.controlURL, data.first.servicetype, port.c_str(), "TCP", 0);
1246 LogPrintf("UPNP_DeletePortMapping() returned: %d\n", r);
1247 freeUPNPDevlist(devlist); devlist = 0;
1248 FreeUPNPUrls(&urls);
1252 LogPrintf("No valid UPnP IGDs found\n");
1253 freeUPNPDevlist(devlist); devlist = 0;
1255 FreeUPNPUrls(&urls);
1259 void MapPort(bool fUseUPnP)
1261 static boost::thread* upnp_thread = NULL;
1266 upnp_thread->interrupt();
1267 upnp_thread->join();
1270 upnp_thread = new boost::thread(boost::bind(&TraceThread<void (*)()>, "upnp", &ThreadMapPort));
1272 else if (upnp_thread) {
1273 upnp_thread->interrupt();
1274 upnp_thread->join();
1283 // Intentionally left blank.
1292 void ThreadDNSAddressSeed()
1294 // goal: only query DNS seeds if address need is acute
1295 if ((addrman.size() > 0) &&
1296 (!GetBoolArg("-forcednsseed", false))) {
1297 MilliSleep(11 * 1000);
1300 if (vNodes.size() >= 2) {
1301 LogPrintf("P2P peers available. Skipped DNS seeding.\n");
1306 const vector<CDNSSeedData> &vSeeds = Params().DNSSeeds();
1309 LogPrintf("Loading addresses from DNS seeds (could take a while)\n");
1311 BOOST_FOREACH(const CDNSSeedData &seed, vSeeds) {
1312 if (HaveNameProxy()) {
1313 AddOneShot(seed.host);
1315 vector<CNetAddr> vIPs;
1316 vector<CAddress> vAdd;
1317 if (LookupHost(seed.host.c_str(), vIPs))
1319 BOOST_FOREACH(CNetAddr& ip, vIPs)
1321 int nOneDay = 24*3600;
1322 CAddress addr = CAddress(CService(ip, Params().GetDefaultPort()));
1323 addr.nTime = GetTime() - 3*nOneDay - GetRand(4*nOneDay); // use a random age between 3 and 7 days old
1324 vAdd.push_back(addr);
1328 addrman.Add(vAdd, CNetAddr(seed.name, true));
1332 LogPrintf("%d addresses found from DNS seeds\n", found);
1346 void DumpAddresses()
1348 int64_t nStart = GetTimeMillis();
1353 LogPrint("net", "Flushed %d addresses to peers.dat %dms\n",
1354 addrman.size(), GetTimeMillis() - nStart);
1357 void static ProcessOneShot()
1362 if (vOneShots.empty())
1364 strDest = vOneShots.front();
1365 vOneShots.pop_front();
1368 CSemaphoreGrant grant(*semOutbound, true);
1370 if (!OpenNetworkConnection(addr, &grant, strDest.c_str(), true))
1371 AddOneShot(strDest);
1375 void ThreadOpenConnections()
1377 // Connect to specific addresses
1378 if (mapArgs.count("-connect") && mapMultiArgs["-connect"].size() > 0)
1380 for (int64_t nLoop = 0;; nLoop++)
1383 BOOST_FOREACH(string strAddr, mapMultiArgs["-connect"])
1386 OpenNetworkConnection(addr, NULL, strAddr.c_str());
1387 for (int i = 0; i < 10 && i < nLoop; i++)
1396 // Initiate network connections
1397 int64_t nStart = GetTime();
1404 CSemaphoreGrant grant(*semOutbound);
1405 boost::this_thread::interruption_point();
1407 // Add seed nodes if DNS seeds are all down (an infrastructure attack?).
1408 if (addrman.size() == 0 && (GetTime() - nStart > 60)) {
1409 static bool done = false;
1411 LogPrintf("Adding fixed seed nodes as DNS doesn't seem to be available.\n");
1412 addrman.Add(convertSeed6(Params().FixedSeeds()), CNetAddr("127.0.0.1"));
1418 // Choose an address to connect to based on most recently seen
1420 CAddress addrConnect;
1422 // Only connect out to one peer per network group (/16 for IPv4).
1423 // Do this here so we don't have to critsect vNodes inside mapAddresses critsect.
1425 set<vector<unsigned char> > setConnected;
1428 BOOST_FOREACH(CNode* pnode, vNodes) {
1429 if (!pnode->fInbound) {
1430 setConnected.insert(pnode->addr.GetGroup());
1436 int64_t nANow = GetAdjustedTime();
1441 CAddrInfo addr = addrman.Select();
1443 // if we selected an invalid address, restart
1444 if (!addr.IsValid() || setConnected.count(addr.GetGroup()) || IsLocal(addr))
1447 // If we didn't find an appropriate destination after trying 100 addresses fetched from addrman,
1448 // stop this loop, and let the outer loop run again (which sleeps, adds seed nodes, recalculates
1449 // already-connected network ranges, ...) before trying new addrman addresses.
1454 if (IsLimited(addr))
1457 // only consider very recently tried nodes after 30 failed attempts
1458 if (nANow - addr.nLastTry < 600 && nTries < 30)
1461 // do not allow non-default ports, unless after 50 invalid addresses selected already
1462 if (addr.GetPort() != Params().GetDefaultPort() && nTries < 50)
1469 if (addrConnect.IsValid())
1470 OpenNetworkConnection(addrConnect, &grant);
1474 void ThreadOpenAddedConnections()
1477 LOCK(cs_vAddedNodes);
1478 vAddedNodes = mapMultiArgs["-addnode"];
1481 if (HaveNameProxy()) {
1483 list<string> lAddresses(0);
1485 LOCK(cs_vAddedNodes);
1486 BOOST_FOREACH(string& strAddNode, vAddedNodes)
1487 lAddresses.push_back(strAddNode);
1489 BOOST_FOREACH(string& strAddNode, lAddresses) {
1491 CSemaphoreGrant grant(*semOutbound);
1492 OpenNetworkConnection(addr, &grant, strAddNode.c_str());
1495 MilliSleep(120000); // Retry every 2 minutes
1499 for (unsigned int i = 0; true; i++)
1501 list<string> lAddresses(0);
1503 LOCK(cs_vAddedNodes);
1504 BOOST_FOREACH(string& strAddNode, vAddedNodes)
1505 lAddresses.push_back(strAddNode);
1508 list<vector<CService> > lservAddressesToAdd(0);
1509 BOOST_FOREACH(string& strAddNode, lAddresses)
1511 vector<CService> vservNode(0);
1512 if(Lookup(strAddNode.c_str(), vservNode, Params().GetDefaultPort(), fNameLookup, 0))
1514 lservAddressesToAdd.push_back(vservNode);
1516 LOCK(cs_setservAddNodeAddresses);
1517 BOOST_FOREACH(CService& serv, vservNode)
1518 setservAddNodeAddresses.insert(serv);
1522 // Attempt to connect to each IP for each addnode entry until at least one is successful per addnode entry
1523 // (keeping in mind that addnode entries can have many IPs if fNameLookup)
1526 BOOST_FOREACH(CNode* pnode, vNodes)
1527 for (list<vector<CService> >::iterator it = lservAddressesToAdd.begin(); it != lservAddressesToAdd.end(); it++)
1528 BOOST_FOREACH(CService& addrNode, *(it))
1529 if (pnode->addr == addrNode)
1531 it = lservAddressesToAdd.erase(it);
1536 BOOST_FOREACH(vector<CService>& vserv, lservAddressesToAdd)
1538 CSemaphoreGrant grant(*semOutbound);
1539 OpenNetworkConnection(CAddress(vserv[i % vserv.size()]), &grant);
1542 MilliSleep(120000); // Retry every 2 minutes
1546 // if successful, this moves the passed grant to the constructed node
1547 bool OpenNetworkConnection(const CAddress& addrConnect, CSemaphoreGrant *grantOutbound, const char *pszDest, bool fOneShot)
1550 // Initiate outbound network connection
1552 boost::this_thread::interruption_point();
1554 if (IsLocal(addrConnect) ||
1555 FindNode((CNetAddr)addrConnect) || CNode::IsBanned(addrConnect) ||
1556 FindNode(addrConnect.ToStringIPPort()))
1558 } else if (FindNode(std::string(pszDest)))
1561 CNode* pnode = ConnectNode(addrConnect, pszDest);
1562 boost::this_thread::interruption_point();
1567 grantOutbound->MoveTo(pnode->grantOutbound);
1568 pnode->fNetworkNode = true;
1570 pnode->fOneShot = true;
1576 void ThreadMessageHandler()
1578 boost::mutex condition_mutex;
1579 boost::unique_lock<boost::mutex> lock(condition_mutex);
1581 SetThreadPriority(THREAD_PRIORITY_BELOW_NORMAL);
1584 vector<CNode*> vNodesCopy;
1587 vNodesCopy = vNodes;
1588 BOOST_FOREACH(CNode* pnode, vNodesCopy) {
1593 // Poll the connected nodes for messages
1594 CNode* pnodeTrickle = NULL;
1595 if (!vNodesCopy.empty())
1596 pnodeTrickle = vNodesCopy[GetRand(vNodesCopy.size())];
1600 BOOST_FOREACH(CNode* pnode, vNodesCopy)
1602 if (pnode->fDisconnect)
1607 TRY_LOCK(pnode->cs_vRecvMsg, lockRecv);
1610 if (!g_signals.ProcessMessages(pnode))
1611 pnode->CloseSocketDisconnect();
1613 if (pnode->nSendSize < SendBufferSize())
1615 if (!pnode->vRecvGetData.empty() || (!pnode->vRecvMsg.empty() && pnode->vRecvMsg[0].complete()))
1622 boost::this_thread::interruption_point();
1626 TRY_LOCK(pnode->cs_vSend, lockSend);
1628 g_signals.SendMessages(pnode, pnode == pnodeTrickle || pnode->fWhitelisted);
1630 boost::this_thread::interruption_point();
1635 BOOST_FOREACH(CNode* pnode, vNodesCopy)
1640 messageHandlerCondition.timed_wait(lock, boost::posix_time::microsec_clock::universal_time() + boost::posix_time::milliseconds(100));
1649 bool BindListenPort(const CService &addrBind, string& strError, bool fWhitelisted)
1654 // Create socket for listening for incoming connections
1655 struct sockaddr_storage sockaddr;
1656 socklen_t len = sizeof(sockaddr);
1657 if (!addrBind.GetSockAddr((struct sockaddr*)&sockaddr, &len))
1659 strError = strprintf("Error: Bind address family for %s not supported", addrBind.ToString());
1660 LogPrintf("%s\n", strError);
1664 SOCKET hListenSocket = socket(((struct sockaddr*)&sockaddr)->sa_family, SOCK_STREAM, IPPROTO_TCP);
1665 if (hListenSocket == INVALID_SOCKET)
1667 strError = strprintf("Error: Couldn't open socket for incoming connections (socket returned error %s)", NetworkErrorString(WSAGetLastError()));
1668 LogPrintf("%s\n", strError);
1671 if (!IsSelectableSocket(hListenSocket))
1673 strError = "Error: Couldn't create a listenable socket for incoming connections";
1674 LogPrintf("%s\n", strError);
1681 // Different way of disabling SIGPIPE on BSD
1682 setsockopt(hListenSocket, SOL_SOCKET, SO_NOSIGPIPE, (void*)&nOne, sizeof(int));
1684 // Allow binding if the port is still in TIME_WAIT state after
1685 // the program was closed and restarted.
1686 setsockopt(hListenSocket, SOL_SOCKET, SO_REUSEADDR, (void*)&nOne, sizeof(int));
1687 // Disable Nagle's algorithm
1688 setsockopt(hListenSocket, IPPROTO_TCP, TCP_NODELAY, (void*)&nOne, sizeof(int));
1690 setsockopt(hListenSocket, SOL_SOCKET, SO_REUSEADDR, (const char*)&nOne, sizeof(int));
1691 setsockopt(hListenSocket, IPPROTO_TCP, TCP_NODELAY, (const char*)&nOne, sizeof(int));
1694 // Set to non-blocking, incoming connections will also inherit this
1695 if (!SetSocketNonBlocking(hListenSocket, true)) {
1696 strError = strprintf("BindListenPort: Setting listening socket to non-blocking failed, error %s\n", NetworkErrorString(WSAGetLastError()));
1697 LogPrintf("%s\n", strError);
1701 // some systems don't have IPV6_V6ONLY but are always v6only; others do have the option
1702 // and enable it by default or not. Try to enable it, if possible.
1703 if (addrBind.IsIPv6()) {
1706 setsockopt(hListenSocket, IPPROTO_IPV6, IPV6_V6ONLY, (const char*)&nOne, sizeof(int));
1708 setsockopt(hListenSocket, IPPROTO_IPV6, IPV6_V6ONLY, (void*)&nOne, sizeof(int));
1712 int nProtLevel = PROTECTION_LEVEL_UNRESTRICTED;
1713 setsockopt(hListenSocket, IPPROTO_IPV6, IPV6_PROTECTION_LEVEL, (const char*)&nProtLevel, sizeof(int));
1717 if (::bind(hListenSocket, (struct sockaddr*)&sockaddr, len) == SOCKET_ERROR)
1719 int nErr = WSAGetLastError();
1720 if (nErr == WSAEADDRINUSE)
1721 strError = strprintf(_("Unable to bind to %s on this computer. Bitcoin Core is probably already running."), addrBind.ToString());
1723 strError = strprintf(_("Unable to bind to %s on this computer (bind returned error %s)"), addrBind.ToString(), NetworkErrorString(nErr));
1724 LogPrintf("%s\n", strError);
1725 CloseSocket(hListenSocket);
1728 LogPrintf("Bound to %s\n", addrBind.ToString());
1730 // Listen for incoming connections
1731 if (listen(hListenSocket, SOMAXCONN) == SOCKET_ERROR)
1733 strError = strprintf(_("Error: Listening for incoming connections failed (listen returned error %s)"), NetworkErrorString(WSAGetLastError()));
1734 LogPrintf("%s\n", strError);
1735 CloseSocket(hListenSocket);
1739 vhListenSocket.push_back(ListenSocket(hListenSocket, fWhitelisted));
1741 if (addrBind.IsRoutable() && fDiscover && !fWhitelisted)
1742 AddLocal(addrBind, LOCAL_BIND);
1747 void static Discover(boost::thread_group& threadGroup)
1753 // Get local host IP
1754 char pszHostName[256] = "";
1755 if (gethostname(pszHostName, sizeof(pszHostName)) != SOCKET_ERROR)
1757 vector<CNetAddr> vaddr;
1758 if (LookupHost(pszHostName, vaddr))
1760 BOOST_FOREACH (const CNetAddr &addr, vaddr)
1762 if (AddLocal(addr, LOCAL_IF))
1763 LogPrintf("%s: %s - %s\n", __func__, pszHostName, addr.ToString());
1768 // Get local host ip
1769 struct ifaddrs* myaddrs;
1770 if (getifaddrs(&myaddrs) == 0)
1772 for (struct ifaddrs* ifa = myaddrs; ifa != NULL; ifa = ifa->ifa_next)
1774 if (ifa->ifa_addr == NULL) continue;
1775 if ((ifa->ifa_flags & IFF_UP) == 0) continue;
1776 if (strcmp(ifa->ifa_name, "lo") == 0) continue;
1777 if (strcmp(ifa->ifa_name, "lo0") == 0) continue;
1778 if (ifa->ifa_addr->sa_family == AF_INET)
1780 struct sockaddr_in* s4 = (struct sockaddr_in*)(ifa->ifa_addr);
1781 CNetAddr addr(s4->sin_addr);
1782 if (AddLocal(addr, LOCAL_IF))
1783 LogPrintf("%s: IPv4 %s: %s\n", __func__, ifa->ifa_name, addr.ToString());
1785 else if (ifa->ifa_addr->sa_family == AF_INET6)
1787 struct sockaddr_in6* s6 = (struct sockaddr_in6*)(ifa->ifa_addr);
1788 CNetAddr addr(s6->sin6_addr);
1789 if (AddLocal(addr, LOCAL_IF))
1790 LogPrintf("%s: IPv6 %s: %s\n", __func__, ifa->ifa_name, addr.ToString());
1793 freeifaddrs(myaddrs);
1798 void StartNode(boost::thread_group& threadGroup, CScheduler& scheduler)
1800 uiInterface.InitMessage(_("Loading addresses..."));
1801 // Load addresses for peers.dat
1802 int64_t nStart = GetTimeMillis();
1805 if (!adb.Read(addrman))
1806 LogPrintf("Invalid or missing peers.dat; recreating\n");
1808 LogPrintf("Loaded %i addresses from peers.dat %dms\n",
1809 addrman.size(), GetTimeMillis() - nStart);
1810 fAddressesInitialized = true;
1812 if (semOutbound == NULL) {
1813 // initialize semaphore
1814 int nMaxOutbound = min(MAX_OUTBOUND_CONNECTIONS, nMaxConnections);
1815 semOutbound = new CSemaphore(nMaxOutbound);
1818 if (pnodeLocalHost == NULL)
1819 pnodeLocalHost = new CNode(INVALID_SOCKET, CAddress(CService("127.0.0.1", 0), nLocalServices));
1821 Discover(threadGroup);
1827 if (!GetBoolArg("-dnsseed", true))
1828 LogPrintf("DNS seeding disabled\n");
1830 threadGroup.create_thread(boost::bind(&TraceThread<void (*)()>, "dnsseed", &ThreadDNSAddressSeed));
1832 // Map ports with UPnP
1833 MapPort(GetBoolArg("-upnp", DEFAULT_UPNP));
1835 // Send and receive from sockets, accept connections
1836 threadGroup.create_thread(boost::bind(&TraceThread<void (*)()>, "net", &ThreadSocketHandler));
1838 // Initiate outbound connections from -addnode
1839 threadGroup.create_thread(boost::bind(&TraceThread<void (*)()>, "addcon", &ThreadOpenAddedConnections));
1841 // Initiate outbound connections
1842 threadGroup.create_thread(boost::bind(&TraceThread<void (*)()>, "opencon", &ThreadOpenConnections));
1845 threadGroup.create_thread(boost::bind(&TraceThread<void (*)()>, "msghand", &ThreadMessageHandler));
1847 // Dump network addresses
1848 scheduler.scheduleEvery(&DumpAddresses, DUMP_ADDRESSES_INTERVAL);
1853 LogPrintf("StopNode()\n");
1856 for (int i=0; i<MAX_OUTBOUND_CONNECTIONS; i++)
1857 semOutbound->post();
1859 if (fAddressesInitialized)
1862 fAddressesInitialized = false;
1876 BOOST_FOREACH(CNode* pnode, vNodes)
1877 if (pnode->hSocket != INVALID_SOCKET)
1878 CloseSocket(pnode->hSocket);
1879 BOOST_FOREACH(ListenSocket& hListenSocket, vhListenSocket)
1880 if (hListenSocket.socket != INVALID_SOCKET)
1881 if (!CloseSocket(hListenSocket.socket))
1882 LogPrintf("CloseSocket(hListenSocket) failed with error %s\n", NetworkErrorString(WSAGetLastError()));
1884 // clean up some globals (to help leak detection)
1885 BOOST_FOREACH(CNode *pnode, vNodes)
1887 BOOST_FOREACH(CNode *pnode, vNodesDisconnected)
1890 vNodesDisconnected.clear();
1891 vhListenSocket.clear();
1894 delete pnodeLocalHost;
1895 pnodeLocalHost = NULL;
1898 // Shutdown Windows Sockets
1903 instance_of_cnetcleanup;
1911 void RelayTransaction(const CTransaction& tx)
1913 CDataStream ss(SER_NETWORK, PROTOCOL_VERSION);
1916 RelayTransaction(tx, ss);
1919 void RelayTransaction(const CTransaction& tx, const CDataStream& ss)
1921 CInv inv(MSG_TX, tx.GetHash());
1924 // Expire old relay messages
1925 while (!vRelayExpiration.empty() && vRelayExpiration.front().first < GetTime())
1927 mapRelay.erase(vRelayExpiration.front().second);
1928 vRelayExpiration.pop_front();
1931 // Save original serialized message so newer versions are preserved
1932 mapRelay.insert(std::make_pair(inv, ss));
1933 vRelayExpiration.push_back(std::make_pair(GetTime() + 15 * 60, inv));
1936 BOOST_FOREACH(CNode* pnode, vNodes)
1938 if(!pnode->fRelayTxes)
1940 LOCK(pnode->cs_filter);
1943 if (pnode->pfilter->IsRelevantAndUpdate(tx))
1944 pnode->PushInventory(inv);
1946 pnode->PushInventory(inv);
1950 void CNode::RecordBytesRecv(uint64_t bytes)
1952 LOCK(cs_totalBytesRecv);
1953 nTotalBytesRecv += bytes;
1956 void CNode::RecordBytesSent(uint64_t bytes)
1958 LOCK(cs_totalBytesSent);
1959 nTotalBytesSent += bytes;
1962 uint64_t CNode::GetTotalBytesRecv()
1964 LOCK(cs_totalBytesRecv);
1965 return nTotalBytesRecv;
1968 uint64_t CNode::GetTotalBytesSent()
1970 LOCK(cs_totalBytesSent);
1971 return nTotalBytesSent;
1974 void CNode::Fuzz(int nChance)
1976 if (!fSuccessfullyConnected) return; // Don't fuzz initial handshake
1977 if (GetRand(nChance) != 0) return; // Fuzz 1 of every nChance messages
1982 // xor a random byte with a random value:
1983 if (!ssSend.empty()) {
1984 CDataStream::size_type pos = GetRand(ssSend.size());
1985 ssSend[pos] ^= (unsigned char)(GetRand(256));
1989 // delete a random byte:
1990 if (!ssSend.empty()) {
1991 CDataStream::size_type pos = GetRand(ssSend.size());
1992 ssSend.erase(ssSend.begin()+pos);
1996 // insert a random byte at a random position
1998 CDataStream::size_type pos = GetRand(ssSend.size());
1999 char ch = (char)GetRand(256);
2000 ssSend.insert(ssSend.begin()+pos, ch);
2004 // Chance of more than one change half the time:
2005 // (more changes exponentially less likely):
2015 pathAddr = GetDataDir() / "peers.dat";
2018 bool CAddrDB::Write(const CAddrMan& addr)
2020 // Generate random temporary filename
2021 unsigned short randv = 0;
2022 GetRandBytes((unsigned char*)&randv, sizeof(randv));
2023 std::string tmpfn = strprintf("peers.dat.%04x", randv);
2025 // serialize addresses, checksum data up to that point, then append csum
2026 CDataStream ssPeers(SER_DISK, CLIENT_VERSION);
2027 ssPeers << FLATDATA(Params().MessageStart());
2029 uint256 hash = Hash(ssPeers.begin(), ssPeers.end());
2032 // open temp output file, and associate with CAutoFile
2033 boost::filesystem::path pathTmp = GetDataDir() / tmpfn;
2034 FILE *file = fopen(pathTmp.string().c_str(), "wb");
2035 CAutoFile fileout(file, SER_DISK, CLIENT_VERSION);
2036 if (fileout.IsNull())
2037 return error("%s: Failed to open file %s", __func__, pathTmp.string());
2039 // Write and commit header, data
2043 catch (const std::exception& e) {
2044 return error("%s: Serialize or I/O error - %s", __func__, e.what());
2046 FileCommit(fileout.Get());
2049 // replace existing peers.dat, if any, with new peers.dat.XXXX
2050 if (!RenameOver(pathTmp, pathAddr))
2051 return error("%s: Rename-into-place failed", __func__);
2056 bool CAddrDB::Read(CAddrMan& addr)
2058 // open input file, and associate with CAutoFile
2059 FILE *file = fopen(pathAddr.string().c_str(), "rb");
2060 CAutoFile filein(file, SER_DISK, CLIENT_VERSION);
2061 if (filein.IsNull())
2062 return error("%s: Failed to open file %s", __func__, pathAddr.string());
2064 // use file size to size memory buffer
2065 int fileSize = boost::filesystem::file_size(pathAddr);
2066 int dataSize = fileSize - sizeof(uint256);
2067 // Don't try to resize to a negative number if file is small
2070 vector<unsigned char> vchData;
2071 vchData.resize(dataSize);
2074 // read data and checksum from file
2076 filein.read((char *)&vchData[0], dataSize);
2079 catch (const std::exception& e) {
2080 return error("%s: Deserialize or I/O error - %s", __func__, e.what());
2084 CDataStream ssPeers(vchData, SER_DISK, CLIENT_VERSION);
2086 // verify stored checksum matches input data
2087 uint256 hashTmp = Hash(ssPeers.begin(), ssPeers.end());
2088 if (hashIn != hashTmp)
2089 return error("%s: Checksum mismatch, data corrupted", __func__);
2091 unsigned char pchMsgTmp[4];
2093 // de-serialize file header (network specific magic number) and ..
2094 ssPeers >> FLATDATA(pchMsgTmp);
2096 // ... verify the network matches ours
2097 if (memcmp(pchMsgTmp, Params().MessageStart(), sizeof(pchMsgTmp)))
2098 return error("%s: Invalid network magic number", __func__);
2100 // de-serialize address data into one CAddrMan object
2103 catch (const std::exception& e) {
2104 return error("%s: Deserialize or I/O error - %s", __func__, e.what());
2110 unsigned int ReceiveFloodSize() { return 1000*GetArg("-maxreceivebuffer", 5*1000); }
2111 unsigned int SendBufferSize() { return 1000*GetArg("-maxsendbuffer", 1*1000); }
2113 CNode::CNode(SOCKET hSocketIn, CAddress addrIn, std::string addrNameIn, bool fInboundIn) :
2114 ssSend(SER_NETWORK, INIT_PROTO_VERSION),
2115 addrKnown(5000, 0.001),
2116 setInventoryKnown(SendBufferSize() / 1000)
2119 hSocket = hSocketIn;
2120 nRecvVersion = INIT_PROTO_VERSION;
2125 nTimeConnected = GetTime();
2128 addrName = addrNameIn == "" ? addr.ToStringIPPort() : addrNameIn;
2131 fWhitelisted = false;
2133 fClient = false; // set by version message
2134 fInbound = fInboundIn;
2135 fNetworkNode = false;
2136 fSuccessfullyConnected = false;
2137 fDisconnect = false;
2141 hashContinue = uint256();
2142 nStartingHeight = -1;
2146 pfilter = new CBloomFilter();
2150 fPingQueued = false;
2151 nMinPingUsecTime = std::numeric_limits<int64_t>::max();
2154 LOCK(cs_nLastNodeId);
2159 LogPrint("net", "Added connection to %s peer=%d\n", addrName, id);
2161 LogPrint("net", "Added connection peer=%d\n", id);
2163 // Be shy and don't send version until we hear
2164 if (hSocket != INVALID_SOCKET && !fInbound)
2167 GetNodeSignals().InitializeNode(GetId(), this);
2172 CloseSocket(hSocket);
2177 GetNodeSignals().FinalizeNode(GetId());
2180 void CNode::AskFor(const CInv& inv)
2182 if (mapAskFor.size() > MAPASKFOR_MAX_SZ || setAskFor.size() > SETASKFOR_MAX_SZ)
2184 // a peer may not have multiple non-responded queue positions for a single inv item
2185 if (!setAskFor.insert(inv.hash).second)
2188 // We're using mapAskFor as a priority queue,
2189 // the key is the earliest time the request can be sent
2190 int64_t nRequestTime;
2191 limitedmap<CInv, int64_t>::const_iterator it = mapAlreadyAskedFor.find(inv);
2192 if (it != mapAlreadyAskedFor.end())
2193 nRequestTime = it->second;
2196 LogPrint("net", "askfor %s %d (%s) peer=%d\n", inv.ToString(), nRequestTime, DateTimeStrFormat("%H:%M:%S", nRequestTime/1000000), id);
2198 // Make sure not to reuse time indexes to keep things in the same order
2199 int64_t nNow = GetTimeMicros() - 1000000;
2200 static int64_t nLastTime;
2202 nNow = std::max(nNow, nLastTime);
2205 // Each retry is 2 minutes after the last
2206 nRequestTime = std::max(nRequestTime + 2 * 60 * 1000000, nNow);
2207 if (it != mapAlreadyAskedFor.end())
2208 mapAlreadyAskedFor.update(it, nRequestTime);
2210 mapAlreadyAskedFor.insert(std::make_pair(inv, nRequestTime));
2211 mapAskFor.insert(std::make_pair(nRequestTime, inv));
2214 void CNode::BeginMessage(const char* pszCommand) EXCLUSIVE_LOCK_FUNCTION(cs_vSend)
2216 ENTER_CRITICAL_SECTION(cs_vSend);
2217 assert(ssSend.size() == 0);
2218 ssSend << CMessageHeader(Params().MessageStart(), pszCommand, 0);
2219 LogPrint("net", "sending: %s ", SanitizeString(pszCommand));
2222 void CNode::AbortMessage() UNLOCK_FUNCTION(cs_vSend)
2226 LEAVE_CRITICAL_SECTION(cs_vSend);
2228 LogPrint("net", "(aborted)\n");
2231 void CNode::EndMessage() UNLOCK_FUNCTION(cs_vSend)
2233 // The -*messagestest options are intentionally not documented in the help message,
2234 // since they are only used during development to debug the networking code and are
2235 // not intended for end-users.
2236 if (mapArgs.count("-dropmessagestest") && GetRand(GetArg("-dropmessagestest", 2)) == 0)
2238 LogPrint("net", "dropmessages DROPPING SEND MESSAGE\n");
2242 if (mapArgs.count("-fuzzmessagestest"))
2243 Fuzz(GetArg("-fuzzmessagestest", 10));
2245 if (ssSend.size() == 0)
2247 LEAVE_CRITICAL_SECTION(cs_vSend);
2251 unsigned int nSize = ssSend.size() - CMessageHeader::HEADER_SIZE;
2252 WriteLE32((uint8_t*)&ssSend[CMessageHeader::MESSAGE_SIZE_OFFSET], nSize);
2255 uint256 hash = Hash(ssSend.begin() + CMessageHeader::HEADER_SIZE, ssSend.end());
2256 unsigned int nChecksum = 0;
2257 memcpy(&nChecksum, &hash, sizeof(nChecksum));
2258 assert(ssSend.size () >= CMessageHeader::CHECKSUM_OFFSET + sizeof(nChecksum));
2259 memcpy((char*)&ssSend[CMessageHeader::CHECKSUM_OFFSET], &nChecksum, sizeof(nChecksum));
2261 LogPrint("net", "(%d bytes) peer=%d\n", nSize, id);
2263 std::deque<CSerializeData>::iterator it = vSendMsg.insert(vSendMsg.end(), CSerializeData());
2264 ssSend.GetAndClear(*it);
2265 nSendSize += (*it).size();
2267 // If write queue empty, attempt "optimistic write"
2268 if (it == vSendMsg.begin())
2269 SocketSendData(this);
2271 LEAVE_CRITICAL_SECTION(cs_vSend);