Ejemplo n.º 1
0
def register():
    """Registers the user."""
    if g.user:
        return redirect(url_for('timeline'))
    error = None
    if request.method == 'POST':
        if not request.form['username']:
            error = 'You have to enter a username'
        elif not request.form['email'] or \
                 '@' not in request.form['email']:
            error = 'You have to enter a valid email address'
        elif not request.form['password']:
            error = 'You have to enter a password'
        elif request.form['password'] != request.form['password2']:
            error = 'The two passwords do not match'
        elif get_user_id(request.form['username']) is not None:
            error = 'The username is already taken'
        else:
            g.db.execute(
                '''insert into user (
                username, email, pw_hash) values (?, ?, ?)''', [
                    request.form['username'], request.form['email'],
                    generate_password_hash(request.form['password'])
                ])
            g.db.commit()
            flash('You were successfully registered and can login now')
            return redirect(url_for('login'))
    return render_template('register.html', error=error)
Ejemplo n.º 2
0
def add_entry():
    if not session.get('logged_in'):
        abort(401)
    title = request.form['title']
    text = request.form['text']
    if not title or not text:
        flash('title and text is required!')
        return redirect(url_for('show_entries'))

    g.db.execute('insert into entries (title, text) values (?, ?)',
                 [request.form['title'], request.form['text']])
    g.db.commit()
    flash('New entry was successfully posted')
    return redirect(url_for('show_entries'))
Ejemplo n.º 3
0
 def test_static_files(self):
     app = spoon.Spoon(__name__)
     rv = app.test_client().get('/static/index.html')
     assert rv.status_code == 200
     assert rv.data.strip() == '<h1>Hello World!</h1>'
     with app.test_request_context():
         assert spoon.url_for('static', filename='index.html') \
             == '/static/index.html'
Ejemplo n.º 4
0
    def test_url_generation(self):
        app = spoon.Spoon(__name__)

        @app.route('/hello/<name>', methods=['POST'])
        def hello():
            pass

        with app.test_request_context():
            assert spoon.url_for('hello', name='test x') == '/hello/test%20x'
Ejemplo n.º 5
0
def login():
    """Logs the user in."""
    if g.user:
        return redirect(url_for('timeline'))
    error = None
    if request.method == 'POST':
        user = query_db('''select * from user where
            username = ?''', [request.form['username']],
                        one=True)
        if user is None:
            error = 'Invalid username'
        elif not check_password_hash(user['pw_hash'],
                                     request.form['password']):
            error = 'Invalid password'
        else:
            flash('You were logged in')
            session['user_id'] = user['user_id']
            return redirect(url_for('timeline'))
    return render_template('login.html', error=error)
Ejemplo n.º 6
0
def add_message():
    """Registers a new message for the user."""
    if 'user_id' not in session:
        abort(401)
    if request.form['text']:
        g.db.execute(
            '''insert into message (author_id, text, pub_date)
            values (?, ?, ?)''',
            (session['user_id'], request.form['text'], int(time.time())))
        g.db.commit()
        flash('Your message was recorded')
    return redirect(url_for('timeline'))
Ejemplo n.º 7
0
def unfollow_user(username):
    """Removes the current user as follower of the given user."""
    if not g.user:
        abort(401)
    whom_id = get_user_id(username)
    if whom_id is None:
        abort(404)
    g.db.execute('delete from follower where who_id=? and whom_id=?',
                 [session['user_id'], whom_id])
    g.db.commit()
    flash('You are no longer following "%s"' % username)
    return redirect(url_for('user_timeline', username=username))
Ejemplo n.º 8
0
def follow_user(username):
    """Adds the current user as follower of the given user."""
    if not g.user:
        abort(401)
    whom_id = get_user_id(username)
    if whom_id is None:
        abort(404)
    g.db.execute('insert into follower (who_id, whom_id) values (?, ?)',
                 [session['user_id'], whom_id])
    g.db.commit()
    flash('You are now following "%s"' % username)
    return redirect(url_for('user_timeline', username=username))
Ejemplo n.º 9
0
def login():
    error = None
    if request.method == 'POST':
        if request.form['username'] != USERNAME:
            error = 'Invalid username'
        elif request.form['password'] != PASSWORD:
            error = 'Invalid password'
        else:
            session['logged_in'] = True
            flash('You were logged in')
            return redirect(url_for('show_entries'))
    return render_template('login.html', error=error)
Ejemplo n.º 10
0
def timeline():
    """Shows a users timeline or if no user is logged in it will
    redirect to the public timeline.  This timeline shows the user's
    messages as well as all the messages of followed users.
    """
    if not g.user:
        return redirect(url_for('public_timeline'))
    offset = request.args.get('offset', type=int)
    return render_template(
        'timeline.html',
        messages=query_db(
            '''
        select message.*, user.* from message, user
        where message.author_id = user.user_id and (
            user.user_id = ? or
            user.user_id in (select whom_id from follower
                                    where who_id = ?))
        order by message.pub_date desc limit ?''',
            [session['user_id'], session['user_id'], PER_PAGE]))
Ejemplo n.º 11
0
def logout():
    """Logs the user out"""
    flash('You were logged out')
    session.pop('user_id', None)
    return redirect(url_for('public_timeline'))
Ejemplo n.º 12
0
def logout():
    session.pop('logged_in', None)
    flash('You were logged out')
    return redirect(url_for('show_entries'))