Ejemplo n.º 1
0
    def set_cookie(self, varname, value, expires = None):
        # httponly tells the browser not to make this cookie available to Javascript.
        # But it is only available from Python 2.6+. Be compatible.
        try:
            c = Cookie.Cookie(varname, make_utf8(value), path='/', httponly=True)
        except AttributeError:
            c = Cookie.Cookie(varname, make_utf8(value), path='/')

        if self.is_ssl_request():
            c.secure = True

        if expires is not None:
            c.expires = expires

        self.set_http_header("Set-Cookie", str(c))
Ejemplo n.º 2
0
def general_authenhandler(req, req_type, anon_ok=False):
    pw = req.get_basic_auth_pw()
    cookies = Cookie.get_cookies(req)
    if not cookies.has_key('csrftoken'):
        cookie = Cookie.Cookie(
            'csrftoken',
            hashlib.md5(str(random.randrange(0, 2 << 63))).hexdigest())
        cookie.path = '/'
        if config.get('session', 'cookie_host') != '':
            cookie.domain = config.get('session', 'cookie_host')
        Cookie.add_cookie(req, cookie)
    if cookies.has_key('myemsl_session'):
        sql = "select user_name from myemsl.eus_auth where session_id = %(sid)s"
        cnx = myemsldb_connect(myemsl_schema_versions=['1.0'])
        cursor = cnx.cursor()
        cursor.execute(sql, {'sid': cookies['myemsl_session'].value})
        rows = cursor.fetchall()
        found = False
        for row in rows:
            req.user = row[0]
            found = True
        if found:
            logger.debug("Session: %s", str(cookies['myemsl_session'].value))
            #FIXME outage_check seems to be in the wrong place for a myemsl database outage.
            return outage_check(req, req_type)
    elif anon_ok:
        req.user = ''
        return outage_check(req, req_type)
    url = urllib.quote(req.unparsed_uri)
    redirect(req, "/myemsl/auth?url=%s" % (url))
    return apache.HTTP_UNAUTHORIZED
Ejemplo n.º 3
0
 def set_cookie(self, coname, codata, expires=None):
     if self.reallympy:
         from mod_python import Cookie
         cookie = Cookie.Cookie(coname, codata)
         #for simplicity
         cookie.path = '/'
         if expires: cookie.expires = expires
         Cookie.add_cookie(self.mpyreq, cookie)
Ejemplo n.º 4
0
def index(req):
    req.content_type = "text/html"
    html = open("/var/www/html/templates/home.html").read()
    cookie_string = "False, RmFsc2U="
    cookie = Cookie.Cookie("admin", cookie_string)
    timestamp = time.time() + 300
    cookie.expires = timestamp
    Cookie.add_cookie(req, cookie)
    req.write(html)
Ejemplo n.º 5
0
    def set(self, var, val):

        ck = scs.encode(self.s, val, len(val))
        if ck is None:
            raise Exception, 'failed scs.encode()'

        c = Cookie.Cookie(var, ck)
        Cookie.add_cookie(self.req, c)

        return ck
Ejemplo n.º 6
0
    def set_cookie(self, varname, value, expires = None):
        c = Cookie.Cookie(varname, value, path = '/')
        if expires is not None:
            c.expires = expires

        if not self.req.headers_out.has_key("Set-Cookie"):
            self.req.headers_out.add("Cache-Control", 'no-cache="set-cookie"')
            self.req.err_headers_out.add("Cache-Control", 'no-cache="set-cookie"')

        self.req.headers_out.add("Set-Cookie", str(c))
        self.req.err_headers_out.add("Set-Cookie", str(c))
Ejemplo n.º 7
0
    def set_cookie(self, varname, value, expires = None):
        # httponly tells the browser not to make this cookie available to Javascript
        c = Cookie.Cookie(varname, make_utf8(value), path='/', httponly=True)

        if self.is_ssl_request():
            c.secure = True

        if expires is not None:
            c.expires = expires

        self.set_http_header("Set-Cookie", str(c))
