nfd-status-http-server.py
Go to the documentation of this file.
1 #!/usr/bin/env python3
2 # -*- Mode: python; py-indent-offset: 4; indent-tabs-mode: nil; coding: utf-8; -*-
3 
4 """
5 Copyright (c) 2014-2018, Regents of the University of California,
6  Arizona Board of Regents,
7  Colorado State University,
8  University Pierre & Marie Curie, Sorbonne University,
9  Washington University in St. Louis,
10  Beijing Institute of Technology,
11  The University of Memphis.
12 
13 This file is part of NFD (Named Data Networking Forwarding Daemon).
14 See AUTHORS.md for complete list of NFD authors and contributors.
15 
16 NFD is free software: you can redistribute it and/or modify it under the terms
17 of the GNU General Public License as published by the Free Software Foundation,
18 either version 3 of the License, or (at your option) any later version.
19 
20 NFD is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY;
21 without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR
22 PURPOSE. See the GNU General Public License for more details.
23 
24 You should have received a copy of the GNU General Public License along with
25 NFD, e.g., in COPYING.md file. If not, see <http://www.gnu.org/licenses/>.
26 """
27 
28 from http.server import HTTPServer, SimpleHTTPRequestHandler
29 from socketserver import ThreadingMixIn
30 import argparse, ipaddress, os, socket, subprocess
31 
32 
33 class NfdStatusHandler(SimpleHTTPRequestHandler):
34  """ The handler class to handle requests """
35  def do_GET(self):
36  if self.path == "/":
37  self.__serveReport()
38  elif self.path == "/robots.txt" and self.server.allowRobots:
39  self.send_error(404)
40  else:
41  super().do_GET()
42 
43  def __serveReport(self):
44  """ Obtain XML-formatted NFD status report and send it back as response body """
45  try:
46  # enable universal_newlines to get output as string rather than byte sequence
47  output = subprocess.check_output(["nfdc", "status", "report", "xml"], universal_newlines=True)
48  except OSError as err:
49  super().log_message("error invoking nfdc: {}".format(err))
50  self.send_error(500)
51  except subprocess.CalledProcessError as err:
52  super().log_message("error invoking nfdc: command exited with status {}".format(err.returncode))
53  self.send_error(504, "Cannot connect to NFD (code {})".format(err.returncode))
54  else:
55  # add stylesheet processing instruction after the XML document type declaration
56  # (yes, this is a ugly hack)
57  pos = output.index(">") + 1
58  xml = output[:pos]\
59  + '<?xml-stylesheet type="text/xsl" href="nfd-status.xsl"?>'\
60  + output[pos:]
61  self.send_response(200)
62  self.send_header("Content-Type", "text/xml; charset=UTF-8")
63  self.end_headers()
64  self.wfile.write(xml.encode())
65 
66  # override
67  def log_message(self, *args):
68  if self.server.verbose:
69  super().log_message(*args)
70 
71 
72 class ThreadingHttpServer(ThreadingMixIn, HTTPServer):
73  """ Handle requests using threads """
74  def __init__(self, bindAddr, port, handler, allowRobots=False, verbose=False):
75  # socketserver.BaseServer defaults to AF_INET even if you provide an IPv6 address
76  # see https://bugs.python.org/issue20215 and https://bugs.python.org/issue24209
77  if bindAddr.version == 6:
78  self.address_family = socket.AF_INET6
79  self.allowRobots = allowRobots
80  self.verbose = verbose
81  super().__init__((str(bindAddr), port), handler)
82 
83 
84 def main():
85  def ipAddress(arg):
86  """ Validate IP address """
87  try:
88  value = ipaddress.ip_address(arg)
89  except ValueError:
90  raise argparse.ArgumentTypeError("{!r} is not a valid IP address".format(arg))
91  return value
92 
93  def portNumber(arg):
94  """ Validate port number """
95  try:
96  value = int(arg)
97  except ValueError:
98  value = -1
99  if value < 0 or value > 65535:
100  raise argparse.ArgumentTypeError("{!r} is not a valid port number".format(arg))
101  return value
102 
103  parser = argparse.ArgumentParser(description="Serves NFD status page via HTTP")
104  parser.add_argument("-V", "--version", action="version", version="@VERSION@")
105  parser.add_argument("-a", "--address", default="127.0.0.1", type=ipAddress, metavar="ADDR",
106  help="bind to this IP address (default: %(default)s)")
107  parser.add_argument("-p", "--port", default=8080, type=portNumber,
108  help="bind to this port number (default: %(default)s)")
109  parser.add_argument("-f", "--workdir", default="@DATAROOTDIR@/ndn", metavar="DIR",
110  help="server's working directory (default: %(default)s)")
111  parser.add_argument("-r", "--robots", action="store_true",
112  help="allow crawlers and other HTTP bots")
113  parser.add_argument("-v", "--verbose", action="store_true",
114  help="turn on verbose logging")
115  args = parser.parse_args()
116 
117  os.chdir(args.workdir)
118 
119  httpd = ThreadingHttpServer(args.address, args.port, NfdStatusHandler,
120  allowRobots=args.robots, verbose=args.verbose)
121 
122  if httpd.address_family == socket.AF_INET6:
123  url = "http://[{}]:{}"
124  else:
125  url = "http://{}:{}"
126  print("Server started at", url.format(*httpd.server_address))
127 
128  try:
129  httpd.serve_forever()
130  except KeyboardInterrupt:
131  pass
132  httpd.server_close()
133 
134 
135 if __name__ == "__main__":
136  main()
def __init__(self, bindAddr, port, handler, allowRobots=False, verbose=False)