/usr/lib/python3/dist-packages/Pyro4/naming.py is in python3-pyro4 4.23-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | """
Name Server and helper functions.
Pyro - Python Remote Objects. Copyright by Irmen de Jong (irmen@razorvine.net).
"""
from __future__ import with_statement
import re, logging, socket, sys
from Pyro4 import constants, core, socketutil
from Pyro4.threadutil import RLock, Thread
from Pyro4.errors import PyroError, NamingError
import Pyro4
__all__=["locateNS", "resolve", "startNS"]
if sys.version_info>=(3, 0):
basestring=str
log=logging.getLogger("Pyro4.naming")
class NameServer(object):
"""Pyro name server. Provides a simple flat name space to map logical object names to Pyro URIs."""
def __init__(self):
self.namespace={}
self.lock=RLock()
def lookup(self, name):
"""Lookup the given name, returns an URI if found"""
try:
return core.URI(self.namespace[name])
except KeyError:
raise NamingError("unknown name: "+name)
def register(self, name, uri, safe=False):
"""Register a name with an URI. If safe is true, name cannot be registered twice.
The uri can be a string or an URI object."""
if isinstance(uri, core.URI):
uri=uri.asString()
elif not isinstance(uri, basestring):
raise TypeError("only URIs or strings can be registered")
else:
core.URI(uri) # check if uri is valid
if not isinstance(name, basestring):
raise TypeError("name must be a str")
if safe and name in self.namespace:
raise NamingError("name already registered: "+name)
with self.lock:
self.namespace[name]=uri
def remove(self, name=None, prefix=None, regex=None):
"""Remove a registration. returns the number of items removed."""
if name and name in self.namespace and name!=constants.NAMESERVER_NAME:
with self.lock:
del self.namespace[name]
return 1
if prefix:
with self.lock:
items=list(self.list(prefix=prefix).keys())
if constants.NAMESERVER_NAME in items:
items.remove(constants.NAMESERVER_NAME)
for item in items:
del self.namespace[item]
return len(items)
if regex:
with self.lock:
items=list(self.list(regex=regex).keys())
if constants.NAMESERVER_NAME in items:
items.remove(constants.NAMESERVER_NAME)
for item in items:
del self.namespace[item]
return len(items)
return 0
def list(self, prefix=None, regex=None):
"""Retrieve the registered items as a dictionary name-to-URI. The URIs
in the resulting dict are strings, not URI objects.
You can filter by prefix or by regex."""
with self.lock:
if prefix:
result={}
for name in self.namespace:
if name.startswith(prefix):
result[name]=self.namespace[name]
return result
elif regex:
result={}
try:
regex=re.compile(regex+"$") # add end of string marker
except re.error:
x=sys.exc_info()[1]
raise NamingError("invalid regex: "+str(x))
else:
for name in self.namespace:
if regex.match(name):
result[name]=self.namespace[name]
return result
else:
# just return (a copy of) everything
return self.namespace.copy()
def ping(self):
"""A simple test method to check if the name server is running correctly."""
pass
class NameServerDaemon(core.Daemon):
"""Daemon that contains the Name Server."""
def __init__(self, host=None, port=None, unixsocket=None, nathost=None, natport=None):
if Pyro4.config.DOTTEDNAMES:
raise PyroError("Name server won't start with DOTTEDNAMES enabled because of security reasons")
if host is None:
host=Pyro4.config.HOST
if port is None:
port=Pyro4.config.NS_PORT
if nathost is None:
nathost=Pyro4.config.NATHOST
if natport is None:
natport=Pyro4.config.NATPORT or None
super(NameServerDaemon, self).__init__(host, port, unixsocket, nathost=nathost, natport=natport)
self.nameserver=NameServer()
self.register(self.nameserver, constants.NAMESERVER_NAME)
self.nameserver.register(constants.NAMESERVER_NAME, self.uriFor(self.nameserver))
log.info("nameserver daemon created")
def close(self):
super(NameServerDaemon, self).close()
self.nameserver=None
def __enter__(self):
if not self.nameserver:
raise PyroError("cannot reuse this object")
return self
def __exit__(self, exc_type, exc_value, traceback):
self.nameserver=None
return super(NameServerDaemon, self).__exit__(exc_type, exc_value, traceback)
class BroadcastServer(object):
REQUEST_NSURI = "GET_NSURI" if sys.platform=="cli" else b"GET_NSURI"
def __init__(self, nsUri, bchost=None, bcport=None):
self.nsUri=nsUri
if bcport is None:
bcport=Pyro4.config.NS_BCPORT
if bchost is None:
bchost=Pyro4.config.NS_BCHOST
if ":" in nsUri.host: # ipv6
bchost = bchost or "::"
self.sock=Pyro4.socketutil.createBroadcastSocket((bchost, bcport, 0, 0), reuseaddr=Pyro4.config.SOCK_REUSE, timeout=2.0)
else:
self.sock=Pyro4.socketutil.createBroadcastSocket((bchost, bcport), reuseaddr=Pyro4.config.SOCK_REUSE, timeout=2.0)
self._sockaddr=self.sock.getsockname()
bchost=bchost or self._sockaddr[0]
bcport=bcport or self._sockaddr[1]
if ":" in bchost: # ipv6
self.locationStr="[%s]:%d" % (bchost, bcport)
else:
self.locationStr="%s:%d" % (bchost, bcport)
log.info("ns broadcast server created on %s", self.locationStr)
self.running=True
def close(self):
log.debug("ns broadcast server closing")
self.running=False
try:
self.sock.shutdown(socket.SHUT_RDWR)
except (OSError, socket.error):
pass
self.sock.close()
def getPort(self):
return self.sock.getsockname()[1]
def fileno(self):
return self.sock.fileno()
def runInThread(self):
"""Run the broadcast server loop in its own thread. This is mainly for Jython,
which has problems with multiplexing it using select() with the Name server itself."""
thread=Thread(target=self.__requestLoop)
thread.setDaemon(True)
thread.start()
log.debug("broadcast server loop running in own thread")
def __requestLoop(self):
while self.running:
self.processRequest()
log.debug("broadcast server loop terminating")
def processRequest(self):
try:
data, addr=self.sock.recvfrom(100)
if data==self.REQUEST_NSURI:
responsedata=core.URI(self.nsUri)
if responsedata.host=="0.0.0.0":
# replace INADDR_ANY address by the interface IP adress that connects to the requesting client
try:
interface_ip=socketutil.getInterfaceAddress(addr[0])
responsedata.host=interface_ip
except socket.error:
pass
log.debug("responding to broadcast request from %s: interface %s", addr[0], responsedata.host)
responsedata = str(responsedata).encode("iso-8859-1")
self.sock.sendto(responsedata, 0, addr)
except socket.error:
pass
def __enter__(self):
return self
def __exit__(self, exc_type, exc_value, traceback):
self.close()
def startNSloop(host=None, port=None, enableBroadcast=True, bchost=None, bcport=None, unixsocket=None, nathost=None, natport=None):
"""utility function that starts a new Name server and enters its requestloop."""
daemon=NameServerDaemon(host, port, unixsocket, nathost=nathost, natport=natport)
nsUri=daemon.uriFor(daemon.nameserver)
internalUri=daemon.uriFor(daemon.nameserver, nat=False)
bcserver=None
if unixsocket:
hostip="Unix domain socket"
else:
hostip=daemon.sock.getsockname()[0]
if hostip.startswith("127."):
print("Not starting broadcast server for localhost.")
log.info("Not starting NS broadcast server because NS is bound to localhost")
enableBroadcast=False
if enableBroadcast:
# Make sure to pass the internal uri to the broadcast responder.
# It is almost always useless to let it return the external uri,
# because external systems won't be able to talk to this thing anyway.
bcserver=BroadcastServer(internalUri, bchost, bcport)
print("Broadcast server running on %s" % bcserver.locationStr)
bcserver.runInThread()
print("NS running on %s (%s)" % (daemon.locationStr, hostip))
if daemon.natLocationStr:
print("internal URI = %s" % internalUri)
print("external URI = %s" % nsUri)
else:
print("URI = %s" % nsUri)
try:
daemon.requestLoop()
finally:
daemon.close()
if bcserver is not None:
bcserver.close()
print("NS shut down.")
def startNS(host=None, port=None, enableBroadcast=True, bchost=None, bcport=None, unixsocket=None, nathost=None, natport=None):
"""utility fuction to quickly get a Name server daemon to be used in your own event loops.
Returns (nameserverUri, nameserverDaemon, broadcastServer)."""
daemon=NameServerDaemon(host, port, unixsocket, nathost=nathost, natport=natport)
bcserver=None
nsUri=daemon.uriFor(daemon.nameserver)
if not unixsocket:
hostip=daemon.sock.getsockname()[0]
if hostip.startswith("127."):
# not starting broadcast server for localhost.
enableBroadcast=False
if enableBroadcast:
internalUri=daemon.uriFor(daemon.nameserver, nat=False)
bcserver=BroadcastServer(internalUri, bchost, bcport)
return nsUri, daemon, bcserver
def locateNS(host=None, port=None):
"""Get a proxy for a name server somewhere in the network."""
if host is None:
# first try localhost if we have a good chance of finding it there
if Pyro4.config.NS_HOST in ("localhost", "::1") or Pyro4.config.NS_HOST.startswith("127."):
host = Pyro4.config.NS_HOST
if ":" in host: # ipv6
host="[%s]" % host
uristring="PYRO:%s@%s:%d" % (constants.NAMESERVER_NAME, host, port or Pyro4.config.NS_PORT)
log.debug("locating the NS: %s", uristring)
proxy=core.Proxy(uristring)
try:
proxy.ping()
log.debug("located NS")
return proxy
except PyroError:
pass
# broadcast lookup
if not port:
port=Pyro4.config.NS_BCPORT
log.debug("broadcast locate")
sock=Pyro4.socketutil.createBroadcastSocket(reuseaddr=Pyro4.config.SOCK_REUSE, timeout=0.7)
for _ in range(3):
try:
for bcaddr in Pyro4.config.parseAddressesString(Pyro4.config.BROADCAST_ADDRS):
try:
sock.sendto(BroadcastServer.REQUEST_NSURI, 0, (bcaddr, port))
except socket.error:
x=sys.exc_info()[1]
err=getattr(x, "errno", x.args[0])
if err not in Pyro4.socketutil.ERRNO_EADDRNOTAVAIL: # yeah, windows likes to throw these...
if err not in Pyro4.socketutil.ERRNO_EADDRINUSE: # and jython likes to throw thses...
raise
data, _=sock.recvfrom(100)
try:
sock.shutdown(socket.SHUT_RDWR)
except (OSError, socket.error):
pass
sock.close()
if sys.version_info>=(3, 0):
data=data.decode("iso-8859-1")
log.debug("located NS: %s", data)
return core.Proxy(data)
except socket.timeout:
continue
try:
sock.shutdown(socket.SHUT_RDWR)
except (OSError, socket.error):
pass
sock.close()
log.debug("broadcast locate failed, try direct connection on NS_HOST")
# broadcast failed, try PYRO directly on specific host
host=Pyro4.config.NS_HOST
port=Pyro4.config.NS_PORT
# pyro direct lookup
if not port:
port=Pyro4.config.NS_PORT
if ":" in host:
host = "[%s]" % host
if core.URI.isUnixsockLocation(host):
uristring="PYRO:%s@%s" % (constants.NAMESERVER_NAME, host)
else:
uristring="PYRO:%s@%s:%d" % (constants.NAMESERVER_NAME, host, port)
uri=core.URI(uristring)
log.debug("locating the NS: %s", uri)
proxy=core.Proxy(uri)
try:
proxy.ping()
log.debug("located NS")
return proxy
except PyroError as x:
e = NamingError("Failed to locate the nameserver")
e.__cause__=x
raise e
def resolve(uri):
"""Resolve a 'magic' uri (PYRONAME) into the direct PYRO uri."""
if isinstance(uri, basestring):
uri=core.URI(uri)
elif not isinstance(uri, core.URI):
raise TypeError("can only resolve Pyro URIs")
if uri.protocol=="PYRO":
return uri
log.debug("resolving %s", uri)
if uri.protocol=="PYRONAME":
nameserver=locateNS(uri.host, uri.port)
uri=nameserver.lookup(uri.object)
nameserver._pyroRelease()
return uri
else:
raise PyroError("invalid uri protocol")
def main(args):
from optparse import OptionParser
parser=OptionParser()
parser.add_option("-n", "--host", dest="host", help="hostname to bind server on")
parser.add_option("-p", "--port", dest="port", type="int", help="port to bind server on (0=random)")
parser.add_option("-u", "--unixsocket", help="Unix domain socket name to bind server on")
parser.add_option("", "--bchost", dest="bchost", help="hostname to bind broadcast server on (default is \"\")")
parser.add_option("", "--bcport", dest="bcport", type="int",
help="port to bind broadcast server on (0=random)")
parser.add_option("", "--nathost", dest="nathost", help="external hostname in case of NAT")
parser.add_option("", "--natport", dest="natport", type="int", help="external port in case of NAT")
parser.add_option("-x", "--nobc", dest="enablebc", action="store_false", default=True,
help="don't start a broadcast server")
options, args = parser.parse_args(args)
startNSloop(options.host, options.port, enableBroadcast=options.enablebc,
bchost=options.bchost, bcport=options.bcport, unixsocket=options.unixsocket,
nathost=options.nathost, natport=options.natport)
if __name__=="__main__":
main(sys.argv[1:])
|