此问题(Python CGIHTTPServer Default Directories)详细说明了如何为Python CGIHTTPServer设置cgi-bin文件位置的路径。从测试这个,似乎你不能在同一个文件夹中混合.py和.html文件:在cgi-bin中它处理.py文件很好,但要求提供一个静态的html文件我得到
127.0.0.1 - - [08/Jan/2017 10:51:22] "GET /dev.html HTTP/1.1" 200 -
Traceback (most recent call last):
File "/usr/lib/python2.7/CGIHTTPServer.py", line 248, in run_cgi
os.execve(scriptfile, args, env)
OSError: [Errno 8] Exec format error
127.0.0.1 - - [08/Jan/2017 10:51:22] CGI script exit status 0x7f00
这是真正的预期行为,还是我错过了什么?稀疏和不透明的文档说:“但是,如果它猜测它是一个CGI脚本,那么该类将运行CGI脚本,而不是将其作为文件提供。只使用基于目录的CGI - 其他常见的服务器配置是将特殊扩展视为表示CGI脚本。“
我该怎么做“将特殊扩展视为表示CGI脚本”。我使用什么方法或设置,或者我说出哪些魔术词?或者这只是一个措辞不合理的提示,我不能这样做?
我只是将它用于快速测试,虽然我可以重新构建以分离.py和.html文件,但我还有其他约束条件会让这个问题变得很痛苦。
答案 0 :(得分:3)
我从is_cgi()
获取了原始CGIHTTPServer.py
并添加了两个元素
CGIHTTPServer.
CGIHTTPServer._url_collapse_path(self.path)
在文件CGIHTTPServer.py
之外使用它
更重要的是:检查扩展程序
if not tail.endswith('.html'):
但可以做得更好。
我没有使用
if tail.endswith('.py'):
因为如果需要,服务器可以用其他语言执行脚本 - 即。 Perl
,PHP
,Bash
等
代码:
import BaseHTTPServer
import CGIHTTPServer
class MyHandler(CGIHTTPServer.CGIHTTPRequestHandler):
# code from oryginal CGIHTTPServer.py
def is_cgi(self):
# v added `CGIHTTPServer.`
collapsed_path = CGIHTTPServer._url_collapse_path(self.path)
dir_sep = collapsed_path.find('/', 1)
head, tail = collapsed_path[:dir_sep], collapsed_path[dir_sep+1:]
if head in self.cgi_directories:
if not tail.endswith('.html'): # <-- new line
#if tail.endswith('.py'): # <-- new line
self.cgi_info = head, tail
return True
return False
# --- test ---
MyHandler.cgi_directories = ['/']
server = BaseHTTPServer.HTTPServer(('', 8000), MyHandler)
server.serve_forever()
答案 1 :(得分:1)
您需要检测请求的文件类型(py / cgi或静态文件)。 Mimetypes可能有所帮助。 当请求静态文件时,您可以调用另一个传递静态文件的cgi脚本。 顺便说一句。你应该使用wsgi而不是过时的cgi。
我修改了一些我得到的旧代码(py2.7) - 这非常难看,我从未使用它 - 但是当你在'handler.cgi_directory'中放置一个静态文件'dev.html'时,它应该由静态服务的.py。
server.py:
#!/usr/bin/python2
import BaseHTTPServer
import CGIHTTPServer
from mimetypes import MimeTypes
import urllib
class handler(CGIHTTPServer.CGIHTTPRequestHandler):
def is_cgi(self):
mime = MimeTypes()
request = self.path.split('?')
if len(request) == 2:
path, args = request
else:
path, args = request, None
if isinstance(path, list):
path = path[0]
url = urllib.pathname2url(path)
mime_type = mime.guess_type(url)
if 'python' in mime_type[0]:
self.cgi_info = '', self.path[1:]
return True
else:
self.cgi_info = '', '/static.py?path=%s' % path[1:]
print self.cgi_info
return True
server = BaseHTTPServer.HTTPServer
server_address = ("", 8000)
handler.cgi_directories = ["/somedir/..."]
httpd = server(server_address, handler)
httpd.serve_forever()
static.py:
#!/usr/bin/python2
import cgi
import urllib
from mimetypes import MimeTypes
form = cgi.FieldStorage()
mime = MimeTypes()
path = form.getvalue('path')
url = urllib.pathname2url(path)
mime_type = mime.guess_type(url)
print """Content-type: %s""" % mime
print
print open(path, 'r').read()