1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490 1491 1492 1493 1494 1495 1496 1497 1498 1499 1500 1501 1502 1503 1504 1505 1506 1507 1508 1509 1510 1511 1512 1513 1514 1515 1516 1517 1518 1519 1520 1521 1522 1523 1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535 1536 1537 1538 1539 1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553 1554 1555 1556 1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570 1571 1572 1573 1574 1575 1576 1577 1578 1579 1580 1581 1582 1583 1584 1585 1586 1587 1588 1589 1590 1591 1592 1593 1594 1595 1596 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813 1814 1815 1816 1817 1818 1819 1820 1821 1822 1823 1824 1825 1826 1827 1828 1829 1830 1831 1832 1833 1834 1835 1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855 1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869 1870 1871 1872 1873 1874 1875 1876 1877 1878 1879 1880 1881 1882 1883 1884 1885 1886 1887 1888 1889 1890 1891 1892 1893 1894 1895 1896 1897 1898 1899 1900 1901 1902 1903 1904 1905 1906 1907 1908 1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939 1940 1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951 1952 1953 1954 1955 1956 1957 1958 1959 1960 1961 1962 1963 1964 1965 1966 1967 1968 1969 1970 1971 1972 1973 1974 1975 1976 1977 1978 1979 1980 1981 1982 1983 1984 1985 1986 1987 1988 1989 1990 1991 1992 1993 1994 1995 1996 1997 1998 1999 2000 2001 2002 2003 2004 2005 2006 2007 2008 2009 2010 2011 2012 2013 2014 2015 2016 2017 2018 2019 2020
|
/*
PowerDNS Versatile Database Driven Nameserver
Copyright (C) 2003 - 2010 PowerDNS.COM BV
This program is free software; you can redistribute it and/or modify
it under the terms of the GNU General Public License version 2
as published by the Free Software Foundation
This program is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
GNU General Public License for more details.
You should have received a copy of the GNU General Public License
along with this program; if not, write to the Free Software
Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA
*/
#ifndef WIN32
# include <netdb.h>
# include <sys/stat.h>
# include <unistd.h>
#else
#include "ntservice.hh"
#include "recursorservice.hh"
#endif // WIN32
#include <boost/foreach.hpp>
#include <pthread.h>
#include "recpacketcache.hh"
#include "utility.hh"
#include "dns_random.hh"
#include <iostream>
#include <errno.h>
#include <map>
#include <set>
#include "recursor_cache.hh"
#include <stdio.h>
#include <signal.h>
#include <stdlib.h>
#include "misc.hh"
#include "mtasker.hh"
#include <utility>
#include "arguments.hh"
#include "syncres.hh"
#include <fcntl.h>
#include <fstream>
#include "sstuff.hh"
#include <boost/tuple/tuple.hpp>
#include <boost/tuple/tuple_comparison.hpp>
#include <boost/shared_array.hpp>
#include <boost/lexical_cast.hpp>
#include <boost/function.hpp>
#include <boost/algorithm/string.hpp>
#include <netinet/tcp.h>
#include "dnsparser.hh"
#include "dnswriter.hh"
#include "dnsrecords.hh"
#include "zoneparser-tng.hh"
#include "rec_channel.hh"
#include "logger.hh"
#include "iputils.hh"
#include "mplexer.hh"
#include "config.h"
#include "lua-pdns-recursor.hh"
#ifndef RECURSOR
#include "statbag.hh"
StatBag S;
#endif
__thread FDMultiplexer* t_fdm;
__thread unsigned int t_id;
unsigned int g_maxTCPPerClient;
unsigned int g_networkTimeoutMsec;
bool g_logCommonErrors;
__thread shared_ptr<PowerDNSLua>* t_pdl;
__thread RemoteKeeper* t_remotes;
RecursorControlChannel s_rcc; // only active in thread 0
// for communicating with our threads
struct ThreadPipeSet
{
int writeToThread;
int readToThread;
int writeFromThread;
int readFromThread;
};
vector<ThreadPipeSet> g_pipes; // effectively readonly after startup
SyncRes::domainmap_t* g_initialDomainMap; // new threads needs this to be setup
#include "namespaces.hh"
__thread MemRecursorCache* t_RC;
__thread RecursorPacketCache* t_packetCache;
RecursorStats g_stats;
bool g_quiet;
static __thread NetmaskGroup* t_allowFrom;
static NetmaskGroup* g_initialAllowFrom; // new thread needs to be setup with this
NetmaskGroup* g_dontQuery;
string s_programname="pdns_recursor";
typedef vector<int> tcpListenSockets_t;
tcpListenSockets_t g_tcpListenSockets; // shared across threads, but this is fine, never written to from a thread. All threads listen on all sockets
int g_tcpTimeout;
unsigned int g_maxMThreads;
struct timeval g_now; // timestamp, updated (too) frequently
map<int, ComboAddress> g_listenSocketsAddresses; // is shared across all threads right now
__thread MT_t* MT; // the big MTasker
unsigned int g_numThreads;
#define LOCAL_NETS "127.0.0.0/8, 10.0.0.0/8, 192.168.0.0/16, 172.16.0.0/12, ::1/128, fe80::/10"
//! used to send information to a newborn mthread
struct DNSComboWriter {
DNSComboWriter(const char* data, uint16_t len, const struct timeval& now) : d_mdp(data, len), d_now(now),
d_tcp(false), d_socket(-1)
{}
MOADNSParser d_mdp;
void setRemote(ComboAddress* sa)
{
d_remote=*sa;
}
void setSocket(int sock)
{
d_socket=sock;
}
string getRemote() const
{
return d_remote.toString();
}
struct timeval d_now;
ComboAddress d_remote;
bool d_tcp;
int d_socket;
};
ArgvMap &arg()
{
static ArgvMap theArg;
return theArg;
}
void handleTCPClientWritable(int fd, FDMultiplexer::funcparam_t& var);
// -1 is error, 0 is timeout, 1 is success
int asendtcp(const string& data, Socket* sock)
{
PacketID pident;
pident.sock=sock;
pident.outMSG=data;
t_fdm->addWriteFD(sock->getHandle(), handleTCPClientWritable, pident);
string packet;
int ret=MT->waitEvent(pident, &packet, g_networkTimeoutMsec);
if(!ret || ret==-1) { // timeout
t_fdm->removeWriteFD(sock->getHandle());
}
else if(packet.size() !=data.size()) { // main loop tells us what it sent out, or empty in case of an error
return -1;
}
return ret;
}
void handleTCPClientReadable(int fd, FDMultiplexer::funcparam_t& var);
// -1 is error, 0 is timeout, 1 is success
int arecvtcp(string& data, int len, Socket* sock)
{
data.clear();
PacketID pident;
pident.sock=sock;
pident.inNeeded=len;
t_fdm->addReadFD(sock->getHandle(), handleTCPClientReadable, pident);
int ret=MT->waitEvent(pident,&data, g_networkTimeoutMsec);
if(!ret || ret==-1) { // timeout
t_fdm->removeReadFD(sock->getHandle());
}
else if(data.empty()) {// error, EOF or other
return -1;
}
return ret;
}
vector<ComboAddress> g_localQueryAddresses4, g_localQueryAddresses6;
ComboAddress g_local4("0.0.0.0"), g_local6("::");
//! pick a random query local address
ComboAddress getQueryLocalAddress(int family, uint16_t port)
{
ComboAddress ret;
if(family==AF_INET) {
if(g_localQueryAddresses4.empty())
ret = g_local4;
else
ret = g_localQueryAddresses4[dns_random(g_localQueryAddresses4.size())];
ret.sin4.sin_port = htons(port);
}
else {
if(g_localQueryAddresses6.empty())
ret = g_local6;
else
ret = g_localQueryAddresses6[dns_random(g_localQueryAddresses6.size())];
ret.sin6.sin6_port = htons(port);
}
return ret;
}
void handleUDPServerResponse(int fd, FDMultiplexer::funcparam_t&);
void setSocketBuffer(int fd, int optname, uint32_t size)
{
uint32_t psize=0;
socklen_t len=sizeof(psize);
if(!getsockopt(fd, SOL_SOCKET, optname, (char*)&psize, &len) && psize > size) {
L<<Logger::Error<<"Not decreasing socket buffer size from "<<psize<<" to "<<size<<endl;
return;
}
if (setsockopt(fd, SOL_SOCKET, optname, (char*)&size, sizeof(size)) < 0 )
L<<Logger::Error<<"Warning: unable to raise socket buffer size to "<<size<<": "<<strerror(errno)<<endl;
}
static void setSocketReceiveBuffer(int fd, uint32_t size)
{
setSocketBuffer(fd, SO_RCVBUF, size);
}
static void setSocketSendBuffer(int fd, uint32_t size)
{
setSocketBuffer(fd, SO_SNDBUF, size);
}
// you can ask this class for a UDP socket to send a query from
// this socket is not yours, don't even think about deleting it
// but after you call 'returnSocket' on it, don't assume anything anymore
class UDPClientSocks
{
unsigned int d_numsocks;
unsigned int d_maxsocks;
public:
UDPClientSocks() : d_numsocks(0), d_maxsocks(5000)
{
}
typedef set<int> socks_t;
socks_t d_socks;
// returning -1 means: temporary OS error (ie, out of files), -2 means OS error
int getSocket(const ComboAddress& toaddr, int* fd)
{
*fd=makeClientSocket(toaddr.sin4.sin_family);
if(*fd < 0) // temporary error - receive exception otherwise
return -1;
if(connect(*fd, (struct sockaddr*)(&toaddr), toaddr.getSocklen()) < 0) {
int err = errno;
// returnSocket(*fd);
Utility::closesocket(*fd);
if(err==ENETUNREACH) // Seth "My Interfaces Are Like A Yo Yo" Arnold special
return -2;
return -1;
}
d_socks.insert(*fd);
d_numsocks++;
return 0;
}
void returnSocket(int fd)
{
socks_t::iterator i=d_socks.find(fd);
if(i==d_socks.end()) {
throw AhuException("Trying to return a socket (fd="+lexical_cast<string>(fd)+") not in the pool");
}
returnSocketLocked(i);
}
// return a socket to the pool, or simply erase it
void returnSocketLocked(socks_t::iterator& i)
{
if(i==d_socks.end()) {
throw AhuException("Trying to return a socket not in the pool");
}
try {
t_fdm->removeReadFD(*i);
}
catch(FDMultiplexerException& e) {
// we sometimes return a socket that has not yet been assigned to t_fdm
}
Utility::closesocket(*i);
d_socks.erase(i++);
--d_numsocks;
}
// returns -1 for errors which might go away, throws for ones that won't
static int makeClientSocket(int family)
{
int ret=(int)socket(family, SOCK_DGRAM, 0);
if(ret < 0 && errno==EMFILE) // this is not a catastrophic error
return ret;
if(ret<0)
throw AhuException("Making a socket for resolver: "+stringerror());
int tries=10;
while(--tries) {
uint16_t port;
if(tries==1) // fall back to kernel 'random'
port = 0;
else
port = 1025 + dns_random(64510);
ComboAddress sin=getQueryLocalAddress(family, port); // does htons for us
if (::bind(ret, (struct sockaddr *)&sin, sin.getSocklen()) >= 0)
break;
}
if(!tries)
throw AhuException("Resolver binding to local query client socket: "+stringerror());
Utility::setNonBlocking(ret);
return ret;
}
};
static __thread UDPClientSocks* t_udpclientsocks;
/* these two functions are used by LWRes */
// -2 is OS error, -1 is error that depends on the remote, > 0 is success
int asendto(const char *data, int len, int flags,
const ComboAddress& toaddr, uint16_t id, const string& domain, uint16_t qtype, int* fd)
{
PacketID pident;
pident.domain = domain;
pident.remote = toaddr;
pident.type = qtype;
// see if there is an existing outstanding request we can chain on to, using partial equivalence function
pair<MT_t::waiters_t::iterator, MT_t::waiters_t::iterator> chain=MT->d_waiters.equal_range(pident, PacketIDBirthdayCompare());
for(; chain.first != chain.second; chain.first++) {
if(chain.first->key.fd > -1) { // don't chain onto existing chained waiter!
/*
cerr<<"Orig: "<<pident.domain<<", "<<pident.remote.toString()<<", id="<<id<<endl;
cerr<<"Had hit: "<< chain.first->key.domain<<", "<<chain.first->key.remote.toString()<<", id="<<chain.first->key.id
<<", count="<<chain.first->key.chain.size()<<", origfd: "<<chain.first->key.fd<<endl;
*/
chain.first->key.chain.insert(id); // we can chain
*fd=-1; // gets used in waitEvent / sendEvent later on
return 1;
}
}
int ret=t_udpclientsocks->getSocket(toaddr, fd);
if(ret < 0)
return ret;
pident.fd=*fd;
pident.id=id;
t_fdm->addReadFD(*fd, handleUDPServerResponse, pident);
ret = send(*fd, data, len, 0);
int tmp = errno;
if(ret < 0)
t_udpclientsocks->returnSocket(*fd);
errno = tmp; // this is for logging purposes only
return ret;
}
// -1 is error, 0 is timeout, 1 is success
int arecvfrom(char *data, int len, int flags, const ComboAddress& fromaddr, int *d_len,
uint16_t id, const string& domain, uint16_t qtype, int fd, struct timeval* now)
{
static optional<unsigned int> nearMissLimit;
if(!nearMissLimit)
nearMissLimit=::arg().asNum("spoof-nearmiss-max");
PacketID pident;
pident.fd=fd;
pident.id=id;
pident.domain=domain;
pident.type = qtype;
pident.remote=fromaddr;
string packet;
int ret=MT->waitEvent(pident, &packet, g_networkTimeoutMsec, now);
if(ret > 0) {
if(packet.empty()) // means "error"
return -1;
*d_len=(int)packet.size();
memcpy(data,packet.c_str(),min(len,*d_len));
if(*nearMissLimit && pident.nearMisses > *nearMissLimit) {
L<<Logger::Error<<"Too many ("<<pident.nearMisses<<" > "<<*nearMissLimit<<") bogus answers for '"<<domain<<"' from "<<fromaddr.toString()<<", assuming spoof attempt."<<endl;
g_stats.spoofCount++;
return -1;
}
}
else {
if(fd >= 0)
t_udpclientsocks->returnSocket(fd);
}
return ret;
}
string s_pidfname;
static void writePid(void)
{
ofstream of(s_pidfname.c_str(), ios_base::app);
if(of)
of<< Utility::getpid() <<endl;
else
L<<Logger::Error<<"Requested to write pid for "<<Utility::getpid()<<" to "<<s_pidfname<<" failed: "<<strerror(errno)<<endl;
}
map<ComboAddress, uint32_t> g_tcpClientCounts;
struct TCPConnection
{
int fd;
enum stateenum {BYTE0, BYTE1, GETQUESTION, DONE} state;
int qlen;
int bytesread;
ComboAddress remote;
char data[65535];
time_t startTime;
static void closeAndCleanup(int fd, const ComboAddress& remote)
{
Utility::closesocket(fd);
if(!g_tcpClientCounts[remote]--)
g_tcpClientCounts.erase(remote);
s_currentConnections--;
}
void closeAndCleanup()
{
closeAndCleanup(fd, remote);
}
static unsigned int s_currentConnections; //!< total number of current TCP connections
};
unsigned int TCPConnection::s_currentConnections;
void handleRunningTCPQuestion(int fd, FDMultiplexer::funcparam_t& var);
void updateRcodeStats(int res)
{
switch(res) {
case RCode::ServFail:
g_stats.servFails++;
break;
case RCode::NXDomain:
g_stats.nxDomains++;
break;
case RCode::NoError:
g_stats.noErrors++;
break;
}
}
void startDoResolve(void *p)
{
DNSComboWriter* dc=(DNSComboWriter *)p;
try {
uint16_t maxudpsize=512;
EDNSOpts edo;
if(getEDNSOpts(dc->d_mdp, &edo)) {
maxudpsize=max(edo.d_packetsize, (uint16_t)1280);
}
vector<DNSResourceRecord> ret;
vector<uint8_t> packet;
DNSPacketWriter pw(packet, dc->d_mdp.d_qname, dc->d_mdp.d_qtype, dc->d_mdp.d_qclass);
pw.getHeader()->aa=0;
pw.getHeader()->ra=1;
pw.getHeader()->qr=1;
pw.getHeader()->tc=0;
pw.getHeader()->id=dc->d_mdp.d_header.id;
pw.getHeader()->rd=dc->d_mdp.d_header.rd;
SyncRes sr(dc->d_now);
if(!g_quiet)
L<<Logger::Error<<t_id<<" ["<<MT->getTid()<<"] " << (dc->d_tcp ? "TCP " : "") << "question for '"<<dc->d_mdp.d_qname<<"|"
<<DNSRecordContent::NumberToType(dc->d_mdp.d_qtype)<<"' from "<<dc->getRemote()<<endl;
sr.setId(MT->getTid());
if(!dc->d_mdp.d_header.rd)
sr.setCacheOnly();
int res;
if(!t_pdl->get() || !(*t_pdl)->preresolve(dc->d_remote, g_listenSocketsAddresses[dc->d_socket], dc->d_mdp.d_qname, QType(dc->d_mdp.d_qtype), ret, res)) {
try {
res = sr.beginResolve(dc->d_mdp.d_qname, QType(dc->d_mdp.d_qtype), dc->d_mdp.d_qclass, ret);
}
catch(ImmediateServFailException &e) {
L<<Logger::Error<<"Sending SERVFAIL during resolve of '"<<dc->d_mdp.d_qname<<"' because: "<<e.reason<<endl;
res = RCode::ServFail;
}
if(t_pdl->get()) {
if(res == RCode::NXDomain)
(*t_pdl)->nxdomain(dc->d_remote, g_listenSocketsAddresses[dc->d_socket], dc->d_mdp.d_qname, QType(dc->d_mdp.d_qtype), ret, res);
}
}
uint32_t minTTL=numeric_limits<uint32_t>::max();
if(res<0) {
pw.getHeader()->rcode=RCode::ServFail;
// no commit here, because no record
g_stats.servFails++;
}
else {
pw.getHeader()->rcode=res;
updateRcodeStats(res);
if(ret.size()) {
shuffle(ret);
for(vector<DNSResourceRecord>::const_iterator i=ret.begin(); i!=ret.end(); ++i) {
pw.startRecord(i->qname, i->qtype.getCode(), i->ttl, i->qclass, (DNSPacketWriter::Place)i->d_place);
minTTL = min(minTTL, i->ttl);
if(i->qtype.getCode() == QType::A) { // blast out A record w/o doing whole dnswriter thing
uint32_t ip=0;
IpToU32(i->content, &ip);
pw.xfr32BitInt(htonl(ip));
} else {
shared_ptr<DNSRecordContent> drc(DNSRecordContent::mastermake(i->qtype.getCode(), i->qclass, i->content));
drc->toPacket(pw);
}
if(!dc->d_tcp && pw.size() > maxudpsize) {
pw.rollback();
if(i->d_place==DNSResourceRecord::ANSWER) // only truncate if we actually omitted parts of the answer
pw.getHeader()->tc=1;
goto sendit; // need to jump over pw.commit
}
}
pw.commit();
}
}
sendit:;
if(!dc->d_tcp) {
sendto(dc->d_socket, (const char*)&*packet.begin(), packet.size(), 0, (struct sockaddr *)(&dc->d_remote), dc->d_remote.getSocklen());
if(!SyncRes::s_nopacketcache) {
t_packetCache->insertResponsePacket(string((const char*)&*packet.begin(), packet.size()), g_now.tv_sec,
min(minTTL,
pw.getHeader()->rcode == RCode::ServFail ? SyncRes::s_packetcacheservfailttl : SyncRes::s_packetcachettl
)
);
}
}
else {
char buf[2];
buf[0]=packet.size()/256;
buf[1]=packet.size()%256;
Utility::iovec iov[2];
iov[0].iov_base=(void*)buf; iov[0].iov_len=2;
iov[1].iov_base=(void*)&*packet.begin(); iov[1].iov_len = packet.size();
int ret=Utility::writev(dc->d_socket, iov, 2);
bool hadError=true;
if(ret == 0)
L<<Logger::Error<<"EOF writing TCP answer to "<<dc->getRemote()<<endl;
else if(ret < 0 )
L<<Logger::Error<<"Error writing TCP answer to "<<dc->getRemote()<<": "<< strerror(errno) <<endl;
else if((unsigned int)ret != 2 + packet.size())
L<<Logger::Error<<"Oops, partial answer sent to "<<dc->getRemote()<<" for "<<dc->d_mdp.d_qname<<" (size="<< (2 + packet.size()) <<", sent "<<ret<<")"<<endl;
else
hadError=false;
// update tcp connection status, either by closing or moving to 'BYTE0'
if(hadError) {
// no need to remove us from FDM, we weren't there
TCPConnection::closeAndCleanup(dc->d_socket, dc->d_remote);
}
else {
TCPConnection tc;
tc.fd=dc->d_socket;
tc.state=TCPConnection::BYTE0;
tc.remote=dc->d_remote;
Utility::gettimeofday(&g_now, 0); // needs to be updated
tc.startTime=g_now.tv_sec;
t_fdm->addReadFD(tc.fd, handleRunningTCPQuestion, tc);
t_fdm->setReadTTD(tc.fd, g_now, g_tcpTimeout);
}
}
if(!g_quiet) {
L<<Logger::Error<<t_id<<" ["<<MT->getTid()<<"] answer to "<<(dc->d_mdp.d_header.rd?"":"non-rd ")<<"question '"<<dc->d_mdp.d_qname<<"|"<<DNSRecordContent::NumberToType(dc->d_mdp.d_qtype);
L<<"': "<<ntohs(pw.getHeader()->ancount)<<" answers, "<<ntohs(pw.getHeader()->arcount)<<" additional, took "<<sr.d_outqueries<<" packets, "<<
sr.d_throttledqueries<<" throttled, "<<sr.d_timeouts<<" timeouts, "<<sr.d_tcpoutqueries<<" tcp connections, rcode="<<res<<endl;
}
sr.d_outqueries ? t_RC->cacheMisses++ : t_RC->cacheHits++;
float spent=makeFloat(sr.d_now-dc->d_now);
if(spent < 0.001)
g_stats.answers0_1++;
else if(spent < 0.010)
g_stats.answers1_10++;
else if(spent < 0.1)
g_stats.answers10_100++;
else if(spent < 1.0)
g_stats.answers100_1000++;
else
g_stats.answersSlow++;
uint64_t newLat=(uint64_t)(spent*1000000);
if(newLat < 1000000) // outliers of several minutes exist..
g_stats.avgLatencyUsec=(uint64_t)((1-0.0001)*g_stats.avgLatencyUsec + 0.0001*newLat);
delete dc;
}
catch(AhuException &ae) {
L<<Logger::Error<<"startDoResolve problem: "<<ae.reason<<endl;
}
catch(MOADNSException& e) {
L<<Logger::Error<<"DNS parser error: "<<dc->d_mdp.d_qname<<", "<<e.what()<<endl;
}
catch(std::exception& e) {
L<<Logger::Error<<"STL error: "<<e.what()<<endl;
}
catch(...) {
L<<Logger::Error<<"Any other exception in a resolver context"<<endl;
}
}
void makeControlChannelSocket()
{
string sockname=::arg()["socket-dir"]+"/pdns_recursor.controlsocket";
s_rcc.listen(sockname);
#ifndef WIN32
int sockowner = -1;
int sockgroup = -1;
if (!::arg().isEmpty("socket-group"))
sockgroup=::arg().asGid("socket-group");
if (!::arg().isEmpty("socket-owner"))
sockowner=::arg().asUid("socket-owner");
if (sockgroup > -1 || sockowner > -1) {
if(chown(sockname.c_str(), sockowner, sockgroup) < 0) {
unixDie("Failed to chown control socket");
}
}
// do mode change if socket-mode is given
if(!::arg().isEmpty("socket-mode")) {
mode_t sockmode=::arg().asMode("socket-mode");
chmod(sockname.c_str(), sockmode);
}
#endif
}
void handleRunningTCPQuestion(int fd, FDMultiplexer::funcparam_t& var)
{
TCPConnection* conn=any_cast<TCPConnection>(&var);
if(conn->state==TCPConnection::BYTE0) {
int bytes=recv(conn->fd, conn->data, 2, 0);
if(bytes==1)
conn->state=TCPConnection::BYTE1;
if(bytes==2) {
conn->qlen=(((unsigned char)conn->data[0]) << 8)+ (unsigned char)conn->data[1];
conn->bytesread=0;
conn->state=TCPConnection::GETQUESTION;
}
if(!bytes || bytes < 0) {
TCPConnection tmp(*conn);
t_fdm->removeReadFD(fd);
tmp.closeAndCleanup();
return;
}
}
else if(conn->state==TCPConnection::BYTE1) {
int bytes=recv(conn->fd, conn->data+1, 1, 0);
if(bytes==1) {
conn->state=TCPConnection::GETQUESTION;
conn->qlen=(((unsigned char)conn->data[0]) << 8)+ (unsigned char)conn->data[1];
conn->bytesread=0;
}
if(!bytes || bytes < 0) {
if(g_logCommonErrors)
L<<Logger::Error<<"TCP client "<< conn->remote.toString() <<" disconnected after first byte"<<endl;
TCPConnection tmp(*conn);
t_fdm->removeReadFD(fd);
tmp.closeAndCleanup(); // conn loses validity here..
return;
}
}
else if(conn->state==TCPConnection::GETQUESTION) {
int bytes=recv(conn->fd, conn->data + conn->bytesread, conn->qlen - conn->bytesread, 0);
if(!bytes || bytes < 0) {
L<<Logger::Error<<"TCP client "<< conn->remote.toString() <<" disconnected while reading question body"<<endl;
TCPConnection tmp(*conn);
t_fdm->removeReadFD(fd);
tmp.closeAndCleanup(); // conn loses validity here..
return;
}
conn->bytesread+=bytes;
if(conn->bytesread==conn->qlen) {
TCPConnection tconn(*conn);
t_fdm->removeReadFD(fd); // should no longer awake ourselves when there is data to read
DNSComboWriter* dc=0;
try {
dc=new DNSComboWriter(tconn.data, tconn.qlen, g_now);
}
catch(MOADNSException &mde) {
g_stats.clientParseError++;
if(g_logCommonErrors)
L<<Logger::Error<<"Unable to parse packet from TCP client "<< tconn.remote.toString() <<endl;
tconn.closeAndCleanup();
return;
}
dc->setSocket(tconn.fd);
dc->d_tcp=true;
dc->setRemote(&tconn.remote);
if(dc->d_mdp.d_header.qr) {
delete dc;
L<<Logger::Error<<"Ignoring answer on server socket!"<<endl;
tconn.closeAndCleanup();
return;
}
else {
++g_stats.qcounter;
++g_stats.tcpqcounter;
MT->makeThread(startDoResolve, dc); // deletes dc
return;
}
}
}
}
//! Handle new incoming TCP connection
void handleNewTCPQuestion(int fd, FDMultiplexer::funcparam_t& )
{
ComboAddress addr;
socklen_t addrlen=sizeof(addr);
int newsock=(int)accept(fd, (struct sockaddr*)&addr, &addrlen);
if(newsock>0) {
if(MT->numProcesses() > g_maxMThreads) {
g_stats.overCapacityDrops++;
Utility::closesocket(newsock);
return;
}
t_remotes->addRemote(addr);
if(t_allowFrom && !t_allowFrom->match(&addr)) {
if(!g_quiet)
L<<Logger::Error<<"["<<MT->getTid()<<"] dropping TCP query from "<<addr.toString()<<", address not matched by allow-from"<<endl;
g_stats.unauthorizedTCP++;
Utility::closesocket(newsock);
return;
}
if(g_maxTCPPerClient && g_tcpClientCounts.count(addr) && g_tcpClientCounts[addr] >= g_maxTCPPerClient) {
g_stats.tcpClientOverflow++;
Utility::closesocket(newsock); // don't call TCPConnection::closeAndCleanup here - did not enter it in the counts yet!
return;
}
g_tcpClientCounts[addr]++;
Utility::setNonBlocking(newsock);
TCPConnection tc;
tc.fd=newsock;
tc.state=TCPConnection::BYTE0;
tc.remote=addr;
tc.startTime=g_now.tv_sec;
TCPConnection::s_currentConnections++;
t_fdm->addReadFD(tc.fd, handleRunningTCPQuestion, tc);
struct timeval now;
Utility::gettimeofday(&now, 0);
t_fdm->setReadTTD(tc.fd, now, g_tcpTimeout);
}
}
void handleNewUDPQuestion(int fd, FDMultiplexer::funcparam_t& var)
{
int len;
char data[1500];
ComboAddress fromaddr;
socklen_t addrlen=sizeof(fromaddr);
if((len=recvfrom(fd, data, sizeof(data), 0, (sockaddr *)&fromaddr, &addrlen)) >= 0) {
t_remotes->addRemote(fromaddr);
if(t_allowFrom && !t_allowFrom->match(&fromaddr)) {
if(!g_quiet)
L<<Logger::Error<<"["<<MT->getTid()<<"] dropping UDP query from "<<fromaddr.toString()<<", address not matched by allow-from"<<endl;
g_stats.unauthorizedUDP++;
return;
}
try {
dnsheader* dh=(dnsheader*)data;
if(dh->qr) {
if(g_logCommonErrors)
L<<Logger::Error<<"Ignoring answer from "<<fromaddr.toString()<<" on server socket!"<<endl;
}
else {
++g_stats.qcounter;
string response;
try {
if(!SyncRes::s_nopacketcache && t_packetCache->getResponsePacket(string(data, len), g_now.tv_sec, &response)) {
if(!g_quiet)
L<<Logger::Error<<t_id<< " question answered from packet cache from "<<fromaddr.toString()<<endl;
g_stats.packetCacheHits++;
SyncRes::s_queries++;
sendto(fd, response.c_str(), response.length(), 0, (struct sockaddr*) &fromaddr, fromaddr.getSocklen());
if(response.length() >= sizeof(struct dnsheader))
updateRcodeStats(((struct dnsheader*)response.c_str())->rcode);
g_stats.avgLatencyUsec=(uint64_t)((1-0.0001)*g_stats.avgLatencyUsec + 0); // we assume 0 usec
return;
}
}
catch(std::exception& e) {
throw MOADNSException(e.what()); // translate
}
if(MT->numProcesses() > g_maxMThreads) {
g_stats.overCapacityDrops++;
return;
}
DNSComboWriter* dc = new DNSComboWriter(data, len, g_now);
dc->setSocket(fd);
dc->setRemote(&fromaddr);
dc->d_tcp=false;
MT->makeThread(startDoResolve, (void*) dc); // deletes dc
}
}
catch(MOADNSException& mde) {
g_stats.clientParseError++;
if(g_logCommonErrors)
L<<Logger::Error<<"Unable to parse packet from remote UDP client "<<fromaddr.toString() <<": "<<mde.what()<<endl;
}
}
else {
// cerr<<t_id<<" had error: "<<stringerror()<<endl;
if(errno == EAGAIN)
g_stats.noPacketError++;
}
}
typedef vector<pair<int, function< void(int, any&) > > > deferredAdd_t;
deferredAdd_t deferredAdd;
void makeTCPServerSockets()
{
int fd;
vector<string>locals;
stringtok(locals,::arg()["local-address"]," ,");
if(locals.empty())
throw AhuException("No local address specified");
for(vector<string>::const_iterator i=locals.begin();i!=locals.end();++i) {
ServiceTuple st;
st.port=::arg().asNum("local-port");
parseService(*i, st);
ComboAddress sin;
memset((char *)&sin,0, sizeof(sin));
sin.sin4.sin_family = AF_INET;
if(!IpToU32(st.host, (uint32_t*)&sin.sin4.sin_addr.s_addr)) {
sin.sin6.sin6_family = AF_INET6;
if(Utility::inet_pton(AF_INET6, st.host.c_str(), &sin.sin6.sin6_addr) <= 0)
throw AhuException("Unable to resolve local address for TCP server on '"+ st.host +"'");
}
fd=socket(sin.sin6.sin6_family, SOCK_STREAM, 0);
if(fd<0)
throw AhuException("Making a TCP server socket for resolver: "+stringerror());
int tmp=1;
if(setsockopt(fd,SOL_SOCKET,SO_REUSEADDR,(char*)&tmp,sizeof tmp)<0) {
L<<Logger::Error<<"Setsockopt failed for TCP listening socket"<<endl;
exit(1);
}
#ifdef TCP_DEFER_ACCEPT
if(setsockopt(fd, SOL_TCP,TCP_DEFER_ACCEPT,(char*)&tmp,sizeof tmp) >= 0) {
if(i==locals.begin())
L<<Logger::Warning<<"Enabled TCP data-ready filter for (slight) DoS protection"<<endl;
}
#endif
sin.sin4.sin_port = htons(st.port);
int socklen=sin.sin4.sin_family==AF_INET ? sizeof(sin.sin4) : sizeof(sin.sin6);
if (::bind(fd, (struct sockaddr *)&sin, socklen )<0)
throw AhuException("Binding TCP server socket for "+ st.host +": "+stringerror());
Utility::setNonBlocking(fd);
setSocketSendBuffer(fd, 65000);
listen(fd, 128);
deferredAdd.push_back(make_pair(fd, handleNewTCPQuestion));
g_tcpListenSockets.push_back(fd);
if(sin.sin4.sin_family == AF_INET)
L<<Logger::Warning<<"Listening for TCP queries on "<< sin.toString() <<":"<<st.port<<endl;
else
L<<Logger::Warning<<"Listening for TCP queries on ["<< sin.toString() <<"]:"<<st.port<<endl;
}
}
void makeUDPServerSockets()
{
vector<string>locals;
stringtok(locals,::arg()["local-address"]," ,");
if(locals.empty())
throw AhuException("No local address specified");
if(::arg()["local-address"]=="0.0.0.0") {
L<<Logger::Warning<<"It is advised to bind to explicit addresses with the --local-address option"<<endl;
}
for(vector<string>::const_iterator i=locals.begin();i!=locals.end();++i) {
ServiceTuple st;
st.port=::arg().asNum("local-port");
parseService(*i, st);
ComboAddress sin;
memset(&sin, 0, sizeof(sin));
sin.sin4.sin_family = AF_INET;
if(!IpToU32(st.host.c_str() , (uint32_t*)&sin.sin4.sin_addr.s_addr)) {
sin.sin6.sin6_family = AF_INET6;
if(Utility::inet_pton(AF_INET6, st.host.c_str(), &sin.sin6.sin6_addr) <= 0)
throw AhuException("Unable to resolve local address for UDP server on '"+ st.host +"'");
}
int fd=socket(sin.sin4.sin_family, SOCK_DGRAM, 0);
if(fd < 0) {
throw AhuException("Making a UDP server socket for resolver: "+netstringerror());
}
setSocketReceiveBuffer(fd, 200000);
sin.sin4.sin_port = htons(st.port);
int socklen=sin.sin4.sin_family==AF_INET ? sizeof(sin.sin4) : sizeof(sin.sin6);
if (::bind(fd, (struct sockaddr *)&sin, socklen)<0)
throw AhuException("Resolver binding to server socket on port "+ lexical_cast<string>(st.port) +" for "+ st.host+": "+stringerror());
Utility::setNonBlocking(fd);
deferredAdd.push_back(make_pair(fd, handleNewUDPQuestion));
g_listenSocketsAddresses[fd]=sin; // this is written to only from the startup thread, not from the workers
if(sin.sin4.sin_family == AF_INET)
L<<Logger::Warning<<"Listening for UDP queries on "<< sin.toString() <<":"<<st.port<<endl;
else
L<<Logger::Warning<<"Listening for UDP queries on ["<< sin.toString() <<"]:"<<st.port<<endl;
}
}
#ifndef WIN32
void daemonize(void)
{
if(fork())
exit(0); // bye bye
setsid();
int i=open("/dev/null",O_RDWR); /* open stdin */
if(i < 0)
L<<Logger::Critical<<"Unable to open /dev/null: "<<stringerror()<<endl;
else {
dup2(i,0); /* stdin */
dup2(i,1); /* stderr */
dup2(i,2); /* stderr */
close(i);
}
}
#endif
uint64_t counter;
bool statsWanted;
void usr1Handler(int)
{
statsWanted=true;
}
void usr2Handler(int)
{
SyncRes::setLog(true);
g_quiet=false;
::arg().set("quiet")="no";
}
void doStats(void)
{
static time_t lastOutputTime;
static uint64_t lastQueryCount;
if(g_stats.qcounter && (t_RC->cacheHits + t_RC->cacheMisses) && SyncRes::s_queries && SyncRes::s_outqueries) { // this only runs once thread 0 has had hits
uint64_t cacheHits = broadcastAccFunction<uint64_t>(pleaseGetCacheHits);
uint64_t cacheMisses = broadcastAccFunction<uint64_t>(pleaseGetCacheMisses);
L<<Logger::Warning<<"stats: "<<g_stats.qcounter<<" questions, "<<
broadcastAccFunction<uint64_t>(pleaseGetCacheSize)<< " cache entries, "<<
broadcastAccFunction<uint64_t>(pleaseGetNegCacheSize)<<" negative entries, "<<
(int)((cacheHits*100.0)/(cacheHits+cacheMisses))<<"% cache hits"<<endl;
L<<Logger::Warning<<"stats: throttle map: "
<< broadcastAccFunction<uint64_t>(pleaseGetThrottleSize) <<", ns speeds: "
<< broadcastAccFunction<uint64_t>(pleaseGetNsSpeedsSize)<<endl;
L<<Logger::Warning<<"stats: outpacket/query ratio "<<(int)(SyncRes::s_outqueries*100.0/SyncRes::s_queries)<<"%";
L<<Logger::Warning<<", "<<(int)(SyncRes::s_throttledqueries*100.0/(SyncRes::s_outqueries+SyncRes::s_throttledqueries))<<"% throttled, "
<<SyncRes::s_nodelegated<<" no-delegation drops"<<endl;
L<<Logger::Warning<<"stats: "<<SyncRes::s_tcpoutqueries<<" outgoing tcp connections, "<<
broadcastAccFunction<uint64_t>(pleaseGetConcurrentQueries)<<" queries running, "<<SyncRes::s_outgoingtimeouts<<" outgoing timeouts"<<endl;
//L<<Logger::Warning<<"stats: "<<g_stats.ednsPingMatches<<" ping matches, "<<g_stats.ednsPingMismatches<<" mismatches, "<<
//g_stats.noPingOutQueries<<" outqueries w/o ping, "<< g_stats.noEdnsOutQueries<<" w/o EDNS"<<endl;
L<<Logger::Warning<<"stats: " << broadcastAccFunction<uint64_t>(pleaseGetPacketCacheSize) <<
" packet cache entries, "<<(int)(100.0*broadcastAccFunction<uint64_t>(pleaseGetPacketCacheHits)/SyncRes::s_queries) << "% packet cache hits"<<endl;
time_t now = time(0);
if(lastOutputTime && lastQueryCount && now != lastOutputTime) {
L<<Logger::Warning<<"stats: "<< (SyncRes::s_queries - lastQueryCount) / (now - lastOutputTime) <<" qps (average over "<< (now - lastOutputTime) << " seconds)"<<endl;
}
lastOutputTime = now;
lastQueryCount = SyncRes::s_queries;
}
else if(statsWanted)
L<<Logger::Warning<<"stats: no stats yet!"<<endl;
statsWanted=false;
}
static void houseKeeping(void *)
try
{
static __thread time_t last_stat, last_rootupdate, last_prune;
static __thread int cleanCounter=0;
struct timeval now;
Utility::gettimeofday(&now, 0);
// clog<<"* "<<t_id<<" "<<(void*)&last_stat<<"\t"<<(unsigned int)last_stat<<endl;
if(now.tv_sec - last_prune > (time_t)(5 + t_id)) {
DTime dt;
dt.setTimeval(now);
t_RC->doPrune(); // this function is local to a thread, so fine anyhow
t_packetCache->doPruneTo(::arg().asNum("max-packetcache-entries") / g_numThreads);
typedef SyncRes::negcache_t::nth_index<1>::type negcache_by_ttd_index_t;
negcache_by_ttd_index_t& ttdindex=boost::multi_index::get<1>(t_sstorage->negcache);
negcache_by_ttd_index_t::iterator i=ttdindex.lower_bound(now.tv_sec);
ttdindex.erase(ttdindex.begin(), i);
if(!((cleanCounter++)%40)) { // this is a full scan!
time_t limit=now.tv_sec-300;
for(SyncRes::nsspeeds_t::iterator i = t_sstorage->nsSpeeds.begin() ; i!= t_sstorage->nsSpeeds.end(); )
if(i->second.stale(limit))
t_sstorage->nsSpeeds.erase(i++);
else
++i;
}
// L<<Logger::Warning<<"Spent "<<dt.udiff()/1000<<" msec cleaning"<<endl;
last_prune=time(0);
}
if(!t_id) {
if(now.tv_sec - last_stat > 1800) {
doStats();
last_stat=time(0);
}
}
if(now.tv_sec - last_rootupdate > 7200) {
SyncRes sr(now);
sr.setDoEDNS0(true);
vector<DNSResourceRecord> ret;
sr.setNoCache();
int res=sr.beginResolve(".", QType(QType::NS), 1, ret);
if(!res) {
L<<Logger::Warning<<"Refreshed . records"<<endl;
last_rootupdate=now.tv_sec;
}
else
L<<Logger::Error<<"Failed to update . records, RCODE="<<res<<endl;
}
}
catch(AhuException& ae)
{
L<<Logger::Error<<"Fatal error: "<<ae.reason<<endl;
throw;
}
;
void makeThreadPipes()
{
for(unsigned int n=0; n < g_numThreads; ++n) {
struct ThreadPipeSet tps;
int fd[2];
if(pipe(fd) < 0)
unixDie("Creating pipe for inter-thread communications");
tps.readToThread = fd[0];
tps.writeToThread = fd[1];
if(pipe(fd) < 0)
unixDie("Creating pipe for inter-thread communications");
tps.readFromThread = fd[0];
tps.writeFromThread = fd[1];
g_pipes.push_back(tps);
}
}
void broadcastFunction(const pipefunc_t& func, bool skipSelf)
{
unsigned int n = 0;
BOOST_FOREACH(ThreadPipeSet& tps, g_pipes)
{
if(n++ == t_id) {
if(!skipSelf)
func(); // don't write to ourselves!
continue;
}
pipefunc_t *funcptr = new pipefunc_t(func);
if(write(tps.writeToThread, &funcptr, sizeof(funcptr)) != sizeof(funcptr))
unixDie("write to thread pipe returned wrong size or error");
string* resp;
if(read(tps.readFromThread, &resp, sizeof(resp)) != sizeof(resp))
unixDie("read from thread pipe returned wrong size or error");
if(resp) {
// cerr <<"got response: " << *resp << endl;
delete resp;
}
}
}
void handlePipeRequest(int fd, FDMultiplexer::funcparam_t& var)
{
pipefunc_t* func;
if(read(fd, &func, sizeof(func)) != sizeof(func)) { // fd == readToThread
unixDie("read from thread pipe returned wrong size or error");
}
void *resp = (*func)();
if(write(g_pipes[t_id].writeFromThread, &resp, sizeof(resp)) != sizeof(resp))
unixDie("write to thread pipe returned wrong size or error");
delete func;
}
template<class T> void *voider(const boost::function<T*()>& func)
{
return func();
}
vector<ComboAddress>& operator+=(vector<ComboAddress>&a, const vector<ComboAddress>& b)
{
a.insert(a.end(), b.begin(), b.end());
return a;
}
template<class T> T broadcastAccFunction(const boost::function<T*()>& func, bool skipSelf)
{
unsigned int n = 0;
T ret=T();
BOOST_FOREACH(ThreadPipeSet& tps, g_pipes)
{
if(n++ == t_id) {
if(!skipSelf) {
T* resp = (T*)func(); // don't write to ourselves!
if(resp) {
//~ cerr <<"got direct: " << *resp << endl;
ret += *resp;
delete resp;
}
}
continue;
}
pipefunc_t *funcptr = new pipefunc_t(boost::bind(voider<T>, func));
if(write(tps.writeToThread, &funcptr, sizeof(funcptr)) != sizeof(funcptr))
unixDie("write to thread pipe returned wrong size or error");
T* resp;
if(read(tps.readFromThread, &resp, sizeof(resp)) != sizeof(resp))
unixDie("read from thread pipe returned wrong size or error");
if(resp) {
//~ cerr <<"got response: " << *resp << endl;
ret += *resp;
delete resp;
}
}
return ret;
}
template string broadcastAccFunction(const boost::function<string*()>& fun, bool skipSelf); // explicit instantiation
template uint64_t broadcastAccFunction(const boost::function<uint64_t*()>& fun, bool skipSelf); // explicit instantiation
template vector<ComboAddress> broadcastAccFunction(const boost::function<vector<ComboAddress> *()>& fun, bool skipSelf); // explicit instantiation
void handleRCC(int fd, FDMultiplexer::funcparam_t& var)
{
string remote;
string msg=s_rcc.recv(&remote);
RecursorControlParser rcp;
RecursorControlParser::func_t* command;
string answer=rcp.getAnswer(msg, &command);
try {
s_rcc.send(answer, &remote);
command();
}
catch(std::exception& e) {
L<<Logger::Error<<"Error dealing with control socket request: "<<e.what()<<endl;
}
catch(AhuException& ae) {
L<<Logger::Error<<"Error dealing with control socket request: "<<ae.reason<<endl;
}
}
void handleTCPClientReadable(int fd, FDMultiplexer::funcparam_t& var)
{
PacketID* pident=any_cast<PacketID>(&var);
// cerr<<"handleTCPClientReadable called for fd "<<fd<<", pident->inNeeded: "<<pident->inNeeded<<", "<<pident->sock->getHandle()<<endl;
shared_array<char> buffer(new char[pident->inNeeded]);
int ret=recv(fd, buffer.get(), pident->inNeeded,0);
if(ret > 0) {
pident->inMSG.append(&buffer[0], &buffer[ret]);
pident->inNeeded-=ret;
if(!pident->inNeeded) {
// cerr<<"Got entire load of "<<pident->inMSG.size()<<" bytes"<<endl;
PacketID pid=*pident;
string msg=pident->inMSG;
t_fdm->removeReadFD(fd);
MT->sendEvent(pid, &msg);
}
else {
// cerr<<"Still have "<<pident->inNeeded<<" left to go"<<endl;
}
}
else {
PacketID tmp=*pident;
t_fdm->removeReadFD(fd); // pident might now be invalid (it isn't, but still)
string empty;
MT->sendEvent(tmp, &empty); // this conveys error status
}
}
void handleTCPClientWritable(int fd, FDMultiplexer::funcparam_t& var)
{
PacketID* pid=any_cast<PacketID>(&var);
int ret=send(fd, pid->outMSG.c_str() + pid->outPos, pid->outMSG.size() - pid->outPos,0);
if(ret > 0) {
pid->outPos+=ret;
if(pid->outPos==pid->outMSG.size()) {
PacketID tmp=*pid;
t_fdm->removeWriteFD(fd);
MT->sendEvent(tmp, &tmp.outMSG); // send back what we sent to convey everything is ok
}
}
else { // error or EOF
PacketID tmp(*pid);
t_fdm->removeWriteFD(fd);
string sent;
MT->sendEvent(tmp, &sent); // we convey error status by sending empty string
}
}
// resend event to everybody chained onto it
void doResends(MT_t::waiters_t::iterator& iter, PacketID resend, const string& content)
{
if(iter->key.chain.empty())
return;
// cerr<<"doResends called!\n";
for(PacketID::chain_t::iterator i=iter->key.chain.begin(); i != iter->key.chain.end() ; ++i) {
resend.fd=-1;
resend.id=*i;
// cerr<<"\tResending "<<content.size()<<" bytes for fd="<<resend.fd<<" and id="<<resend.id<<endl;
MT->sendEvent(resend, &content);
g_stats.chainResends++;
}
}
void handleUDPServerResponse(int fd, FDMultiplexer::funcparam_t& var)
{
PacketID pid=any_cast<PacketID>(var);
int len;
char data[1500];
ComboAddress fromaddr;
socklen_t addrlen=sizeof(fromaddr);
len=recvfrom(fd, data, sizeof(data), 0, (sockaddr *)&fromaddr, &addrlen);
if(len < (int)sizeof(dnsheader)) {
if(len < 0)
; // cerr<<"Error on fd "<<fd<<": "<<stringerror()<<"\n";
else {
g_stats.serverParseError++;
if(g_logCommonErrors)
L<<Logger::Error<<"Unable to parse packet from remote UDP server "<< sockAddrToString((struct sockaddr_in*) &fromaddr) <<
": packet smalller than DNS header"<<endl;
}
t_udpclientsocks->returnSocket(fd);
string empty;
MT_t::waiters_t::iterator iter=MT->d_waiters.find(pid);
if(iter != MT->d_waiters.end())
doResends(iter, pid, empty);
MT->sendEvent(pid, &empty); // this denotes error (does lookup again.. at least L1 will be hot)
return;
}
dnsheader dh;
memcpy(&dh, data, sizeof(dh));
if(dh.qr) {
PacketID pident;
pident.remote=fromaddr;
pident.id=dh.id;
pident.fd=fd;
if(!dh.qdcount) { // UPC, Nominum, very old BIND on FormErr, NSD
pident.domain.clear();
pident.type = 0;
}
else {
try {
pident.domain=questionExpand(data, len, pident.type); // don't copy this from above - we need to do the actual read
}
catch(std::exception& e) {
g_stats.serverParseError++; // won't be fed to lwres.cc, so we have to increment
L<<Logger::Warning<<"Error in packet from "<<sockAddrToString((struct sockaddr_in*) &fromaddr) << ": "<<e.what() << endl;
return;
}
}
string packet;
packet.assign(data, len);
MT_t::waiters_t::iterator iter=MT->d_waiters.find(pident);
if(iter != MT->d_waiters.end()) {
doResends(iter, pident, packet);
}
retryWithName:
if(!MT->sendEvent(pident, &packet)) {
// we do a full scan for outstanding queries on unexpected answers. not too bad since we only accept them on the right port number, which is hard enough to guess
for(MT_t::waiters_t::iterator mthread=MT->d_waiters.begin(); mthread!=MT->d_waiters.end(); ++mthread) {
if(pident.fd==mthread->key.fd && mthread->key.remote==pident.remote && mthread->key.type == pident.type &&
pdns_iequals(pident.domain, mthread->key.domain)) {
mthread->key.nearMisses++;
}
// be a bit paranoid here since we're weakening our matching
if(pident.domain.empty() && !mthread->key.domain.empty() && !pident.type && mthread->key.type &&
pident.id == mthread->key.id && mthread->key.remote == pident.remote) {
// cerr<<"Empty response, rest matches though, sending to a waiter"<<endl;
pident.domain = mthread->key.domain;
pident.type = mthread->key.type;
goto retryWithName;
}
}
g_stats.unexpectedCount++; // if we made it here, it really is an unexpected answer
if(g_logCommonErrors)
L<<Logger::Warning<<"Discarding unexpected packet from "<<fromaddr.toString()<<": "<<pident.domain<<", "<<pident.type<<endl;
}
else if(fd >= 0) {
t_udpclientsocks->returnSocket(fd);
}
}
else
L<<Logger::Warning<<"Ignoring question on outgoing socket from "<< sockAddrToString((struct sockaddr_in*) &fromaddr) <<endl;
}
FDMultiplexer* getMultiplexer()
{
FDMultiplexer* ret;
for(FDMultiplexer::FDMultiplexermap_t::const_iterator i = FDMultiplexer::getMultiplexerMap().begin();
i != FDMultiplexer::getMultiplexerMap().end(); ++i) {
try {
ret=i->second();
return ret;
}
catch(FDMultiplexerException &fe) {
L<<Logger::Error<<"Non-fatal error initializing possible multiplexer ("<<fe.what()<<"), falling back"<<endl;
}
catch(...) {
L<<Logger::Error<<"Non-fatal error initializing possible multiplexer"<<endl;
}
}
L<<Logger::Error<<"No working multiplexer found!"<<endl;
exit(1);
}
void* doReloadLuaScript()
{
string fname= ::arg()["lua-dns-script"];
try {
if(fname.empty()) {
t_pdl->reset();
L<<Logger::Error<<t_id<<" Unloaded current lua script"<<endl;
}
else {
*t_pdl = shared_ptr<PowerDNSLua>(new PowerDNSLua(fname));
}
}
catch(std::exception& e) {
L<<Logger::Error<<t_id<<" Retaining current script, error from '"<<fname<<"': "<< e.what() <<endl;
}
L<<Logger::Warning<<t_id<<" (Re)loaded lua script from '"<<fname<<"'"<<endl;
return 0;
}
string doQueueReloadLuaScript(vector<string>::const_iterator begin, vector<string>::const_iterator end)
{
if(begin != end)
::arg().set("lua-dns-script") = *begin;
broadcastFunction(doReloadLuaScript);
return "ok, reload/unload queued\n";
}
void* recursorThread(void*);
void* pleaseSupplantACLs(NetmaskGroup *ng)
{
t_allowFrom = ng;
return 0;
}
void parseACLs()
{
static bool l_initialized;
if(l_initialized) { // only reload configuration file on second call
string configname=::arg()["config-dir"]+"/recursor.conf";
cleanSlashes(configname);
if(!::arg().preParseFile(configname.c_str(), "allow-from-file"))
L<<Logger::Warning<<"Unable to re-parse configuration file '"<<configname<<"'"<<endl;
::arg().preParseFile(configname.c_str(), "allow-from", LOCAL_NETS);
}
NetmaskGroup* oldAllowFrom = t_allowFrom, *allowFrom=new NetmaskGroup;
if(!::arg()["allow-from-file"].empty()) {
string line;
ifstream ifs(::arg()["allow-from-file"].c_str());
if(!ifs) {
delete allowFrom;
throw runtime_error("Could not open '"+::arg()["allow-from-file"]+"': "+stringerror());
}
string::size_type pos;
while(getline(ifs,line)) {
pos=line.find('#');
if(pos!=string::npos)
line.resize(pos);
trim(line);
if(line.empty())
continue;
allowFrom->addMask(line);
}
L<<Logger::Warning<<"Done parsing " << allowFrom->size() <<" allow-from ranges from file '"<<::arg()["allow-from-file"]<<"' - overriding 'allow-from' setting"<<endl;
}
else if(!::arg()["allow-from"].empty()) {
vector<string> ips;
stringtok(ips, ::arg()["allow-from"], ", ");
L<<Logger::Warning<<"Only allowing queries from: ";
for(vector<string>::const_iterator i = ips.begin(); i!= ips.end(); ++i) {
allowFrom->addMask(*i);
if(i!=ips.begin())
L<<Logger::Warning<<", ";
L<<Logger::Warning<<*i;
}
L<<Logger::Warning<<endl;
}
else {
if(::arg()["local-address"]!="127.0.0.1" && ::arg().asNum("local-port")==53)
L<<Logger::Error<<"WARNING: Allowing queries from all IP addresses - this can be a security risk!"<<endl;
delete allowFrom;
allowFrom = 0;
}
g_initialAllowFrom = allowFrom;
broadcastFunction(boost::bind(pleaseSupplantACLs, allowFrom));
delete oldAllowFrom;
l_initialized = true;
}
int serviceMain(int argc, char*argv[])
{
L.setName("pdns_recursor");
L.setLoglevel((Logger::Urgency)(6)); // info and up
if(!::arg()["logging-facility"].empty()) {
boost::optional<int> val=logFacilityToLOG(::arg().asNum("logging-facility") );
if(val)
theL().setFacility(*val);
else
L<<Logger::Error<<"Unknown logging facility "<<::arg().asNum("logging-facility") <<endl;
}
L<<Logger::Warning<<"PowerDNS recursor "<<VERSION<<" (C) 2001-2010 PowerDNS.COM BV ("<<__DATE__", "__TIME__;
#ifdef __GNUC__
L<<", gcc "__VERSION__;
#endif // add other compilers here
#ifdef _MSC_VER
L<<", MSVC "<<_MSC_VER;
#endif
L<<") starting up"<<endl;
L<<Logger::Warning<<"PowerDNS comes with ABSOLUTELY NO WARRANTY. "
"This is free software, and you are welcome to redistribute it "
"according to the terms of the GPL version 2."<<endl;
L<<Logger::Warning<<"Operating in "<<(sizeof(unsigned long)*8) <<" bits mode"<<endl;
#if 0
unsigned int maxFDs, curFDs;
getFDLimits(curFDs, maxFDs);
if(curFDs < 2048)
L<<Logger::Warning<<"Only "<<curFDs<<" file descriptors available (out of: "<<maxFDs<<"), may not be suitable for high performance"<<endl;
#endif
seedRandom(::arg()["entropy-source"]);
parseACLs();
if(!::arg()["dont-query"].empty()) {
g_dontQuery=new NetmaskGroup;
vector<string> ips;
stringtok(ips, ::arg()["dont-query"], ", ");
L<<Logger::Warning<<"Will not send queries to: ";
for(vector<string>::const_iterator i = ips.begin(); i!= ips.end(); ++i) {
g_dontQuery->addMask(*i);
if(i!=ips.begin())
L<<Logger::Warning<<", ";
L<<Logger::Warning<<*i;
}
L<<Logger::Warning<<endl;
}
g_quiet=::arg().mustDo("quiet");
if(::arg().mustDo("trace")) {
SyncRes::setLog(true);
::arg().set("quiet")="no";
g_quiet=false;
}
try {
vector<string> addrs;
if(!::arg()["query-local-address6"].empty()) {
SyncRes::s_doIPv6=true;
L<<Logger::Error<<"Enabling IPv6 transport for outgoing queries"<<endl;
stringtok(addrs, ::arg()["query-local-address6"], ", ;");
BOOST_FOREACH(const string& addr, addrs) {
g_localQueryAddresses6.push_back(ComboAddress(addr));
}
}
addrs.clear();
stringtok(addrs, ::arg()["query-local-address"], ", ;");
BOOST_FOREACH(const string& addr, addrs) {
g_localQueryAddresses4.push_back(ComboAddress(addr));
}
}
catch(std::exception& e) {
L<<Logger::Error<<"Assigning local query addresses: "<<e.what();
exit(99);
}
SyncRes::s_noEDNSPing = ::arg().mustDo("disable-edns-ping");
SyncRes::s_noEDNS = ::arg().mustDo("disable-edns");
SyncRes::s_nopacketcache = ::arg().mustDo("disable-packetcache");
SyncRes::s_maxnegttl=::arg().asNum("max-negative-ttl");
SyncRes::s_maxcachettl=::arg().asNum("max-cache-ttl");
SyncRes::s_packetcachettl=::arg().asNum("packetcache-ttl");
SyncRes::s_packetcacheservfailttl=::arg().asNum("packetcache-servfail-ttl");
SyncRes::s_serverID=::arg()["server-id"];
if(SyncRes::s_serverID.empty()) {
char tmp[128];
gethostname(tmp, sizeof(tmp)-1);
SyncRes::s_serverID=tmp;
}
g_networkTimeoutMsec = ::arg().asNum("network-timeout");
g_initialDomainMap = parseAuthAndForwards();
g_logCommonErrors=::arg().mustDo("log-common-errors");
makeUDPServerSockets();
makeTCPServerSockets();
s_pidfname=::arg()["socket-dir"]+"/"+s_programname+".pid";
if(!s_pidfname.empty())
unlink(s_pidfname.c_str()); // remove possible old pid file
#ifndef WIN32
if(::arg().mustDo("daemon")) {
L<<Logger::Warning<<"Calling daemonize, going to background"<<endl;
L.toConsole(Logger::Critical);
daemonize();
}
signal(SIGUSR1,usr1Handler);
signal(SIGUSR2,usr2Handler);
signal(SIGPIPE,SIG_IGN);
writePid();
#endif
makeControlChannelSocket();
int newgid=0;
if(!::arg()["setgid"].empty())
newgid=Utility::makeGidNumeric(::arg()["setgid"]);
int newuid=0;
if(!::arg()["setuid"].empty())
newuid=Utility::makeUidNumeric(::arg()["setuid"]);
#ifndef WIN32
if (!::arg()["chroot"].empty()) {
if (chroot(::arg()["chroot"].c_str())<0 || chdir("/") < 0) {
L<<Logger::Error<<"Unable to chroot to '"+::arg()["chroot"]+"': "<<strerror (errno)<<", exiting"<<endl;
exit(1);
}
}
Utility::dropPrivs(newuid, newgid);
g_numThreads = ::arg().asNum("threads");
makeThreadPipes();
g_tcpTimeout=::arg().asNum("client-tcp-timeout");
g_maxTCPPerClient=::arg().asNum("max-tcp-per-client");
g_maxMThreads=::arg().asNum("max-mthreads");
if(g_numThreads == 1) {
L<<Logger::Warning<<"Operating unthreaded"<<endl;
recursorThread(0);
}
else {
pthread_t tid;
L<<Logger::Warning<<"Launching "<< g_numThreads <<" threads"<<endl;
for(unsigned int n=0; n < g_numThreads; ++n) {
pthread_create(&tid, 0, recursorThread, (void*)n);
}
void* res;
pthread_join(tid, &res);
}
return 0;
}
void* recursorThread(void* ptr)
try
{
t_id=(int) (long) ptr;
SyncRes tmp(g_now); // make sure it allocates tsstorage before we do anything, like primeHints or so..
t_sstorage->domainmap = g_initialDomainMap;
t_allowFrom = g_initialAllowFrom;
t_udpclientsocks = new UDPClientSocks();
primeHints();
t_packetCache = new RecursorPacketCache();
L<<Logger::Warning<<"Done priming cache with root hints"<<endl;
t_RC->d_followRFC2181=::arg().mustDo("auth-can-lower-ttl");
t_pdl = new shared_ptr<PowerDNSLua>();
try {
if(!::arg()["lua-dns-script"].empty()) {
*t_pdl = shared_ptr<PowerDNSLua>(new PowerDNSLua(::arg()["lua-dns-script"]));
L<<Logger::Warning<<"Loaded 'lua' script from '"<<::arg()["lua-dns-script"]<<"'"<<endl;
}
}
catch(std::exception &e) {
L<<Logger::Error<<"Failed to load 'lua' script from '"<<::arg()["lua-dns-script"]<<"': "<<e.what()<<endl;
exit(99);
}
t_remotes = new RemoteKeeper();
t_remotes->remotes.resize(::arg().asNum("remotes-ringbuffer-entries") / g_numThreads);
if(!t_remotes->remotes.empty())
memset(&t_remotes->remotes[0], 0, t_remotes->remotes.size() * sizeof(RemoteKeeper::remotes_t::value_type));
MT=new MTasker<PacketID,string>(::arg().asNum("stack-size"));
PacketID pident;
t_fdm=getMultiplexer();
if(!t_id)
L<<Logger::Error<<"Enabled '"<< t_fdm->getName() << "' multiplexer"<<endl;
t_fdm->addReadFD(g_pipes[t_id].readToThread, handlePipeRequest);
for(deferredAdd_t::const_iterator i=deferredAdd.begin(); i!=deferredAdd.end(); ++i)
t_fdm->addReadFD(i->first, i->second);
if(!t_id) {
t_fdm->addReadFD(s_rcc.d_fd, handleRCC); // control channel
}
#endif
unsigned int maxTcpClients=::arg().asNum("max-tcp-clients");
bool listenOnTCP(true);
counter=0; // used to periodically execute certain tasks
for(;;) {
while(MT->schedule(&g_now)); // MTasker letting the mthreads do their thing
if(!(counter%500)) {
MT->makeThread(houseKeeping, 0);
}
if(!(counter%55)) {
typedef vector<pair<int, FDMultiplexer::funcparam_t> > expired_t;
expired_t expired=t_fdm->getTimeouts(g_now);
for(expired_t::iterator i=expired.begin() ; i != expired.end(); ++i) {
TCPConnection conn=any_cast<TCPConnection>(i->second);
if(g_logCommonErrors)
L<<Logger::Warning<<"Timeout from remote TCP client "<< conn.remote.toString() <<endl;
t_fdm->removeReadFD(i->first);
conn.closeAndCleanup();
}
}
counter++;
if(!t_id && statsWanted) {
doStats();
}
Utility::gettimeofday(&g_now, 0);
t_fdm->run(&g_now);
// 'run' updates g_now for us
if(listenOnTCP) {
if(TCPConnection::s_currentConnections > maxTcpClients) { // shutdown, too many connections
for(tcpListenSockets_t::iterator i=g_tcpListenSockets.begin(); i != g_tcpListenSockets.end(); ++i)
t_fdm->removeReadFD(*i);
listenOnTCP=false;
}
}
else {
if(TCPConnection::s_currentConnections <= maxTcpClients) { // reenable
for(tcpListenSockets_t::iterator i=g_tcpListenSockets.begin(); i != g_tcpListenSockets.end(); ++i)
t_fdm->addReadFD(*i, handleNewTCPQuestion);
listenOnTCP=true;
}
}
}
}
catch(AhuException &ae) {
L<<Logger::Error<<"Exception: "<<ae.reason<<endl;
return 0;
}
catch(std::exception &e) {
L<<Logger::Error<<"STL Exception: "<<e.what()<<endl;
return 0;
}
catch(...) {
L<<Logger::Error<<"any other exception in main: "<<endl;
return 0;
}
#ifdef WIN32
void doWindowsServiceArguments(RecursorService& recursor)
{
if(::arg().mustDo( "register-service" )) {
if ( !recursor.registerService( "The PowerDNS Recursor.", true )) {
cerr << "Could not register service." << endl;
exit( 99 );
}
exit( 0 );
}
if ( ::arg().mustDo( "unregister-service" )) {
recursor.unregisterService();
exit( 0 );
}
}
#endif
int main(int argc, char **argv)
{
g_stats.startupTime=time(0);
reportBasicTypes();
int ret = EXIT_SUCCESS;
#ifdef WIN32
RecursorService service;
WSADATA wsaData;
if(WSAStartup( MAKEWORD( 2, 2 ), &wsaData )) {
cerr<<"Unable to initialize winsock\n";
exit(1);
}
#endif // WIN32
try {
::arg().set("stack-size","stack size per mthread")="200000";
::arg().set("soa-minimum-ttl","Don't change")="0";
::arg().set("soa-serial-offset","Don't change")="0";
::arg().set("no-shuffle","Don't change")="off";
::arg().set("aaaa-additional-processing","turn on to do AAAA additional processing (slow)")="off";
::arg().set("local-port","port to listen on")="53";
::arg().set("local-address","IP addresses to listen on, separated by spaces or commas. Also accepts ports.")="127.0.0.1";
::arg().set("trace","if we should output heaps of logging")="off";
::arg().set("daemon","Operate as a daemon")="yes";
::arg().set("log-common-errors","If we should log rather common errors")="yes";
::arg().set("chroot","switch to chroot jail")="";
::arg().set("setgid","If set, change group id to this gid for more security")="";
::arg().set("setuid","If set, change user id to this uid for more security")="";
::arg().set("network-timeout", "Wait this nummer of milliseconds for network i/o")="1500";
::arg().set("threads", "Launch this number of threads")="2";
#ifdef WIN32
::arg().set("quiet","Suppress logging of questions and answers")="off";
::arg().setSwitch( "register-service", "Register the service" )= "no";
::arg().setSwitch( "unregister-service", "Unregister the service" )= "no";
::arg().setSwitch( "ntservice", "Run as service" )= "no";
::arg().setSwitch( "use-ntlog", "Use the NT logging facilities" )= "yes";
::arg().setSwitch( "use-logfile", "Use a log file" )= "no";
::arg().setSwitch( "logfile", "Filename of the log file" )= "recursor.log";
#else
::arg().set("quiet","Suppress logging of questions and answers")="";
::arg().set("logging-facility","Facility to log messages as. 0 corresponds to local0")="";
#endif
::arg().set("config-dir","Location of configuration directory (recursor.conf)")=SYSCONFDIR;
#ifndef WIN32
::arg().set("socket-owner","Owner of socket")="";
::arg().set("socket-group","Group of socket")="";
::arg().set("socket-mode", "Permissions for socket")="";
#endif
::arg().set("socket-dir","Where the controlsocket will live")=LOCALSTATEDIR;
::arg().set("delegation-only","Which domains we only accept delegations from")="";
::arg().set("query-local-address","Source IP address for sending queries")="0.0.0.0";
::arg().set("query-local-address6","Source IPv6 address for sending queries")="";
::arg().set("client-tcp-timeout","Timeout in seconds when talking to TCP clients")="2";
::arg().set("max-mthreads", "Maximum number of simultaneous Mtasker threads")="2048";
::arg().set("max-tcp-clients","Maximum number of simultaneous TCP clients")="128";
::arg().set("hint-file", "If set, load root hints from this file")="";
::arg().set("max-cache-entries", "If set, maximum number of entries in the main cache")="1000000";
::arg().set("max-negative-ttl", "maximum number of seconds to keep a negative cached entry in memory")="3600";
::arg().set("max-cache-ttl", "maximum number of seconds to keep a cached entry in memory")="86400";
::arg().set("packetcache-ttl", "maximum number of seconds to keep a cached entry in packetcache")="3600";
::arg().set("max-packetcache-entries", "maximum number of entries to keep in the packetcache")="500000";
::arg().set("packetcache-servfail-ttl", "maximum number of seconds to keep a cached servfail entry in packetcache")="60";
::arg().set("server-id", "Returned when queried for 'server.id' TXT or NSID, defaults to hostname")="";
::arg().set("remotes-ringbuffer-entries", "maximum number of packets to store statistics for")="0";
::arg().set("version-string", "string reported on version.pdns or version.bind")="PowerDNS Recursor "VERSION" $Id: pdns_recursor.cc 1538 2010-03-06 11:39:03Z ahu $";
::arg().set("allow-from", "If set, only allow these comma separated netmasks to recurse")=LOCAL_NETS;
::arg().set("allow-from-file", "If set, load allowed netmasks from this file")="";
::arg().set("entropy-source", "If set, read entropy from this file")="/dev/urandom";
::arg().set("dont-query", "If set, do not query these netmasks for DNS data")=LOCAL_NETS;
::arg().set("max-tcp-per-client", "If set, maximum number of TCP sessions per client (IP address)")="0";
::arg().set("spoof-nearmiss-max", "If non-zero, assume spoofing after this many near misses")="20";
::arg().set("single-socket", "If set, only use a single socket for outgoing queries")="off";
::arg().set("auth-zones", "Zones for which we have authoritative data, comma separated domain=file pairs ")="";
::arg().set("forward-zones", "Zones for which we forward queries, comma separated domain=ip pairs")="";
::arg().set("forward-zones-recurse", "Zones for which we forward queries with recursion bit, comma separated domain=ip pairs")="";
::arg().set("forward-zones-file", "File with (+)domain=ip pairs for forwarding")="";
::arg().set("export-etc-hosts", "If we should serve up contents from /etc/hosts")="off";
::arg().set("etc-hosts-file", "Path to 'hosts' file")="/etc/hosts";
::arg().set("serve-rfc1918", "If we should be authoritative for RFC 1918 private IP space")="";
::arg().set("auth-can-lower-ttl", "If we follow RFC 2181 to the letter, an authoritative server can lower the TTL of NS records")="off";
::arg().set("lua-dns-script", "Filename containing an optional 'lua' script that will be used to modify dns answers")="";
::arg().setSwitch( "ignore-rd-bit", "Assume each packet requires recursion, for compatability" )= "off";
::arg().setSwitch( "disable-edns-ping", "Disable EDNSPing" )= "no";
::arg().setSwitch( "disable-edns", "Disable EDNS" )= "";
::arg().setSwitch( "disable-packetcache", "Disable packetcahe" )= "no";
::arg().setCmd("help","Provide a helpful message");
::arg().setCmd("version","Print version string ("VERSION")");
::arg().setCmd("config","Output blank configuration");
L.toConsole(Logger::Error);
::arg().laxParse(argc,argv); // do a lax parse
if(::arg().mustDo("config")) {
cout<<::arg().configstring()<<endl;
exit(0);
}
string configname=::arg()["config-dir"]+"/recursor.conf";
cleanSlashes(configname);
if(!::arg().file(configname.c_str()))
L<<Logger::Warning<<"Unable to parse configuration file '"<<configname<<"'"<<endl;
::arg().parse(argc,argv);
::arg().set("delegation-only")=toLower(::arg()["delegation-only"]);
if(::arg().mustDo("help")) {
cerr<<"syntax:"<<endl<<endl;
cerr<<::arg().helpstring(::arg()["help"])<<endl;
exit(99);
}
if(::arg().mustDo("version")) {
cerr<<"version: "VERSION<<endl;
exit(99);
}
#ifndef WIN32
serviceMain(argc, argv);
#else
doWindowsServiceArguments(service);
L.toNTLog();
RecursorService::instance()->start( argc, argv, ::arg().mustDo( "ntservice" ));
#endif
}
catch(AhuException &ae) {
L<<Logger::Error<<"Exception: "<<ae.reason<<endl;
ret=EXIT_FAILURE;
}
catch(std::exception &e) {
L<<Logger::Error<<"STL Exception: "<<e.what()<<endl;
ret=EXIT_FAILURE;
}
catch(...) {
L<<Logger::Error<<"any other exception in main: "<<endl;
ret=EXIT_FAILURE;
}
#ifdef WIN32
WSACleanup();
#endif // WIN32
return ret;
}
|