This file is indexed.

/usr/share/pyshared/albatross/app.py is in python-albatross 1.36-5.5.

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
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
#
# Copyright 2001 by Object Craft P/L, Melbourne, Australia.
#
# LICENCE - see LICENCE file distributed with this software for details.
#
# Application support which all application types inherit from

import os
import sys
import imp
import urlparse

from albatross.context import NamespaceMixin, ExecuteMixin, ResourceMixin,\
     NameRecorderMixin, HiddenFieldSessionMixin, PickleSignMixin,\
     CachingTemplateLoaderMixin, _caller_globals

from albatross.session import SessionServerContextMixin,\
     SessionServerAppMixin

from albatross import tags

from albatross.common import *


class Redirect:

    def __init__(self, loc):
        self.loc = loc

class ResponseMixin:
    '''
    Maintain an ordered, case-insensitive dictionary of headers.
    '''

    def __init__(self):
        self.__sent_headers = False
        self.__seqnum = 0
        self.__headers = {}
        self.set_header('Pragma', 'no-cache')
        self.set_header('Cache-Control', 'no-cache')
        self.set_header('Content-Type', 'text/html')

    def get_header(self, name):
        try:
            seqnum, name, value = self.__headers[name.lower()]
        except KeyError:
            pass
        else:
            return value

    def set_header(self, name, value):
        """
        Sets a header to the given value, overriding any
        previous value.
        """
        if self.__sent_headers:
            raise ApplicationError('headers have already been sent')
        name_lower = name.lower()
        try:
            seqnum, name, old_value = self.__headers[name_lower]
        except KeyError:
            self.__headers[name_lower] = (self.__seqnum, name, [value])
            self.__seqnum += 1
        else:
            self.__headers[name_lower] = (seqnum, name, [value])

    def add_header(self, name, value):
        """
        Sets the value of the name header to value in
        the internal store, appending the new header
        immediately after any existing headers of the
        same name.
        """
        if self.__sent_headers:
            raise ApplicationError('headers have already been sent')
        name_lower = name.lower()
        try:
            seqnum, name, old_value = self.__headers[name_lower]
        except KeyError:
            self.__headers[name_lower] = (self.__seqnum, name, [value])
            self.__seqnum += self.__seqnum
        else:
            old_value.append(value)
            self.__headers[name_lower] = (seqnum, name, old_value)

    def del_header(self, name):
        if self.__sent_headers:
            raise ApplicationError('headers have already been sent')
        try:
            del self.__headers[name.lower()]
        except KeyError:
            pass

    def write_headers(self):
        if self.__sent_headers:
            raise ApplicationError('headers have already been sent')
        headers = self.__headers.values()
        headers.sort()
        for seqnum, name, values in headers:
            for value in values:
                self.request.write_header(name, value)
        self.request.end_headers()
        self.__sent_headers = True

    def send_content(self, data):
        if not self.__sent_headers:
            self.write_headers()
        self.request.write_content(data)

    def send_redirect(self, loc):
        cookies = self.get_header('Set-Cookie')
        if cookies:
            for cookie in cookies:
                self.request.write_header('Set-Cookie', cookie)
        return self.request.redirect(loc)