Ejemplo n.º 8
0
def log_user_in(p_username):
    from mod_python import Cookie
    import time
    import uuid

    session_id = None

    while True:
        session_id = uuid.uuid4()

        ((is_unique_session, ), ) = global_variables.g_sql.execqry(
            "SELECT * FROM saveSessionID('" + str(session_id) + "', '" +
            p_username + "')", True)
        if is_unique_session:
            break

    c = Cookie.Cookie('session_id', session_id)
    c.expires = time.time() + 432000.0
    Cookie.add_cookie(global_variables.g_req, c)
Ejemplo n.º 9
0
def index(req):

    req.content_type = 'text/html; charset=utf-8'
    form = req.form or util.FieldStorage(req)
    txt = '{}'

    v = search(r'view\.py\?v=(.*)$', req.unparsed_uri, re.DOTALL)

    a = form.get('a', None)  # action
    n = form.get('n', None)  # number
    f = form.get('f', None)  # file
    c = form.get('c', None)  # command

    if v:
        obj = play_obj(v)
        playURL(v, getOption(req))
        txt = json.dumps(obj.__dict__)

    elif f:
        obj = play_obj(f)
        playURL(f)
        txt = json.dumps(obj.__dict__)

    elif a:
        obj = act_obj(a, n)
        sendACT(a, n)
        txt = json.dumps(obj.__dict__)

    elif c:
        status = handleCmd(c)
        obj = cmd_obj(status)
        txt = json.dumps(obj.__dict__)

    pb_cookie = Cookie.Cookie('playbackMode',
                              xurl.readLocal(conf.playbackMode))
    Cookie.add_cookie(req, pb_cookie)
    req.write(txt)

    return
