123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606 |
- #!@PYTHON@
- # Copyright (C) 2010 Internet Systems Consortium.
- # Copyright (C) 2010 CZ NIC
- #
- # Permission to use, copy, modify, and distribute this software for any
- # purpose with or without fee is hereby granted, provided that the above
- # copyright notice and this permission notice appear in all copies.
- #
- # THE SOFTWARE IS PROVIDED "AS IS" AND INTERNET SYSTEMS CONSORTIUM
- # DISCLAIMS ALL WARRANTIES WITH REGARD TO THIS SOFTWARE INCLUDING ALL
- # IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL
- # INTERNET SYSTEMS CONSORTIUM BE LIABLE FOR ANY SPECIAL, DIRECT,
- # INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES WHATSOEVER RESULTING
- # FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN ACTION OF CONTRACT,
- # NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF OR IN CONNECTION
- # WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- import sys; sys.path.append ('@@PYTHONPATH@@')
- import isc
- import isc.cc
- import threading
- import struct
- import signal
- from isc.datasrc import sqlite3_ds
- from socketserver import *
- import os
- from isc.config.ccsession import *
- from isc.log.log import *
- from isc.cc import SessionError, SessionTimeout
- from isc.notify import notify_out
- import isc.util.process
- import socket
- import select
- import errno
- from optparse import OptionParser, OptionValueError
- from isc.util import socketserver_mixin
- try:
- from libxfr_python import *
- from pydnspp import *
- except ImportError as e:
- # C++ loadable module may not be installed; even so the xfrout process
- # must keep running, so we warn about it and move forward.
- sys.stderr.write('[b10-xfrout] failed to import DNS or XFR module: %s\n' % str(e))
- isc.util.process.rename()
- if "B10_FROM_BUILD" in os.environ:
- SPECFILE_PATH = os.environ["B10_FROM_BUILD"] + "/src/bin/xfrout"
- AUTH_SPECFILE_PATH = os.environ["B10_FROM_BUILD"] + "/src/bin/auth"
- UNIX_SOCKET_FILE= os.environ["B10_FROM_BUILD"] + "/auth_xfrout_conn"
- else:
- PREFIX = "@prefix@"
- DATAROOTDIR = "@datarootdir@"
- SPECFILE_PATH = "@datadir@/@PACKAGE@".replace("${datarootdir}", DATAROOTDIR).replace("${prefix}", PREFIX)
- AUTH_SPECFILE_PATH = SPECFILE_PATH
- UNIX_SOCKET_FILE = "@@LOCALSTATEDIR@@/auth_xfrout_conn"
- SPECFILE_LOCATION = SPECFILE_PATH + "/xfrout.spec"
- AUTH_SPECFILE_LOCATION = AUTH_SPECFILE_PATH + os.sep + "auth.spec"
- MAX_TRANSFERS_OUT = 10
- VERBOSE_MODE = False
- XFROUT_MAX_MESSAGE_SIZE = 65535
- def get_rrset_len(rrset):
- """Returns the wire length of the given RRset"""
- bytes = bytearray()
- rrset.to_wire(bytes)
- return len(bytes)
- class XfroutSession():
- def __init__(self, sock_fd, request_data, server, log):
- # The initializer for the superclass may call functions
- # that need _log to be set, so we set it first
- self._sock_fd = sock_fd
- self._request_data = request_data
- self._server = server
- self._log = log
- self.handle()
- def handle(self):
- ''' Handle a xfrout query, send xfrout response '''
- try:
- self.dns_xfrout_start(self._sock_fd, self._request_data)
- #TODO, avoid catching all exceptions
- except Exception as e:
- self._log.log_message("error", str(e))
- os.close(self._sock_fd)
- def _parse_query_message(self, mdata):
- ''' parse query message to [socket,message]'''
- #TODO, need to add parseHeader() in case the message header is invalid
- try:
- msg = Message(Message.PARSE)
- Message.from_wire(msg, mdata)
- except Exception as err:
- self._log.log_message("error", str(err))
- return Rcode.FORMERR(), None
- return Rcode.NOERROR(), msg
- def _get_query_zone_name(self, msg):
- question = msg.get_question()[0]
- return question.get_name().to_text()
- def _send_data(self, sock_fd, data):
- size = len(data)
- total_count = 0
- while total_count < size:
- count = os.write(sock_fd, data[total_count:])
- total_count += count
- def _send_message(self, sock_fd, msg):
- render = MessageRenderer()
- # As defined in RFC5936 section3.4, perform case-preserving name
- # compression for AXFR message.
- render.set_compress_mode(MessageRenderer.CASE_SENSITIVE)
- render.set_length_limit(XFROUT_MAX_MESSAGE_SIZE)
- msg.to_wire(render)
- header_len = struct.pack('H', socket.htons(render.get_length()))
- self._send_data(sock_fd, header_len)
- self._send_data(sock_fd, render.get_data())
- def _reply_query_with_error_rcode(self, msg, sock_fd, rcode_):
- msg.make_response()
- msg.set_rcode(rcode_)
- self._send_message(sock_fd, msg)
- def _reply_query_with_format_error(self, msg, sock_fd):
- '''query message format isn't legal.'''
- if not msg:
- return # query message is invalid. send nothing back.
- msg.make_response()
- msg.set_rcode(Rcode.FORMERR())
- self._send_message(sock_fd, msg)
- def _zone_has_soa(self, zone):
- '''Judge if the zone has an SOA record.'''
- # In some sense, the SOA defines a zone.
- # If the current name server has authority for the
- # specific zone, we need to judge if the zone has an SOA record;
- # if not, we consider the zone has incomplete data, so xfrout can't
- # serve for it.
- if sqlite3_ds.get_zone_soa(zone, self._server.get_db_file()):
- return True
- return False
- def _zone_exist(self, zonename):
- '''Judge if the zone is configured by config manager.'''
- # Currently, if we find the zone in datasource successfully, we
- # consider the zone is configured, and the current name server has
- # authority for the specific zone.
- # TODO: should get zone's configuration from cfgmgr or other place
- # in future.
- return sqlite3_ds.zone_exist(zonename, self._server.get_db_file())
- def _check_xfrout_available(self, zone_name):
- '''Check if xfr request can be responsed.
- TODO, Get zone's configuration from cfgmgr or some other place
- eg. check allow_transfer setting,
- '''
- # If the current name server does not have authority for the
- # zone, xfrout can't serve for it, return rcode NOTAUTH.
- if not self._zone_exist(zone_name):
- return Rcode.NOTAUTH()
- # If we are an authoritative name server for the zone, but fail
- # to find the zone's SOA record in datasource, xfrout can't
- # provide zone transfer for it.
- if not self._zone_has_soa(zone_name):
- return Rcode.SERVFAIL()
- #TODO, check allow_transfer
- if not self._server.increase_transfers_counter():
- return Rcode.REFUSED()
- return Rcode.NOERROR()
- def dns_xfrout_start(self, sock_fd, msg_query):
- rcode_, msg = self._parse_query_message(msg_query)
- #TODO. create query message and parse header
- if rcode_ != Rcode.NOERROR():
- return self._reply_query_with_format_error(msg, sock_fd)
- zone_name = self._get_query_zone_name(msg)
- rcode_ = self._check_xfrout_available(zone_name)
- if rcode_ != Rcode.NOERROR():
- self._log.log_message("info", "transfer of '%s/IN' failed: %s",
- zone_name, rcode_.to_text())
- return self. _reply_query_with_error_rcode(msg, sock_fd, rcode_)
- try:
- self._log.log_message("info", "transfer of '%s/IN': AXFR started" % zone_name)
- self._reply_xfrout_query(msg, sock_fd, zone_name)
- self._log.log_message("info", "transfer of '%s/IN': AXFR end" % zone_name)
- except Exception as err:
- self._log.log_message("error", str(err))
- self._server.decrease_transfers_counter()
- return
- def _clear_message(self, msg):
- qid = msg.get_qid()
- opcode = msg.get_opcode()
- rcode = msg.get_rcode()
- msg.clear(Message.RENDER)
- msg.set_qid(qid)
- msg.set_opcode(opcode)
- msg.set_rcode(rcode)
- msg.set_header_flag(Message.HEADERFLAG_AA)
- msg.set_header_flag(Message.HEADERFLAG_QR)
- return msg
- def _create_rrset_from_db_record(self, record):
- '''Create one rrset from one record of datasource, if the schema of record is changed,
- This function should be updated first.
- '''
- rrtype_ = RRType(record[5])
- rdata_ = Rdata(rrtype_, RRClass("IN"), " ".join(record[7:]))
- rrset_ = RRset(Name(record[2]), RRClass("IN"), rrtype_, RRTTL( int(record[4])))
- rrset_.add_rdata(rdata_)
- return rrset_
- def _send_message_with_last_soa(self, msg, sock_fd, rrset_soa, message_upper_len):
- '''Add the SOA record to the end of message. If it can't be
- added, a new message should be created to send out the last soa .
- '''
- rrset_len = get_rrset_len(rrset_soa)
- if message_upper_len + rrset_len < XFROUT_MAX_MESSAGE_SIZE:
- msg.add_rrset(Message.SECTION_ANSWER, rrset_soa)
- else:
- self._send_message(sock_fd, msg)
- msg = self._clear_message(msg)
- msg.add_rrset(Message.SECTION_ANSWER, rrset_soa)
- self._send_message(sock_fd, msg)
- def _reply_xfrout_query(self, msg, sock_fd, zone_name):
- #TODO, there should be a better way to insert rrset.
- msg.make_response()
- msg.set_header_flag(Message.HEADERFLAG_AA)
- soa_record = sqlite3_ds.get_zone_soa(zone_name, self._server.get_db_file())
- rrset_soa = self._create_rrset_from_db_record(soa_record)
- msg.add_rrset(Message.SECTION_ANSWER, rrset_soa)
- message_upper_len = get_rrset_len(rrset_soa)
- for rr_data in sqlite3_ds.get_zone_datas(zone_name, self._server.get_db_file()):
- if self._server._shutdown_event.is_set(): # Check if xfrout is shutdown
- self._log.log_message("info", "xfrout process is being shutdown")
- return
- # TODO: RRType.SOA() ?
- if RRType(rr_data[5]) == RRType("SOA"): #ignore soa record
- continue
- rrset_ = self._create_rrset_from_db_record(rr_data)
- # We calculate the maximum size of the RRset (i.e. the
- # size without compression) and use that to see if we
- # may have reached the limit
- rrset_len = get_rrset_len(rrset_)
- if message_upper_len + rrset_len < XFROUT_MAX_MESSAGE_SIZE:
- msg.add_rrset(Message.SECTION_ANSWER, rrset_)
- message_upper_len += rrset_len
- continue
- self._send_message(sock_fd, msg)
- msg = self._clear_message(msg)
- msg.add_rrset(Message.SECTION_ANSWER, rrset_) # Add the rrset to the new message
- message_upper_len = rrset_len
- self._send_message_with_last_soa(msg, sock_fd, rrset_soa, message_upper_len)
- class UnixSockServer(socketserver_mixin.NoPollMixIn, ThreadingUnixStreamServer):
- '''The unix domain socket server which accept xfr query sent from auth server.'''
- def __init__(self, sock_file, handle_class, shutdown_event, config_data, cc, log):
- self._remove_unused_sock_file(sock_file)
- self._sock_file = sock_file
- socketserver_mixin.NoPollMixIn.__init__(self)
- ThreadingUnixStreamServer.__init__(self, sock_file, handle_class)
- self._lock = threading.Lock()
- self._transfers_counter = 0
- self._shutdown_event = shutdown_event
- self._write_sock, self._read_sock = socket.socketpair()
- self._log = log
- self.update_config_data(config_data)
- self._cc = cc
- def _receive_query_message(self, sock):
- ''' receive request message from sock'''
- # receive data length
- data_len = sock.recv(2)
- if not data_len:
- return None
- msg_len = struct.unpack('!H', data_len)[0]
- # receive data
- recv_size = 0
- msgdata = b''
- while recv_size < msg_len:
- data = sock.recv(msg_len - recv_size)
- if not data:
- return None
- recv_size += len(data)
- msgdata += data
- return msgdata
- def handle_request(self):
- ''' Enable server handle a request until shutdown or auth is closed.'''
- try:
- request, client_address = self.get_request()
- except socket.error:
- self._log.log_message("error", "Failed to fetch request")
- return
- # Check self._shutdown_event to ensure the real shutdown comes.
- # Linux could trigger a spurious readable event on the _read_sock
- # due to a bug, so we need perform a double check.
- while not self._shutdown_event.is_set(): # Check if xfrout is shutdown
- try:
- (rlist, wlist, xlist) = select.select([self._read_sock, request], [], [])
- except select.error as e:
- if e.args[0] == errno.EINTR:
- (rlist, wlist, xlist) = ([], [], [])
- continue
- else:
- self._log.log_message("error", "Error with select(): %s" %e)
- break
- # self.server._shutdown_event will be set by now, if it is not a false
- # alarm
- if self._read_sock in rlist:
- continue
- try:
- self.process_request(request)
- except:
- self._log.log_message("error", "Exception happened during processing of %s"
- % str(client_address))
- break
- def _handle_request_noblock(self):
- """Override the function _handle_request_noblock(), it creates a new
- thread to handle requests for each auth"""
- td = threading.Thread(target=self.handle_request)
- td.setDaemon(True)
- td.start()
- def process_request(self, request):
- """Receive socket fd and query message from auth, then
- start a new thread to process the request."""
- sock_fd = recv_fd(request.fileno())
- if sock_fd < 0:
- # This may happen when one xfrout process try to connect to
- # xfrout unix socket server, to check whether there is another
- # xfrout running.
- if sock_fd == XFR_FD_RECEIVE_FAIL:
- self._log.log_message("error", "Failed to receive the file descriptor for XFR connection")
- return
- # receive request msg
- request_data = self._receive_query_message(request)
- if not request_data:
- return
- t = threading.Thread(target = self.finish_request,
- args = (sock_fd, request_data))
- if self.daemon_threads:
- t.daemon = True
- t.start()
- def finish_request(self, sock_fd, request_data):
- '''Finish one request by instantiating RequestHandlerClass.'''
- self.RequestHandlerClass(sock_fd, request_data, self, self._log)
- def _remove_unused_sock_file(self, sock_file):
- '''Try to remove the socket file. If the file is being used
- by one running xfrout process, exit from python.
- If it's not a socket file or nobody is listening
- , it will be removed. If it can't be removed, exit from python. '''
- if self._sock_file_in_use(sock_file):
- self._log.log_message("error", "Fail to start xfrout process, unix socket file '%s'"
- " is being used by another xfrout process\n" % sock_file)
- sys.exit(0)
- else:
- if not os.path.exists(sock_file):
- return
- try:
- os.unlink(sock_file)
- except OSError as err:
- self._log.log_message("error", "[b10-xfrout] Fail to remove file %s: %s\n" % (sock_file, err))
- sys.exit(0)
- def _sock_file_in_use(self, sock_file):
- '''Check whether the socket file 'sock_file' exists and
- is being used by one running xfrout process. If it is,
- return True, or else return False. '''
- try:
- sock = socket.socket(socket.AF_UNIX)
- sock.connect(sock_file)
- except socket.error as err:
- return False
- else:
- return True
- def shutdown(self):
- self._write_sock.send(b"shutdown") #terminate the xfrout session thread
- super().shutdown() # call the shutdown() of class socketserver_mixin.NoPollMixIn
- try:
- os.unlink(self._sock_file)
- except Exception as e:
- self._log.log_message('error', str(e))
- def update_config_data(self, new_config):
- '''Apply the new config setting of xfrout module. '''
- self._log.log_message('info', 'update config data start.')
- self._lock.acquire()
- self._max_transfers_out = new_config.get('transfers_out')
- self._log.log_message('info', 'max transfer out : %d', self._max_transfers_out)
- self._lock.release()
- self._log.log_message('info', 'update config data complete.')
- def get_db_file(self):
- file, is_default = self._cc.get_remote_config_value("Auth", "database_file")
- # this too should be unnecessary, but currently the
- # 'from build' override isn't stored in the config
- # (and we don't have indirect python access to datasources yet)
- if is_default and "B10_FROM_BUILD" in os.environ:
- file = os.environ["B10_FROM_BUILD"] + os.sep + "bind10_zones.sqlite3"
- return file
- def increase_transfers_counter(self):
- '''Return False, if counter + 1 > max_transfers_out, or else
- return True
- '''
- ret = False
- self._lock.acquire()
- if self._transfers_counter < self._max_transfers_out:
- self._transfers_counter += 1
- ret = True
- self._lock.release()
- return ret
- def decrease_transfers_counter(self):
- self._lock.acquire()
- self._transfers_counter -= 1
- self._lock.release()
- class XfroutServer:
- def __init__(self):
- self._unix_socket_server = None
- self._log = None
- self._listen_sock_file = UNIX_SOCKET_FILE
- self._shutdown_event = threading.Event()
- self._cc = isc.config.ModuleCCSession(SPECFILE_LOCATION, self.config_handler, self.command_handler)
- self._config_data = self._cc.get_full_config()
- self._cc.start()
- self._cc.add_remote_config(AUTH_SPECFILE_LOCATION);
- self._log = isc.log.NSLogger(self._config_data.get('log_name'), self._config_data.get('log_file'),
- self._config_data.get('log_severity'), self._config_data.get('log_versions'),
- self._config_data.get('log_max_bytes'), True)
- self._start_xfr_query_listener()
- self._start_notifier()
- def _start_xfr_query_listener(self):
- '''Start a new thread to accept xfr query. '''
- self._unix_socket_server = UnixSockServer(self._listen_sock_file, XfroutSession,
- self._shutdown_event, self._config_data,
- self._cc, self._log);
- listener = threading.Thread(target=self._unix_socket_server.serve_forever)
- listener.start()
- def _start_notifier(self):
- datasrc = self._unix_socket_server.get_db_file()
- self._notifier = notify_out.NotifyOut(datasrc, self._log)
- self._notifier.dispatcher()
- def send_notify(self, zone_name, zone_class):
- self._notifier.send_notify(zone_name, zone_class)
- def config_handler(self, new_config):
- '''Update config data. TODO. Do error check'''
- answer = create_answer(0)
- for key in new_config:
- if key not in self._config_data:
- answer = create_answer(1, "Unknown config data: " + str(key))
- continue
- self._config_data[key] = new_config[key]
- if self._log:
- self._log.update_config(new_config)
- if self._unix_socket_server:
- self._unix_socket_server.update_config_data(self._config_data)
- return answer
- def shutdown(self):
- ''' shutdown the xfrout process. The thread which is doing zone transfer-out should be
- terminated.
- '''
- global xfrout_server
- xfrout_server = None #Avoid shutdown is called twice
- self._shutdown_event.set()
- self._notifier.shutdown()
- if self._unix_socket_server:
- self._unix_socket_server.shutdown()
- # Wait for all threads to terminate
- main_thread = threading.currentThread()
- for th in threading.enumerate():
- if th is main_thread:
- continue
- th.join()
- def command_handler(self, cmd, args):
- if cmd == "shutdown":
- self._log.log_message("info", "Received shutdown command.")
- self.shutdown()
- answer = create_answer(0)
- elif cmd == notify_out.ZONE_NEW_DATA_READY_CMD:
- zone_name = args.get('zone_name')
- zone_class = args.get('zone_class')
- if zone_name and zone_class:
- self._log.log_message("info", "zone '%s/%s': receive notify others command" \
- % (zone_name, zone_class))
- self.send_notify(zone_name, zone_class)
- answer = create_answer(0)
- else:
- answer = create_answer(1, "Bad command parameter:" + str(args))
- else:
- answer = create_answer(1, "Unknown command:" + str(cmd))
- return answer
- def run(self):
- '''Get and process all commands sent from cfgmgr or other modules. '''
- while not self._shutdown_event.is_set():
- self._cc.check_command(False)
- xfrout_server = None
- def signal_handler(signal, frame):
- if xfrout_server:
- xfrout_server.shutdown()
- sys.exit(0)
- def set_signal_handler():
- signal.signal(signal.SIGTERM, signal_handler)
- signal.signal(signal.SIGINT, signal_handler)
- def set_cmd_options(parser):
- parser.add_option("-v", "--verbose", dest="verbose", action="store_true",
- help="display more about what is going on")
- if '__main__' == __name__:
- try:
- parser = OptionParser()
- set_cmd_options(parser)
- (options, args) = parser.parse_args()
- VERBOSE_MODE = options.verbose
- set_signal_handler()
- xfrout_server = XfroutServer()
- xfrout_server.run()
- except KeyboardInterrupt:
- sys.stderr.write("[b10-xfrout] exit xfrout process\n")
- except SessionError as e:
- sys.stderr.write("[b10-xfrout] Error creating xfrout, "
- "is the command channel daemon running?\n")
- except SessionTimeout as e:
- sys.stderr.write("[b10-xfrout] Error creating xfrout, "
- "is the configuration manager running?\n")
- except ModuleCCSessionError as e:
- sys.stderr.write("[b10-xfrout] exit xfrout process:%s\n" % str(e))
- if xfrout_server:
- xfrout_server.shutdown()
|