2
我使用python:如何覆盖SimpleHTTPServer在目录列表中显示时间戳?
python -m SimpleHTTPServer
为内部用户访问测试服务器上的数据文件非常简单的Web服务器。
SimpleHTTPServer
的默认列表非常简单。它只显示文件链接。
我怎样才能让它显示文件的时间戳呢?我很高兴地编写自定义类SimpleHTTPServer
我使用Python 2.4.3此刻
我使用python:如何覆盖SimpleHTTPServer在目录列表中显示时间戳?
python -m SimpleHTTPServer
为内部用户访问测试服务器上的数据文件非常简单的Web服务器。
SimpleHTTPServer
的默认列表非常简单。它只显示文件链接。
我怎样才能让它显示文件的时间戳呢?我很高兴地编写自定义类SimpleHTTPServer
我使用Python 2.4.3此刻
你可以继承SimpleHTTPRequestHandler
扩展:
import cgi, os, SocketServer, sys, time, urllib
from SimpleHTTPServer import SimpleHTTPRequestHandler
from StringIO import StringIO
class DirectoryHandler(SimpleHTTPRequestHandler):
def list_directory(self, path):
try:
list = os.listdir(path)
except os.error:
self.send_error(404, "No permission to list directory")
return None
list.sort(key=lambda a: a.lower())
f = StringIO()
displaypath = cgi.escape(urllib.unquote(self.path))
f.write('<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 3.2 Final//EN">')
f.write("<html>\n<title>Directory listing for %s</title>\n" % displaypath)
f.write("<body>\n<h2>Directory listing for %s</h2>\n" % displaypath)
f.write("<hr>\n<ul>\n")
for name in list:
fullname = os.path.join(path, name)
displayname = linkname = name
date_modified = time.ctime(os.path.getmtime(fullname))
# Append/for directories or @ for symbolic links
if os.path.isdir(fullname):
displayname = name + "/"
linkname = name + "/"
if os.path.islink(fullname):
displayname = name + "@"
# Note: a link to a directory displays with @ and links with/
f.write('<li><a href="%s">%s - %s</a>\n'
% (urllib.quote(linkname), cgi.escape(displayname), date_modified))
f.write("</ul>\n<hr>\n</body>\n</html>\n")
length = f.tell()
f.seek(0)
self.send_response(200)
encoding = sys.getfilesystemencoding()
self.send_header("Content-type", "text/html; charset=%s" % encoding)
self.send_header("Content-Length", str(length))
self.end_headers()
return f
httpd = SocketServer.TCPServer(("", 8000), DirectoryHandler)
print "serving at port", 8000
httpd.serve_forever()
这可能看起来像一个大量的工作,但实际上我只是添加一行到list_directory
方法:
date_modified = time.ctime(os.path.getmtime(fullname))
...然后将它添加到目录列表输出。
只是意识到var'linkname'并不完全正确。它应该是:linkname = os.path.join(displaypath,displayname)。再次感谢解决方案。 –
'httpd = SocketServer.TCPServer((“”,8000),DirectoryHandler)' 应该是: 'BaseHTTPServer.HTTPServer(server_address,DirectoryHandler)' 在文件顶部额外导入BaseHTTPServer –