Ejemplo n.º 10
0
def index(req):
    import user
    import command

    cli = req.form.get("cli", None)
    if cli != None:
        cli = cli.value
    session = req.form.get("session", None)
    if session != None:
        session = session.value
    #no session
    if session == None:
        jar = Cookie.get_cookies(req)
        if "session" in jar:
            session = jar.get("session", None)
            if session != None:
                session = session.value
            currentuser = user.User(session)
            if cli == None:
                cli = "LOGIN"
        else:
            currentuser = user.User()
            if cli == None:
                cli = "INITIALIZE"
    else:
        currentuser = user.User(session)
        if cli == None:
            cli = "LOGIN"

    cmdarg = cli.split(' ', 1)
    cmd = cmdarg[0]
    args = ""
    if len(cmdarg) > 1:
        args = cmdarg[1]

    callback = req.form.get("callback", None)

    class u413(object):
        def __init__(self, u):
            self.j = {
                "Command": "",
                "ContextText": u.context,
                "CurrentUser": u.name,
                "EditText": None,
                "SessionId": u.session,
                "TerminalTitle": "Terminal - " + u.name,
                "ClearScreen": False,
                "Exit": False,
                "PasswordField": False,
                "ScrollToBottom": True,
                "DisplayItems": [],
                "Notification": None
            }
            self.cmds = command.cmds
            self.user = u
            self.cont = False
            self.cookies = []
            self.cmddata = u.cmddata
            self.mute = u.mute

        def type(self, text, mute=None):
            if mute == None:
                mute = self.mute
            self.j["DisplayItems"].append({
                "Text": text,
                "DontType": False,
                "Mute": mute
            })

        def donttype(self, text, mute=None):
            if mute == None:
                mute = self.mute
            self.j["DisplayItems"].append({
                "Text": text,
                "DontType": True,
                "Mute": mute
            })

        def set_context(self, context):
            self.j["ContextText"] = context
            self.user.context = context

        def set_title(self, title):
            self.j["TerminalTitle"] = title

        def edit_text(self, text):
            self.j["EditText"] = text

        def clear_screen(self):
            self.j["ClearScreen"] = True

        def scroll_down(self):
            self.j["ScrollToBottom"] = True

        def use_password(self):
            self.j["PasswordField"] = True

        def continue_cmd(self):
            self.cont = True
            self.user.cmd = self.j["Command"]

        def set_cookie(self, cookie, value):
            self.cookies.append({"name": cookie, "value": value})

        def exit(self):
            self.j["Exit"] = True

        def notify(self, notification):
            self.j["Notification"] = notification

        def exec_js(self, start, cleanup=''):
            out = ''
            if cleanup != '':
                out += '<div id="mark"></div>'
            out += '<script type="text/javascript">' + start
            if cleanup != '':
                out += '$("#mark").data("cleanup",function(){%s});' % cleanup
            out += '</script>'
            self.donttype(out)

    u = u413(currentuser)

    try:
        import database as db
        import time

        import initialize
        import echo
        import ping
        import login
        import logout
        import register
        import who
        import desu
        import clear
        import boards
        import wall
        import nsfwall
        import history
        import whois
        import users
        import mute
        import alias

        import topic
        import reply
        import newtopic
        import board
        import edit
        import delete
        import move

        import first
        import last
        import prev
        import next
        import refresh

        import help

        import messages
        import message
        import newmessage

        import chat

        import sql

        import pi
        import pirates
        import b
        import turkey
        import cosmos
        import do
        import rude

        command.respond(cli, u)

        if u.cont:
            u.j["Command"] = currentuser.cmd

            if currentuser.cmd != '':
                cmd = currentuser.cmd
            db.query(
                "UPDATE sessions SET expire=DATE_ADD(NOW(),INTERVAL 6 HOUR),cmd='%s',cmddata='%s',context='%s' WHERE id='%s';"
                % (cmd, db.escape(repr(
                    u.cmddata)), currentuser.context, currentuser.session))
        else:
            db.query(
                "UPDATE sessions SET expire=DATE_ADD(NOW(),INTERVAL 6 HOUR),cmd='',cmddata='{}',context='%s' WHERE id='%s';"
                % (currentuser.context, currentuser.session))

        if callback == None:
            req.content_type = 'application/json'
        else:
            req.content_type = 'application/javascript'

        for cookie in u.cookies:
            Cookie.add_cookie(req,
                              Cookie.Cookie(cookie["name"], cookie["value"]))
        session = Cookie.Cookie('session', currentuser.session)
        session.expires = time.time() + 6 * 60 * 60
        Cookie.add_cookie(req, session)

        msgs = int(
            db.query(
                "SELECT COUNT(*) FROM messages WHERE receiver=%i AND seen=FALSE;"
                % currentuser.userid)[0]["COUNT(*)"])
        if msgs > 0:
            u.notify("You have %i new messages in your inbox." % msgs)

        if callback == None:
            return json.dumps(u.j)
        else:
            return callback + '(' + json.dumps(u.j) + ')'
    except Exception as e:
        import traceback
        u.donttype('<span class="error">' + traceback.format_exc().replace(
            '&', '&amp;').replace('<', '&lt;').replace('>', '&gt;').replace(
                '\n', '<br/>').replace(' ' * 4, '<span class="tab"></tab>') +
                   '</span>')

        req.content_type = "application/json"
        session = Cookie.Cookie('session', currentuser.session)
        session.expires = time.time() + 6 * 60 * 60
        if callback == None:
            return json.dumps(u.j)
        else:
            return callback + '(' + json.dumps(u.j) + ')'
