blob: c43b7f4f69653d6251dacb4eb4b4434573f2890d [file] [log] [blame]
Guido van Rossum23acc951994-02-21 16:36:04 +00001# Open an arbitrary URL
2#
3# See the following document for a tentative description of URLs:
4# Uniform Resource Locators Tim Berners-Lee
5# INTERNET DRAFT CERN
6# IETF URL Working Group 14 July 1993
7# draft-ietf-uri-url-01.txt
8#
Guido van Rossum749057b1994-02-22 19:03:38 +00009# The object returned by URLopener().open(file) will differ per
10# protocol. All you know is that is has methods read(), readline(),
11# readlines(), fileno(), close() and info(). The read*(), fileno()
12# and close() methods work like those of open files.
Guido van Rossum23acc951994-02-21 16:36:04 +000013# The info() method returns an rfc822.Message object which can be
14# used to query various info about the object, if available.
15# (rfc822.Message objects are queried with the getheader() method.)
16
17import socket
18import regex
Guido van Rossum23acc951994-02-21 16:36:04 +000019
20
Guido van Rossum749057b1994-02-22 19:03:38 +000021# This really consists of two pieces:
22# (1) a class which handles opening of all sorts of URLs
23# (plus assorted utilities etc.)
24# (2) a set of functions for parsing URLs
25# XXX Should these be separated out into different modules?
26
27
28# Shortcut for basic usage
29_urlopener = None
Guido van Rossum23acc951994-02-21 16:36:04 +000030def urlopen(url):
Guido van Rossum749057b1994-02-22 19:03:38 +000031 global _urlopener
32 if not _urlopener:
33 _urlopener = URLopener()
34 return _urlopener.open(url)
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000035def urlretrieve(url):
36 global _urlopener
37 if not _urlopener:
38 _urlopener = URLopener()
39 return _urlopener.retrieve(url)
Guido van Rossum67e22c21994-03-02 11:28:34 +000040def urlcleanup():
41 if _urlopener:
42 _urlopener.cleanup()
Guido van Rossum23acc951994-02-21 16:36:04 +000043
44
Guido van Rossum749057b1994-02-22 19:03:38 +000045# Class to open URLs.
46# This is a class rather than just a subroutine because we may need
47# more than one set of global protocol-specific options.
Guido van Rossum23acc951994-02-21 16:36:04 +000048ftpcache = {}
Guido van Rossum749057b1994-02-22 19:03:38 +000049class URLopener:
50
51 # Constructor
52 def __init__(self):
53 self.addheaders = []
Guido van Rossum67e22c21994-03-02 11:28:34 +000054 self.tempcache = {}
Guido van Rossum914973a1994-02-24 15:55:43 +000055 self.ftpcache = ftpcache
Guido van Rossum749057b1994-02-22 19:03:38 +000056 # Undocumented feature: you can use a different
57 # ftp cache by assigning to the .ftpcache member;
58 # in case you want logically independent URL openers
59
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000060 def __del__(self):
61 self.close()
62
63 def close(self):
64 self.cleanup()
65
66 def cleanup(self):
67 import os
Guido van Rossum67e22c21994-03-02 11:28:34 +000068 for url in self.tempcache.keys():
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000069 try:
Guido van Rossum67e22c21994-03-02 11:28:34 +000070 os.unlink(self.tempcache[url][0])
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000071 except os.error:
72 pass
Guido van Rossum67e22c21994-03-02 11:28:34 +000073 del self.tempcache[url]
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000074
Guido van Rossum749057b1994-02-22 19:03:38 +000075 # Add a header to be used by the HTTP interface only
76 # e.g. u.addheader('Accept', 'sound/basic')
77 def addheader(self, *args):
78 self.addheaders.append(args)
79
80 # External interface
81 # Use URLopener().open(file) instead of open(file, 'r')
82 def open(self, url):
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000083 type, url = splittype(unwrap(url))
84 if not type: type = 'file'
Guido van Rossum749057b1994-02-22 19:03:38 +000085 name = 'open_' + type
86 if '-' in name:
87 import regsub
88 name = regsub.gsub('-', '_', name)
89 if not hasattr(self, name):
90 raise IOError, ('url error', 'unknown url type', type)
Guido van Rossum749057b1994-02-22 19:03:38 +000091 try:
Guido van Rossum914973a1994-02-24 15:55:43 +000092 return getattr(self, name)(url)
Guido van Rossum749057b1994-02-22 19:03:38 +000093 except socket.error, msg:
94 raise IOError, ('socket error', msg)
95
Guido van Rossumd5b9ea11994-02-24 13:50:39 +000096 # External interface
97 # retrieve(url) returns (filename, None) for a local object
98 # or (tempfilename, headers) for a remote object
99 def retrieve(self, url):
Guido van Rossum67e22c21994-03-02 11:28:34 +0000100 if self.tempcache.has_key(url):
101 return self.tempcache[url]
102 url1 = unwrap(url)
103 if self.tempcache.has_key(url1):
104 self.tempcache[url] = self.tempcache[url1]
105 return self.tempcache[url1]
106 type, url1 = splittype(url1)
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000107 if not type or type == 'file':
108 try:
109 fp = self.open_local_file(url1)
Guido van Rossum914973a1994-02-24 15:55:43 +0000110 del fp
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000111 return splithost(url1)[1], None
112 except IOError, msg:
113 pass
114 fp = self.open(url)
Guido van Rossum67e22c21994-03-02 11:28:34 +0000115 headers = fp.info()
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000116 import tempfile
117 tfn = tempfile.mktemp()
Guido van Rossum67e22c21994-03-02 11:28:34 +0000118 self.tempcache[url] = result = tfn, headers
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000119 tfp = open(tfn, 'w')
120 bs = 1024*8
121 block = fp.read(bs)
122 while block:
123 tfp.write(block)
124 block = fp.read(bs)
Guido van Rossum914973a1994-02-24 15:55:43 +0000125 del fp
126 del tfp
Guido van Rossum67e22c21994-03-02 11:28:34 +0000127 return result
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000128
Guido van Rossum749057b1994-02-22 19:03:38 +0000129 # Each method named open_<type> knows how to open that type of URL
130
131 # Use HTTP protocol
132 def open_http(self, url):
133 import httplib
134 host, selector = splithost(url)
135 h = httplib.HTTP(host)
136 h.putrequest('GET', selector)
137 for args in self.addheaders: apply(h.putheader, args)
138 errcode, errmsg, headers = h.getreply()
139 if errcode == 200: return addinfo(h.getfile(), headers)
140 else: raise IOError, ('http error', errcode, errmsg, headers)
141
142 # Use Gopher protocol
143 def open_gopher(self, url):
144 import gopherlib
145 host, selector = splithost(url)
146 type, selector = splitgophertype(selector)
147 selector, query = splitquery(selector)
148 if query: fp = gopherlib.send_query(selector, query, host)
149 else: fp = gopherlib.send_selector(selector, host)
150 return addinfo(fp, noheaders())
151
152 # Use local file or FTP depending on form of URL
153 def open_file(self, url):
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000154 try:
155 return self.open_local_file(url)
156 except IOError:
157 return self.open_ftp(url)
158
159 # Use local file
160 def open_local_file(self, url):
Guido van Rossum749057b1994-02-22 19:03:38 +0000161 host, file = splithost(url)
162 if not host: return addinfo(open(file, 'r'), noheaders())
163 host, port = splitport(host)
164 if not port and socket.gethostbyname(host) in (
165 localhost(), thishost()):
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000166 return addinfo(open(file, 'r'), noheaders())
167 raise IOError, ('local file error', 'not on local host')
Guido van Rossum749057b1994-02-22 19:03:38 +0000168
169 # Use FTP protocol
170 def open_ftp(self, url):
171 host, file = splithost(url)
Guido van Rossumd66acb41994-03-04 12:10:33 +0000172 if not host: raise IOError, ('ftp error', 'no host given')
Guido van Rossum749057b1994-02-22 19:03:38 +0000173 host, port = splitport(host)
174 host = socket.gethostbyname(host)
175 if not port:
176 import ftplib
177 port = ftplib.FTP_PORT
178 key = (host, port)
179 try:
180 if not self.ftpcache.has_key(key):
181 self.ftpcache[key] = ftpwrapper(host, port)
182 return addinfo(self.ftpcache[key].retrfile(file),
183 noheaders())
184 except ftperrors(), msg:
185 raise IOError, ('ftp error', msg)
186
187
188# Utility functions
189
190# Return the IP address of the magic hostname 'localhost'
191_localhost = None
192def localhost():
193 global _localhost
194 if not _localhost:
195 _localhost = socket.gethostbyname('localhost')
196 return _localhost
197
198# Return the IP address of the current host
199_thishost = None
200def thishost():
201 global _thishost
202 if not _thishost:
203 _thishost = socket.gethostbyname(socket.gethostname())
204 return _thishost
205
206# Return the set of errors raised by the FTP class
207_ftperrors = None
208def ftperrors():
209 global _ftperrors
210 if not _ftperrors:
211 import ftplib
212 _ftperrors = (ftplib.error_reply,
213 ftplib.error_temp,
214 ftplib.error_perm,
215 ftplib.error_proto)
216 return _ftperrors
217
218# Return an empty rfc822.Message object
219_noheaders = None
220def noheaders():
221 global _noheaders
222 if not _noheaders:
223 import rfc822
224 _noheaders = rfc822.Message(open('/dev/null', 'r'))
225 _noheaders.fp.close() # Recycle file descriptor
226 return _noheaders
Guido van Rossum23acc951994-02-21 16:36:04 +0000227
228
229# Utility classes
230
Guido van Rossum23acc951994-02-21 16:36:04 +0000231# Class used by open_ftp() for cache of open FTP connections
232class ftpwrapper:
233 def __init__(self, host, port):
234 self.host = host
235 self.port = port
236 self.init()
237 def init(self):
Guido van Rossum749057b1994-02-22 19:03:38 +0000238 import ftplib
Guido van Rossum23acc951994-02-21 16:36:04 +0000239 self.ftp = ftplib.FTP()
240 self.ftp.connect(self.host, self.port)
241 self.ftp.login()
242 def retrfile(self, file):
Guido van Rossum749057b1994-02-22 19:03:38 +0000243 import ftplib
Guido van Rossum23acc951994-02-21 16:36:04 +0000244 try:
245 self.ftp.voidcmd('TYPE I')
246 except ftplib.all_errors:
247 self.init()
248 self.ftp.voidcmd('TYPE I')
249 conn = None
250 if file:
251 try:
252 cmd = 'RETR ' + file
253 conn = self.ftp.transfercmd(cmd)
254 except ftplib.error_perm, reason:
255 if reason[:3] != '550':
256 raise IOError, ('ftp error', reason)
257 if not conn:
258 # Try a directory listing
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000259 if file: cmd = 'LIST ' + file
260 else: cmd = 'LIST'
Guido van Rossum23acc951994-02-21 16:36:04 +0000261 conn = self.ftp.transfercmd(cmd)
Guido van Rossum749057b1994-02-22 19:03:38 +0000262 return addclosehook(conn.makefile('r'), self.ftp.voidresp)
Guido van Rossum23acc951994-02-21 16:36:04 +0000263
Guido van Rossum749057b1994-02-22 19:03:38 +0000264# Base class for addinfo and addclosehook
265class addbase:
266 def __init__(self, fp):
267 self.fp = fp
Guido van Rossum23acc951994-02-21 16:36:04 +0000268 self.read = self.fp.read
Guido van Rossum749057b1994-02-22 19:03:38 +0000269 self.readline = self.fp.readline
270 self.readlines = self.fp.readlines
Guido van Rossum23acc951994-02-21 16:36:04 +0000271 self.fileno = self.fp.fileno
Guido van Rossum914973a1994-02-24 15:55:43 +0000272 def __repr__(self):
273 return '<%s at %s whose fp = %s>' % (
274 self.__class__.__name__, `id(self)`, `self.fp`)
Guido van Rossum23acc951994-02-21 16:36:04 +0000275 def __del__(self):
276 self.close()
277 def close(self):
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000278 self.read = None
279 self.readline = None
280 self.readlines = None
281 self.fileno = None
Guido van Rossum23acc951994-02-21 16:36:04 +0000282 self.fp = None
Guido van Rossum749057b1994-02-22 19:03:38 +0000283
284# Class to add a close hook to an open file
285class addclosehook(addbase):
286 def __init__(self, fp, closehook, *hookargs):
287 addbase.__init__(self, fp)
288 self.closehook = closehook
289 self.hookargs = hookargs
290 def close(self):
291 if self.closehook:
292 apply(self.closehook, self.hookargs)
293 self.closehook = None
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000294 self.hookargs = None
295 addbase.close(self)
Guido van Rossum749057b1994-02-22 19:03:38 +0000296
297# class to add an info() method to an open file
298class addinfo(addbase):
299 def __init__(self, fp, headers):
300 addbase.__init__(self, fp)
301 self.headers = headers
302 def info(self):
303 return self.headers
Guido van Rossum23acc951994-02-21 16:36:04 +0000304
305
Guido van Rossumd1df83b1994-03-07 11:45:36 +0000306# Utility to combine a URL with a base URL to form a new URL
307
308def basejoin(base, url):
309 type, path = splittype(url)
310 if type: return url
311 host, path = splithost(path)
312 basetype, basepath = splittype(base)
313 basehost, basepath = splithost(basepath)
314 basepath, basetag = splittag(basepath)
315 basepath, basequery = splitquery(basepath)
316 type = basetype or 'file'
317 if path[:1] != '/':
318 import string
319 i = string.rfind(basepath, '/')
320 if i < 0: basepath = '/'
321 else: basepath = basepath[:i+1]
322 path = basepath + path
323 if not host: host = basehost
324 if host: return type + '://' + host + path
325 else: return type + ':' + path
326
327
Guido van Rossum749057b1994-02-22 19:03:38 +0000328# Utilities to parse URLs:
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000329# unwrap('<URL:type//host/path>') --> 'type//host/path'
Guido van Rossum23acc951994-02-21 16:36:04 +0000330# splittype('type:opaquestring') --> 'type', 'opaquestring'
331# splithost('//host[:port]/path') --> 'host[:port]', '/path'
332# splitport('host:port') --> 'host', 'port'
333# splitquery('/path?query') --> '/path', 'query'
334# splittag('/path#tag') --> '/path', 'tag'
335# splitgophertype('/Xselector') --> 'X', 'selector'
336
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000337def unwrap(url):
338 import string
339 url = string.strip(url)
340 if url[:1] == '<' and url[-1:] == '>':
341 url = string.strip(url[1:-1])
342 if url[:4] == 'URL:': url = string.strip(url[4:])
343 return url
344
Guido van Rossum749057b1994-02-22 19:03:38 +0000345_typeprog = regex.compile('^\([^/:]+\):\(.*\)$')
Guido van Rossum23acc951994-02-21 16:36:04 +0000346def splittype(url):
Guido van Rossum749057b1994-02-22 19:03:38 +0000347 if _typeprog.match(url) >= 0: return _typeprog.group(1, 2)
Guido van Rossum23acc951994-02-21 16:36:04 +0000348 return None, url
349
Guido van Rossum749057b1994-02-22 19:03:38 +0000350_hostprog = regex.compile('^//\([^/]+\)\(.*\)$')
Guido van Rossum23acc951994-02-21 16:36:04 +0000351def splithost(url):
Guido van Rossum749057b1994-02-22 19:03:38 +0000352 if _hostprog.match(url) >= 0: return _hostprog.group(1, 2)
Guido van Rossum23acc951994-02-21 16:36:04 +0000353 return None, url
354
Guido van Rossum749057b1994-02-22 19:03:38 +0000355_portprog = regex.compile('^\(.*\):\([0-9]+\)$')
Guido van Rossum23acc951994-02-21 16:36:04 +0000356def splitport(host):
Guido van Rossum749057b1994-02-22 19:03:38 +0000357 if _portprog.match(host) >= 0: return _portprog.group(1, 2)
Guido van Rossum23acc951994-02-21 16:36:04 +0000358 return host, None
359
Guido van Rossum749057b1994-02-22 19:03:38 +0000360_queryprog = regex.compile('^\(.*\)\?\([^?]*\)$')
Guido van Rossum23acc951994-02-21 16:36:04 +0000361def splitquery(url):
Guido van Rossum749057b1994-02-22 19:03:38 +0000362 if _queryprog.match(url) >= 0: return _queryprog.group(1, 2)
Guido van Rossum23acc951994-02-21 16:36:04 +0000363 return url, None
364
Guido van Rossum749057b1994-02-22 19:03:38 +0000365_tagprog = regex.compile('^\(.*\)#\([^#]*\)$')
Guido van Rossum23acc951994-02-21 16:36:04 +0000366def splittag(url):
Guido van Rossum749057b1994-02-22 19:03:38 +0000367 if _tagprog.match(url) >= 0: return _tagprog.group(1, 2)
Guido van Rossum23acc951994-02-21 16:36:04 +0000368 return url, None
369
370def splitgophertype(selector):
371 if selector[:1] == '/' and selector[1:2]:
372 return selector[1], selector[2:]
373 return None, selector
374
375
376# Test program
377def test():
378 import sys
Guido van Rossum749057b1994-02-22 19:03:38 +0000379 import regsub
Guido van Rossum23acc951994-02-21 16:36:04 +0000380 args = sys.argv[1:]
381 if not args:
382 args = [
383 '/etc/passwd',
384 'file:/etc/passwd',
385 'file://localhost/etc/passwd',
386 'ftp://ftp.cwi.nl/etc/passwd',
387 'gopher://gopher.cwi.nl/11/',
388 'http://www.cwi.nl/index.html',
389 ]
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000390 try:
391 for url in args:
392 print '-'*10, url, '-'*10
393 fn, h = urlretrieve(url)
394 print fn, h
395 if h:
396 print '======'
397 for k in h.keys(): print k + ':', h[k]
398 print '======'
399 fp = open(fn, 'r')
400 data = fp.read()
Guido van Rossum914973a1994-02-24 15:55:43 +0000401 del fp
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000402 print regsub.gsub('\r', '', data)
Guido van Rossum914973a1994-02-24 15:55:43 +0000403 fn, h = None, None
Guido van Rossumd5b9ea11994-02-24 13:50:39 +0000404 print '-'*40
405 finally:
Guido van Rossum67e22c21994-03-02 11:28:34 +0000406 urlcleanup()
Guido van Rossum23acc951994-02-21 16:36:04 +0000407
408# Run test program when run as a script
409if __name__ == '__main__':
410 test()