Code

better error message
[roundup.git] / cgi-bin / roundup.cgi
1 #!/usr/bin/env python
2 #
3 # Copyright (c) 2001 Bizar Software Pty Ltd (http://www.bizarsoftware.com.au/)
4 # This module is free software, and you may redistribute it and/or modify
5 # under the same terms as Python, so long as this copyright message and
6 # disclaimer are retained in their original form.
7 #
8 # IN NO EVENT SHALL BIZAR SOFTWARE PTY LTD BE LIABLE TO ANY PARTY FOR
9 # DIRECT, INDIRECT, SPECIAL, INCIDENTAL, OR CONSEQUENTIAL DAMAGES ARISING
10 # OUT OF THE USE OF THIS CODE, EVEN IF THE AUTHOR HAS BEEN ADVISED OF THE
11 # POSSIBILITY OF SUCH DAMAGE.
12 #
13 # BIZAR SOFTWARE PTY LTD SPECIFICALLY DISCLAIMS ANY WARRANTIES, INCLUDING,
14 # BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS
15 # FOR A PARTICULAR PURPOSE.  THE CODE PROVIDED HEREUNDER IS ON AN "AS IS"
16 # BASIS, AND THERE IS NO OBLIGATION WHATSOEVER TO PROVIDE MAINTENANCE,
17 # SUPPORT, UPDATES, ENHANCEMENTS, OR MODIFICATIONS.
18
19 # $Id: roundup.cgi,v 1.28 2002-09-04 04:30:58 richard Exp $
21 # python version check
22 from roundup import version_check
23 from roundup.i18n import _
24 import sys
26 #
27 ##  Configuration
28 #
30 # Configuration can also be provided through the OS environment (or via
31 # the Apache "SetEnv" configuration directive). If the variables
32 # documented below are set, they _override_ any configuation defaults
33 # given in this file. 
35 # ROUNDUP_INSTANCE_HOMES is a list of instances, in the form
36 # "NAME=DIR<sep>NAME2=DIR2<sep>...", where <sep> is the directory path
37 # separator (";" on Windows, ":" on Unix). 
39 # ROUNDUP_LOG is the name of the logfile; if it's empty or does not exist,
40 # logging is turned off (unless you changed the default below). 
42 # ROUNDUP_DEBUG is a debug level, currently only 0 (OFF) and 1 (ON) are
43 # used in the code. Higher numbers means more debugging output. 
45 # This indicates where the Roundup instance lives
46 ROUNDUP_INSTANCE_HOMES = {
47     'demo': '/var/roundup/instances/demo',
48 }
50 # Where to log debugging information to. Use an instance of DevNull if you
51 # don't want to log anywhere.
52 class DevNull:
53     def write(self, info):
54         pass
55     def close(self):
56         pass
57 #LOG = open('/var/log/roundup.cgi.log', 'a')
58 LOG = DevNull()
60 #
61 ##  end configuration
62 #
65 #
66 # Set up the error handler
67
68 try:
69     import traceback, StringIO, cgi
70     from roundup import cgitb
71 except:
72     print "Content-Type: text/plain\n"
73     print _("Failed to import cgitb!\n\n")
74     s = StringIO.StringIO()
75     traceback.print_exc(None, s)
76     print s.getvalue()
79 #
80 # Check environment for config items
81 #
82 def checkconfig():
83     import os, string
84     global ROUNDUP_INSTANCE_HOMES, LOG
86     homes = os.environ.get('ROUNDUP_INSTANCE_HOMES', '')
87     if homes:
88         ROUNDUP_INSTANCE_HOMES = {}
89         for home in string.split(homes, os.pathsep):
90             try:
91                 name, dir = string.split(home, '=', 1)
92             except ValueError:
93                 # ignore invalid definitions
94                 continue
95             if name and dir:
96                 ROUNDUP_INSTANCE_HOMES[name] = dir
97                 
98     logname = os.environ.get('ROUNDUP_LOG', '')
99     if logname:
100         LOG = open(logname, 'a')
102     # ROUNDUP_DEBUG is checked directly in "roundup.cgi.client"
106 # Provide interface to CGI HTTP response handling
108 class RequestWrapper:
109     '''Used to make the CGI server look like a BaseHTTPRequestHandler
110     '''
111     def __init__(self, wfile):
112         self.wfile = wfile
113     def write(self, data):
114         self.wfile.write(data)
115     def send_response(self, code):
116         self.write('Status: %s\r\n'%code)
117     def send_header(self, keyword, value):
118         self.write("%s: %s\r\n" % (keyword, value))
119     def end_headers(self):
120         self.write("\r\n")
123 # Main CGI handler
125 def main(out, err):
126     import os, string
127     import roundup.instance
128     path = string.split(os.environ.get('PATH_INFO', '/'), '/')
129     request = RequestWrapper(out)
130     request.path = os.environ.get('PATH_INFO', '/')
131     instance = path[1]
132     os.environ['INSTANCE_NAME'] = instance
133     os.environ['PATH_INFO'] = string.join(path[2:], '/')
134     if ROUNDUP_INSTANCE_HOMES.has_key(instance):
135         # redirect if we need a trailing '/'
136         if len(path) == 2:
137             request.send_response(301)
138             absolute_url = 'http://%s%s/'%(os.environ['HTTP_HOST'],
139                 os.environ['REQUEST_URI'])
140             request.send_header('Location', absolute_url)
141             request.end_headers()
142             out.write('Moved Permanently')
143         else:
144             instance_home = ROUNDUP_INSTANCE_HOMES[instance]
145             instance = roundup.instance.open(instance_home)
146             from roundup.cgi.client import Unauthorised, NotFound
147             client = instance.Client(instance, request, os.environ)
148             try:
149                 client.main()
150             except Unauthorised:
151                 request.send_response(403)
152                 request.send_header('Content-Type', 'text/html')
153                 request.end_headers()
154                 out.write('Unauthorised')
155             except NotFound:
156                 request.send_response(404)
157                 request.send_header('Content-Type', 'text/html')
158                 request.end_headers()
159                 out.write('Not found: %s'%client.path)
161     else:
162         import urllib
163         request.send_response(200)
164         request.send_header('Content-Type', 'text/html')
165         request.end_headers()
166         w = request.write
167         w(_('<html><head><title>Roundup instances index</title></head>\n'))
168         w(_('<body><h1>Roundup instances index</h1><ol>\n'))
169         homes = ROUNDUP_INSTANCE_HOMES.keys()
170         homes.sort()
171         for instance in homes:
172             w(_('<li><a href="%(instance_url)s/index">%(instance_name)s</a>\n')%{
173                 'instance_url': os.environ['SCRIPT_NAME']+'/'+urllib.quote(instance),
174                 'instance_name': cgi.escape(instance)})
175         w(_('</ol></body></html>'))
178 # Now do the actual CGI handling
180 out, err = sys.stdout, sys.stderr
181 try:
182     # force input/output to binary (important for file up/downloads)
183     if sys.platform == "win32":
184         import os, msvcrt
185         msvcrt.setmode(sys.stdin.fileno(), os.O_BINARY)
186         msvcrt.setmode(sys.stdout.fileno(), os.O_BINARY)
187     checkconfig()
188     sys.stdout = sys.stderr = LOG
189     main(out, err)
190 except SystemExit:
191     pass
192 except:
193     sys.stdout, sys.stderr = out, err
194     out.write('Content-Type: text/html\n\n')
195     cgitb.handler()
196 sys.stdout.flush()
197 sys.stdout, sys.stderr = out, err
198 LOG.close()
201 # $Log: not supported by cvs2svn $
202 # Revision 1.27  2002/09/04 02:11:00  richard
203 # *** empty log message ***
205 # Revision 1.26  2002/09/04 01:58:33  richard
206 # fix cgi client importing
208 # Revision 1.25  2002/08/22 00:14:18  richard
209 # Fix to be able to report errors even if the cgi module can't be imported(!)
211 # Revision 1.24  2002/01/05 02:21:22  richard
212 # fixes
214 # Revision 1.23  2002/01/05 02:19:03  richard
215 # i18n'ification
217 # Revision 1.22  2001/12/13 00:20:01  richard
218 #  . Centralised the python version check code, bumped version to 2.1.1 (really
219 #    needs to be 2.1.2, but that isn't released yet :)
221 # Revision 1.21  2001/12/02 05:06:16  richard
222 # . We now use weakrefs in the Classes to keep the database reference, so
223 #   the close() method on the database is no longer needed.
224 #   I bumped the minimum python requirement up to 2.1 accordingly.
225 # . #487480 ] roundup-server
226 # . #487476 ] INSTALL.txt
228 # I also cleaned up the change message / post-edit stuff in the cgi client.
229 # There's now a clearly marked "TODO: append the change note" where I believe
230 # the change note should be added there. The "changes" list will obviously
231 # have to be modified to be a dict of the changes, or somesuch.
233 # More testing needed.
235 # Revision 1.20  2001/11/26 22:55:56  richard
236 # Feature:
237 #  . Added INSTANCE_NAME to configuration - used in web and email to identify
238 #    the instance.
239 #  . Added EMAIL_SIGNATURE_POSITION to indicate where to place the roundup
240 #    signature info in e-mails.
241 #  . Some more flexibility in the mail gateway and more error handling.
242 #  . Login now takes you to the page you back to the were denied access to.
244 # Fixed:
245 #  . Lots of bugs, thanks Roché and others on the devel mailing list!
247 # Revision 1.19  2001/11/22 00:25:10  richard
248 # quick fix for file uploads on windows in roundup.cgi
250 # Revision 1.18  2001/11/06 22:10:11  jhermann
251 # Added env config; fixed request wrapper & index list; sort list by key
253 # Revision 1.17  2001/11/06 21:51:19  richard
254 # Fixed HTTP headers for top-level index in CGI script
256 # Revision 1.16  2001/11/01 22:04:37  richard
257 # Started work on supporting a pop3-fetching server
258 # Fixed bugs:
259 #  . bug #477104 ] HTML tag error in roundup-server
260 #  . bug #477107 ] HTTP header problem
262 # Revision 1.15  2001/10/29 23:55:44  richard
263 # Fix to CGI top-level index (thanks Juergen Hermann)
265 # Revision 1.14  2001/10/27 00:22:35  richard
266 # Fixed some URL issues in roundup.cgi, again thanks Juergen Hermann.
268 # Revision 1.13  2001/10/05 02:23:24  richard
269 #  . roundup-admin create now prompts for property info if none is supplied
270 #    on the command-line.
271 #  . hyperdb Class getprops() method may now return only the mutable
272 #    properties.
273 #  . Login now uses cookies, which makes it a whole lot more flexible. We can
274 #    now support anonymous user access (read-only, unless there's an
275 #    "anonymous" user, in which case write access is permitted). Login
276 #    handling has been moved into cgi_client.Client.main()
277 #  . The "extended" schema is now the default in roundup init.
278 #  . The schemas have had their page headings modified to cope with the new
279 #    login handling. Existing installations should copy the interfaces.py
280 #    file from the roundup lib directory to their instance home.
281 #  . Incorrectly had a Bizar Software copyright on the cgitb.py module from
282 #    Ping - has been removed.
283 #  . Fixed a whole bunch of places in the CGI interface where we should have
284 #    been returning Not Found instead of throwing an exception.
285 #  . Fixed a deviation from the spec: trying to modify the 'id' property of
286 #    an item now throws an exception.
288 # Revision 1.12  2001/10/01 05:55:41  richard
289 # Fixes to the top-level index
291 # Revision 1.11  2001/09/29 13:27:00  richard
292 # CGI interfaces now spit up a top-level index of all the instances they can
293 # serve.
295 # Revision 1.10  2001/08/07 00:24:42  richard
296 # stupid typo
298 # Revision 1.9  2001/08/07 00:15:51  richard
299 # Added the copyright/license notice to (nearly) all files at request of
300 # Bizar Software.
302 # Revision 1.8  2001/08/05 07:43:52  richard
303 # Instances are now opened by a special function that generates a unique
304 # module name for the instances on import time.
306 # Revision 1.7  2001/08/03 01:28:33  richard
307 # Used the much nicer load_package, pointed out by Steve Majewski.
309 # Revision 1.6  2001/08/03 00:59:34  richard
310 # Instance import now imports the instance using imp.load_module so that
311 # we can have instance homes of "roundup" or other existing python package
312 # names.
314 # Revision 1.5  2001/07/29 07:01:39  richard
315 # Added vim command to all source so that we don't get no steenkin' tabs :)
317 # Revision 1.4  2001/07/23 04:47:27  anthonybaxter
318 # renamed ROUNDUPS to ROUNDUP_INSTANCE_HOMES
319 # sys.exit(0) if python version wrong.
321 # Revision 1.3  2001/07/23 04:33:30  richard
322 # brought the CGI instance config dict in line with roundup-server
324 # Revision 1.2  2001/07/23 04:31:40  richard
325 # Fixed the roundup CGI script for updates to cgi_client.py
327 # Revision 1.1  2001/07/22 11:47:07  richard
328 # More Grande Splite
331 # vim: set filetype=python ts=4 sw=4 et si