Ejemplo n.º 11
0
def handler(req):
    session = Session.Session(req)

    # Initialize the page body
    body = []

    try:
        advname = session['advname']
    except:
        advname = None

    try:
        state = session['state']
    except:
        state = None

    try:
        last_prompt = session['prompt']
    except:
        last_prompt = None

    try:
        screen_buffer = session['screen_buffer']
    except:
        screen_buffer = None

    if screen_buffer:
        screen_buffer = screen_buffer.split('\n')

    if not hasattr(req, 'form'):
        req.form = util.FieldStorage(req)

    new_advname = req.form.getfirst('advname')
    if req.form.has_key('enter'):
        command = req.form.getfirst('command')
        if command == None:
            command = ''
    else:
        command = None

    output_buffer = []
    has_suspended_game = False

    if new_advname:
        # Check for bad characters in name, which could be a security issue
        # when the name is passed as part of a command argument (also
        # potentially a problem when making the cookie name).
        if new_advname.isalnum():
            advname = new_advname
            session["advname"] = advname
        else:
            advname = None
            session["advname"] = None

    if advname:
        cookies = Cookie.get_cookies(req)
        try:
            cookie = cookies['explore_suspended_game_%s' % (advname)]
            suspend = cookie.value
            #suspend_param = " -s '" + suspend.replace("'", r"\'") + "'"
            has_suspended_game = True
        except:
            suspend = None
            suspend_param = ""

        #req.write("Command = " + repr(command) + "\n")
        if command != None:
            #fp = os.popen("python /home/html/explore_files/explore.py -c '" + command.replace("'", r"\'") + "' -f /home/html/explore_files/" + advname + ".exp -r '" + state.replace("'", r"\'") + "'" + suspend_param)
            output = play_once('/home/html/explore_files/' + advname + '.exp',
                               command, state, suspend)

            if last_prompt:
                output_buffer.append(last_prompt + command)
            else:
                output_buffer.append("?" + command)

            explore_log(
                "In game: " + advname + " - Issuing command: " + command,
                req.connection.remote_ip)
        else:
            # Clear screen
            screen_buffer = None

            #fp = os.popen("python /home/html/explore_files/explore.py --one-shot -f /home/html/explore_files/" + advname + ".exp" + suspend_param)
            output = play_once('/home/html/explore_files/' + advname + '.exp',
                               None, None, suspend)

            explore_log("Starting game: " + advname, req.connection.remote_ip)

        state = None
        prompt = None
        won = False
        dead = False
        quit = False

        #for line in fp:
        for line in output:
            #line = line.strip()

            if len(line) == 0:
                output_buffer.append(" ")
            else:
                if line[0] == "%":
                    if line[1:8] == "PROMPT=":
                        prompt = line[8:]
                    elif line[1:7] == "STATE=":
                        state = line[7:]
                    elif line[1:4] == "WIN":
                        won = True
                    elif line[1:4] == "DIE":
                        dead = True
                    elif line[1:4] == "END":
                        quit = True
                    elif line[1:8] == "SUSPEND" and state:
                        new_cookie = Cookie.Cookie(
                            "explore_suspended_game_" + advname, state)
                        new_cookie.expires = time.time() + 60 * 60 * 24 * 30
                        Cookie.add_cookie(req, new_cookie)
                else:
                    output_buffer.append(line)

        #fp.close()

        session["prompt"] = prompt
        session["state"] = state
        if prompt:
            output_buffer.append(prompt)
    else:
        screen_buffer = None

        output_buffer.append("No adventure selected.")
        output_buffer.append(" ")
        output_buffer.append(" ")
        output_buffer.append(" ")
        output_buffer.append(" ")
        output_buffer.append(" ")

        session["state"] = None
        session["prompt"] = None

    # Ready screen for new output
    num_output_lines = len(output_buffer)
    if not screen_buffer:
        # Clear screen
        screen_buffer = (SCREEN_LINES - num_output_lines) * [" "]
    else:
        # Move lines up on screen
        if last_prompt:
            screen_buffer[0:num_output_lines - 1] = []
            screen_buffer[-1:] = []
        else:
            screen_buffer[0:num_output_lines] = []

    # Add new output lines to screen
    screen_buffer.extend(output_buffer)
    #for l in screen_buffer:
    #    req.write("screen_line: " + repr(l) + "\n")
    session['screen_buffer'] = '\n'.join(screen_buffer)

    body.append("<center>")
    body.append('<h1>The "Explore" Adventure Series</h1>')

    # Display screen
    body.append(
        '<table width=70% cellpadding=5><tr><td colspan=2 bgcolor="#303030" NOWRAP><pre><font color=lightgreen>'
    )

    for line in screen_buffer:
        body.append(line)

    body.append('</font></pre></td></tr><tr><td colspan=2 bgcolor="#00aacc">')

    if not advname:
        body.append("Please select a game from the list below...")
    elif won:
        body.append("Congratulations!  You solved the adventure!")
        explore_log("Won game: " + advname, req.connection.remote_ip)
    elif dead:
        body.append("Game over.")
        explore_log("Died in game: " + advname, req.connection.remote_ip)
    elif quit:
        body.append("Game over.")
        explore_log("Quit game: " + advname, req.connection.remote_ip)
    else:
        # Present command form to user
        body.append(
            '<form id="command_form" name="command_form" method=post action="explore.py">'
        )
        body.append('<input id=command_field size=40 name="command" value="">')
        body.append('<input type=submit name="enter" value="Enter">')
        body.append("</form>")

        # Put focus in command field
        body.append('<script type="text/javascript">')
        body.append("document.command_form.command_field.focus();")
        body.append("</script>")

    body.append('</td></tr><tr><td bgcolor="#00aacc">')
    body.append("To start a new game, click one of the following:<p>")
    body.append('<a href="/explore/explore.py?advname=cave">cave</a><br>')
    body.append('<a href="/explore/explore.py?advname=mine">mine</a><br>')
    body.append('<a href="/explore/explore.py?advname=castle">castle</a><br>')
    body.append('<a href="/explore/explore.py?advname=haunt">haunt</a><br>')
    body.append('<a href="/explore/explore.py?advname=porkys">porkys</a>')

    body.append('</td><td bgcolor="#00aacc">')

    if has_suspended_game:
        body.append(
            '<b><font color="#aa4411">You have a suspended game.</font></b><br>To resume, type "resume".<p>'
        )

    body.append('To save a game, type "suspend".<p>')
    body.append(
        '<font size=-1>Typing "help" will list some frequently used commands, but remeber that there are many other possible commands to try (things like "get lamp" or "eat taco").  If you are having trouble, try stating it differently or using fewer words.</font>'
    )

    body.append("</td></tr></table>")
    body.append("</center>")

    if not advname:
        body.append('<hr>')
        body.append('')
        body.append(
            'When I was 15 or so, my cousin, De, and I were into playing adventure games,'
        )
        body.append('like the mother of all text adventure games,')
        body.append(
            '"<a href="http://www.rickadams.org/adventure/">Adventure</a>".')
        body.append(
            'We wanted to make our own, so we wrote a simple one, but it was hard-coded'
        )
        body.append(
            'and was a pain to create.  So we came up with the idea to make a program'
        )
        body.append(
            'that could interpret adventure "game files" that were written in a kind'
        )
        body.append('of adventure "language".  So we both wrote programs in')
        body.append('<a href="explore.bas">BASIC</a> to do this')
        body.append('on TRS-80 computers (wow, 1.77 MHz!),')
        body.append(
            'and we wrote adventures in separate text files.  We later merged our work'
        )
        body.append('into this program, which was dubbed "Explore".')
        body.append('By the way, I was really bummed when a guy named')
        body.append(
            '<a href="http://www.msadams.com/index.htm">Scott Adams</a>')
        body.append(
            '(not the Dilbert dude!) came out with a commercial program that')
        body.append(
            'used the same concept!  Just think of all the money <i>we</i> could have made!'
        )
        body.append('<p>')
        body.append('We came up with three adventures that were written')
        body.append(
            'in the wee hours of the morning on three separate occasions listening'
        )
        body.append(
            'to Steely Dan.  It was kind of a mystical inspiration I would say.'
        )
        body.append('<p>')
        body.append(
            'Years later I dug up the old BASIC program and rewrote it in')
        body.append('C (note that the C version and the')
        body.append(
            'BASIC version are no longer being maintained, so future adventure game files'
        )
        body.append(
            'or newer revisions of the old ones won\'t work with the old code).'
        )
        body.append('<p>')
        body.append(
            'A few years after this I rewrote the whole system in Java')
        body.append(
            'as a way to learn the language.  And years after that, I rewrote the'
        )
        body.append(
            'whole thing in Python.  Now, as a way to explore the new languange called'
        )
        body.append('"Ruby", I translated the Python code to Ruby.')
        body.append(
            'Both Python and Ruby versions are now maintained, and either may be used here.'
        )
        body.append('Now you too can play these historic games on-line!')
        body.append('<p>')
        body.append('When starting a')
        body.append('game, you have to pick an adventure.  Your choices are:')
        body.append('')
        body.append('<ul>')
        body.append('')
        body.append(
            '<li><b>Cave</b> - "Enchanted Cave" was the first of our adventure games.'
        )
        body.append(
            'The fact that it takes place in a cave, like the original Adventure, was no'
        )
        body.append(
            'coincidence.  This adventure had lots of rooms, but the capabilities of the'
        )
        body.append(
            'Explore Adventure Language were just being developed, so even though I think'
        )
        body.append(
            'this one came out pretty well, it\'s not as rich in features as the later ones.'
        )
        body.append('')
        body.append(
            '<li><b>Mine</b> - "Lost Mine" takes place in an old coal mine')
        body.append('in a desert environment,')
        body.append(
            'complete with scary skeletons, mining cars, and lots of magic.  We started to'
        )
        body.append(
            'get a little more descriptive in this one, and we also added features to'
        )
        body.append(
            'the adventure language to make things seem a little "smarter."')
        body.append('')
        body.append(
            '<li><b>Castle</b> - "Medieval Castle" was the final in the "trilogy"'
        )
        body.append('of our late-nite')
        body.append(
            'teenage adventure creativity.  This one forced us to add even more features to'
        )
        body.append(
            'the language, and I believe it really became "sophisticated" with this one.'
        )
        body.append(
            'Castle is perhaps the most colorful of the adventures, but not as mystical'
        )
        body.append(
            'somehow as Enchanted Cave.  De and I didn\'t make any more games after this one.'
        )
        body.append('')
        body.append(
            '<li><b>Haunt</b> - "Haunted House" was not an original creation.  It is a clone'
        )
        body.append('of Radio Shack\'s')
        body.append(
            '<a href="http://www.simology.com/smccoy/trs80/model134/mhauntedhouse.html">'
        )
        body.append(
            'Haunted House</a> adventure game that I re-created in the Explore Adventure'
        )
        body.append(
            'Language as a test of the language\'s power.  I had to play the original quite'
        )
        body.append(
            'a bit to get it right, since I was going on the behavior of the game and not'
        )
        body.append('its code.')
        body.append('')
        body.append(
            '<li><b>Porkys</b> - "Porky\'s" is the only one in which I had no involvement.'
        )
        body.append('A friend')
        body.append(
            'in Oklahoma at the time took the Explore language and created this one,'
        )
        body.append('inspired')
        body.append(
            'by the movie of the same name.  It was especially cool to play and solve'
        )
        body.append(
            'an adventure written by someone else with my own adventure language!'
        )
        body.append('Warning, this one has "ADULT CONTENT AND LANGUAGE!"')
        body.append('</ul>')
        body.append('')
        body.append('<hr>')
        body.append('')
        body.append('Other text adventure related links:')
        body.append('<ul>')
        body.append(
            '<li> <a href="http://www.rickadams.org/adventure/">The Colossal Cave Adventure Page</a>'
        )
        body.append(
            '<li> <a href="http://www.plugh.com/">A hollow voice says "Plugh".</a>'
        )
        body.append(
            '<li> <a href="http://www.msadams.com/index.htm">Scott Adams\' Adventure game writer home page</a>'
        )
        body.append('</ul>')

    #body.append('')
    body.append('<p>')
    body.append('<table width=100%>')
    body.append('<tr>')
    body.append(
        '<td align=right><i><a href="http://www.wildlava.com/">www.wildlava.com</a></i></td>'
    )
    body.append('</tr>')
    body.append('</table>')

    req.content_type = 'text/html'
    req.send_http_header()
    req.write('<html>\n')
    req.write('<head>\n')
    req.write('<title>The "Explore" Adventure Series</title>\n')
    req.write('</head>\n')
    req.write('<body bgcolor=#aa8822>\n')
    for body_line in body:
        req.write(body_line + '\n')
    req.write('</body>\n')
    req.write('</html>\n')

    session.save()

    return apache.OK
Ejemplo n.º 12
0
def cookie_and_redirect(req, session_id, url):
    cookie = Cookie.Cookie(config.get('session', 'cookie_name'), session_id)
    cookie.path = '/'
    cookie.domain = config.get('session', 'cookie_host')
    Cookie.add_cookie(req, cookie)
    util.redirect(req, "%s" % (urllib.unquote(url)))
Ejemplo n.º 13
0
def logout(req, name, params):

    Cookie.add_cookie(req, Cookie.Cookie('openvps-user', '', path='/'))
    util.redirect(req, '/admin/%s/login' % name)

    return apache.OK