# With an application object the registration of resources is managed
# by the application.
class AppContext(NamespaceMixin, ResponseMixin, ExecuteMixin):

    def __init__(self, app):
        NamespaceMixin.__init__(self)
        ResponseMixin.__init__(self)
        ExecuteMixin.__init__(self)
        self.locals.__page__ = None
        self.locals.__pages__ = []
        self.app = app
        self.__current_uri = None

    # ----------------------------------------------------
    # Serve all requests for resources via the application

    def get_macro(self, name):
        return self.app.get_macro(name)

    def register_macro(self, name, macro):
        return self.app.register_macro(name, macro)

    def get_lookup(self, name):
        return self.app.get_lookup(name)

    def register_lookup(self, name, lookup):
        return self.app.register_lookup(name, lookup)

    def get_tagclass(self, name):
        return self.app.get_tagclass(name)

    # ----------------------------------------------------
    # Serve all requests for templates via the application

    def load_template(self, name):
        return self.app.load_template(name)

    def load_template_once(self, name):
        return self.app.load_template_once(name)

    def run_template(self, name):
        templ = self.app.load_template(name)
        self.set_globals(_caller_globals('run_template'))
        templ.to_html(self)

    def run_template_once(self, name):
        templ = self.app.load_template_once(name)
        if templ:
            self.set_globals(_caller_globals('run_template_once'))
            templ.to_html(self)

    # ----------------------------------------------------
    # Introduce some application specific methods
    def clear_locals(self):
        page, pages = self.locals.__page__, self.locals.__pages__
        NamespaceMixin.clear_locals(self)
        self.locals.__page__, self.locals.__pages__ = page, pages

    def __enter_page(self, name, args):
        self.locals.__page__ = name
        self.app.load_page(self)
        self.app.page_enter(self, args)

    def __leave_page(self, new_page_name):
        if self.locals.__page__ \
           and self.locals.__page__ != new_page_name:
            self.app.load_page(self)
            self.app.page_leave(self)

    def set_page(self, name, *args):
        self.__leave_page(name)
        self.__enter_page(name, args)

    def push_page(self, name, *args):
        if self.locals.__page__ \
           and self.locals.__page__ != name:
            self.locals.__pages__.append(self.locals.__page__)
        self.__enter_page(name, args)

    def pop_page(self, target_page = None):
        while True:
            try:
                name = self.locals.__pages__.pop()
            except IndexError:
                raise ApplicationError('pop_page: page stack is empty')
            self.__leave_page(name)
            self.locals.__page__ = name
            self.app.load_page(self)
            if target_page is None or target_page == name:
                break

    def set_request(self, req):
        self.request = req

    def req_equals(self, name):
        try:
            if self.request.field_value(name):
                return True
        except KeyError:
            try:
                if self.request.field_value(name + '.x'):
                    return True
            except KeyError:
                pass
        return False

    def base_url(self):
        return self.app.base_url()

    def parsed_request_uri(self):
        if self.__current_uri is None:
            self.__current_uri = urlparse.urlparse(self.request.get_uri())[:3]
        return self.__current_uri

    def current_url(self):
        return self.parsed_request_uri()[2]

    def absolute_base_url(self):
        this_path = self.current_url()
        base_path = urlparse.urlparse(self.base_url())[2]
        pos = this_path.find(base_path)
        if pos < 0:
            raise ApplicationError('base_url "%s" not found in request url "%s"' % (base_path, this_path))
        return this_path[:pos + len(base_path)]

    def redirect_url(self, loc):
        scheme, netloc, path = urlparse.urlparse(loc)[:3]
        if scheme or netloc:
            return loc                  # Already absolute
        scheme, netloc, path = self.parsed_request_uri()
        if loc.startswith('/'):
            return urlparse.urlunparse((scheme, netloc, loc, '', '', ''))
        new_base = self.absolute_base_url()
        if not new_base.endswith('/'):
            new_base = new_base + '/'
        return urlparse.urlunparse((scheme, netloc, new_base + loc, '', '', ''))

    def redirect(self, loc):
        raise Redirect(self.redirect_url(loc))


# Basic application processing sequence is implemented in a class
# which is then subclassed in cgiapp and modapp.
class Application(ResourceMixin):

    def __init__(self, base_url):
        ResourceMixin.__init__(self)
        self.register_tagclasses(*tags.tags)
        # Use a base_url of '/' if not provided
        if base_url:
            self.__base_url = base_url
        else:
            self.__base_url = '/'

    def run(self, req):
        '''Process a single browser request
        '''
        ctx = None
        try:
            ctx = self.create_context()
            ctx.set_request(req)
            self.load_session(ctx)
            self.load_page(ctx)
            if self.validate_request(ctx):
                self.merge_request(ctx)
                self.process_request(ctx)
            self.display_response(ctx)
            self.save_session(ctx)
            ctx.flush_content()
        except Redirect, e:
            self.save_session(ctx)
            return ctx.send_redirect(e.loc)
        except:
            self.handle_exception(ctx, req)
        return req.return_code()

    def format_exception(self):
        import traceback
        import linecache
        etype, value, tb = sys.exc_info()
        try:
            pyexc = ''.join(traceback.format_exception(etype, value, tb))
            lines = []
            lines.append('Template traceback (most recent call last):')
            for tup in self.template_traceback(tb):
                lines.append('  File "%s", line %s, in %s' % tup)
                line = linecache.getline(tup[0], tup[1]).rstrip()
                if line:
                    lines.append(line)
            htmlexc = '\n'.join(lines)
        finally:
            del etype, value, tb
        return pyexc, htmlexc

    def handle_exception(self, ctx, req):
        pyexc, htmlexc = map(tags.escape, self.format_exception())
        req.set_status(HTTP_INTERNAL_SERVER_ERROR)
        req.write_header('Content-Type', 'text/html')
        req.end_headers()
        try:
            tmp_ctx = self.create_context()
            tmp_ctx.set_request(req)
            tmp_ctx.locals.python_exc = pyexc
            tmp_ctx.locals.html_exc = htmlexc
            templ = self.load_template('traceback.html')
            templ.to_html(tmp_ctx)
            tmp_ctx.flush_content()
        except:
            req.write_content('<pre>')
            req.write_content(htmlexc)
            req.write_content('\n\n')
            req.write_content(pyexc)
            req.write_content('</pre>')
        if ctx:
            self.remove_session(ctx)

    def template_traceback(self, tb):
        tmpl_frames = []
        prev = None
        while tb is not None:
            f = tb.tb_frame
            if 'self' in f.f_locals:
                obj = f.f_locals['self']
                if hasattr(obj, 'line_num'):
                    tag = (obj.filename, obj.line_num, obj.name)
                    if tag != prev:
                        tmpl_frames.append(tag)
                        prev = tag
            tb = tb.tb_next
        return tmpl_frames

    def load_session(self, ctx):
        ctx.load_session()

    def save_session(self, ctx):
        ctx.save_session()

    def remove_session(self, ctx):
        ctx.remove_session()

    def validate_request(self, ctx):
        return True

    def base_url(self):
        return self.__base_url

    def merge_request(self, ctx):
        ctx.merge_request()

    def pickle_sign(self, text):
        return ''

    def pickle_unsign(self, text):
        return ''

# ------------------------------------------------------------------
# Page processing handlers
# ------------------------------------------------------------------


# A caching page module loader which only reloads the page module it
# has been modified.
class PageModuleMixin:

    '''Caching module loader
    '''

    mod_holder_name = '__alpage__'

    def __init__(self, base_dir, start_page):
        self.__base_dir = base_dir
        self.__start_page = start_page

    def module_path(self):
        return self.__base_dir

    def start_page(self):
        return self.__start_page

    def load_page(self, ctx):
        if ctx.locals.__page__:
            self.load_page_module(ctx, ctx.locals.__page__)
        else:
            ctx.set_page(self.start_page())     # recursively calls load_page

    def is_page_module(self, name):
        return name.startswith(self.mod_holder_name)

    def load_page_module(self, ctx, name):
        mod_path = name.replace('/', '.').split('.')
        if mod_path[0] != self.mod_holder_name:
            mod_path.insert(0, self.mod_holder_name)
        # Create module path out of dummy modules, if needed
        for i in range(len(mod_path) - 1, 0, -1):
            mod_name = '.'.join(mod_path[:i])
            try:
                sys.modules[mod_name]
                break
            except KeyError:
                sys.modules[mod_name] = imp.new_module(mod_name)
        # Now see if it's already loaded
        mod_name = '.'.join(mod_path)
        try:
            module = sys.modules[mod_name]
        except KeyError:
            # Nope
            pass
        else:
            # The name exists, but is it a dummy or the real thing?
            if hasattr(module, '__file__'):
                # Real? Then return it
                ctx.page = module
                return module
            # Dummy? but we want the real thing... so continue
        mod_dir = os.path.join(self.__base_dir, *mod_path[1:-1])
        try:
            f, filepath, desc = imp.find_module(mod_path[-1], [mod_dir])
        except ImportError, e:
            raise ApplicationError('%s (in %s)' % (e, mod_dir))
        try:
            module = imp.load_module(mod_name, f, filepath, desc)
        finally:
            if f:
                f.close()
        if not (hasattr(module, 'page_enter') or
                hasattr(module, 'page_leave') or
                hasattr(module, 'page_process') or
                hasattr(module, 'page_display')):
            raise ApplicationError('module "%s" does not define one of page_enter, page_leave, page_process or page_display' % (name))
        sys.modules[mod_name] = ctx.page = module
        return module

    def page_enter(self, ctx, args):
        func = getattr(ctx.page, 'page_enter', None)
        if func is not None:
            func(ctx, *args)

    def page_leave(self, ctx):
        func = getattr(ctx.page, 'page_leave', None)
        if func is not None:
            func(ctx)

    def process_request(self, ctx):
        func = getattr(ctx.page, 'page_process', None)
        if func is not None:
            func(ctx)

    def display_response(self, ctx):
        func = getattr(ctx.page, 'page_display', None)
        if func is not None:
            func(ctx)


# A page loader in which pages are implemented in objects.
class PageObjectMixin:

    def __init__(self, start_page):
        self.__start_page = start_page
        self.__page_objects = {}

    def is_page_module(self, name):
        return False

    def start_page(self):
        return self.__start_page

    def register_page(self, name, obj):
        self.__page_objects[name] = obj

    def load_page(self, ctx):
        if ctx.locals.__page__:
            ctx.page = ctx.locals.__page__
        else:
            ctx.set_page(self.start_page())     # recursively calls load_page

    def page_enter(self, ctx, args):
        obj = self.__page_objects[ctx.page]
        func = getattr(obj, 'page_enter', None)
        if func is not None:
            func(ctx, *args)

    def page_leave(self, ctx):
        obj = self.__page_objects[ctx.page]
        func = getattr(obj, 'page_leave', None)
        if func is not None:
            func(ctx)

    def process_request(self, ctx):
        obj = self.__page_objects[ctx.page]
        func = getattr(obj, 'page_process', None)
        if func is not None:
            func(ctx)

    def display_response(self, ctx):
        obj = self.__page_objects[ctx.page]
        func = getattr(obj, 'page_display', None)
        if func is not None:
            func(ctx)

# ------------------------------------------------------------------
# Prepackaged application contexts
# ------------------------------------------------------------------


# Simple application context simply stores field names in form to
# allow empty fields to be set to None.  Also saves state in hidden
# form fields.
class SimpleAppContext(AppContext,
                       NameRecorderMixin,
                       HiddenFieldSessionMixin):

    def __init__(self, app):
        AppContext.__init__(self, app)
        NameRecorderMixin.__init__(self)
        HiddenFieldSessionMixin.__init__(self)

    def form_close(self):
        use_multipart_enc = NameRecorderMixin.form_close(self)
        HiddenFieldSessionMixin.form_close(self)
        return use_multipart_enc


# Session state is stored server side
class SessionAppContext(AppContext,
                        NameRecorderMixin,
                        SessionServerContextMixin):

    def __init__(self, app):
        AppContext.__init__(self, app)
        NameRecorderMixin.__init__(self)
        SessionServerContextMixin.__init__(self)

# ------------------------------------------------------------------
# Prepackaged application objects
# ------------------------------------------------------------------


# Page processing is implemented in methods of page objects
class SimpleApp(PickleSignMixin,
                Application,
                CachingTemplateLoaderMixin,
                PageObjectMixin):

    def __init__(self, base_url, template_path, start_page, secret):
        Application.__init__(self, base_url)
        PickleSignMixin.__init__(self, secret)
        CachingTemplateLoaderMixin.__init__(self, template_path)
        PageObjectMixin.__init__(self, start_page)

    def create_context(self):
        return SimpleAppContext(self)


# Same as SimpleApp with server-side session support
class SimpleSessionApp(PickleSignMixin,
                       Application,
                       CachingTemplateLoaderMixin,
                       PageObjectMixin,
                       SessionServerAppMixin):

    def __init__(self, base_url, template_path, start_page, secret,
                 session_appid, session_server = 'localhost', 
                 server_port = 34343, session_age = 1800):
        Application.__init__(self, base_url)
        PickleSignMixin.__init__(self, secret)
        CachingTemplateLoaderMixin.__init__(self, template_path)
        PageObjectMixin.__init__(self, start_page)
        SessionServerAppMixin.__init__(self, session_appid, session_server, 
                                       server_port, session_age)

    def create_context(self):
        return SessionAppContext(self)


# Page processing is implemented in functions of page modules
class ModularApp(PickleSignMixin,
                 Application,
                 CachingTemplateLoaderMixin,
                 PageModuleMixin):

    def __init__(self, base_url, module_path, template_path, start_page, secret):
        Application.__init__(self, base_url)
        PickleSignMixin.__init__(self, secret)
        CachingTemplateLoaderMixin.__init__(self, template_path)
        PageModuleMixin.__init__(self, module_path, start_page)

    def create_context(self):
        return SimpleAppContext(self)


# Same as ModularApp with server-side session support
class ModularSessionApp(PickleSignMixin,
                        Application,
                        CachingTemplateLoaderMixin,
                        PageModuleMixin,
                        SessionServerAppMixin):

    def __init__(self, base_url, module_path, template_path, start_page, secret,
                 session_appid, session_server = 'localhost', 
                 server_port = 34343, session_age = 1800):
        Application.__init__(self, base_url)
        PickleSignMixin.__init__(self, secret)
        CachingTemplateLoaderMixin.__init__(self, template_path)
        PageModuleMixin.__init__(self, module_path, start_page)
        SessionServerAppMixin.__init__(self, session_appid, session_server, 
                                       server_port, session_age)

    def create_context(self):
        return SessionAppContext(self)