Skip to content

Commit

Permalink
Initial version
Browse files Browse the repository at this point in the history
  • Loading branch information
mitsuhiko committed Nov 19, 2011
0 parents commit 936da82
Show file tree
Hide file tree
Showing 8 changed files with 227 additions and 0 deletions.
2 changes: 2 additions & 0 deletions .gitignore
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,2 @@
*.db
*.pyc
139 changes: 139 additions & 0 deletions pastebin.py
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,139 @@
from datetime import datetime
from flask import Flask, request, url_for, redirect, g, session, flash, \
abort, render_template
from flask.ext.sqlalchemy import SQLAlchemy
from flask.ext.oauth import OAuth


app = Flask(__name__)
app.config.update(
DEBUG=True,
SQLALCHEMY_DATABASE_URI='sqlite:///pastebin.db',
SECRET_KEY='development-key'
)
db = SQLAlchemy(app)
oauth = OAuth()

facebook = oauth.remote_app('facebook',
base_url='https://graph.facebook.com/',
request_token_url=None,
access_token_url='/oauth/access_token',
authorize_url='https://www.facebook.com/dialog/oauth',
consumer_key='188477911223606',
consumer_secret='621413ddea2bcc5b2e83d42fc40495de',
request_token_params={'scope': 'email'}
)


class Paste(db.Model):
id = db.Column(db.Integer, primary_key=True)
code = db.Column(db.Text)
pub_date = db.Column(db.DateTime)
user_id = db.Column(db.Integer, db.ForeignKey('user.id'))

def __init__(self, user, code):
self.user = user
self.code = code
self.pub_date = datetime.utcnow()


class User(db.Model):
id = db.Column(db.Integer, primary_key=True)
display_name = db.Column(db.String(120))
fb_id = db.Column(db.String(30), unique=True)
pastes = db.relationship(Paste, lazy='dynamic', backref='user')


@app.before_request
def check_user_status():
g.user = None
if 'user_id' in session:
g.user = User.query.get(session['user_id'])


@app.route('/', methods=['GET', 'POST'])
def new_paste():
if request.method == 'POST' and request.form['code']:
paste = Paste(g.user, request.form['code'])
db.session.add(paste)
db.session.commit()
return redirect(url_for('show_paste', paste_id=paste.id))
return render_template('new_paste.html')


@app.route('/<int:paste_id>')
def show_paste(paste_id):
paste = Paste.query.get_or_404(paste_id)
return render_template('show_paste.html', paste=paste)


@app.route('/<int:paste_id>/delete', methods=['GET', 'POST'])
def delete_paste(paste_id):
paste = Paste.query.get_or_404(paste_id)
if g.user is None or g.user != paste.user:
abort(401)
if request.method == 'POST':
if 'yes' in request.form:
db.session.delete(paste)
db.session.commit()
flash('Paste was deleted')
return redirect(url_for('new_paste'))
else:
return redirect(url_for('show_paste', paste_id=paste.id))
return render_template('delete_paste.html', paste=paste)


@app.route('/my-pastes')
def my_pastes():
if g.user is None:
return redirect(url_for('login', next=request.url))
pastes = Paste.query.filter_by(user=g.user).all()
return render_template('my_pastes.html', pastes=pastes)


@app.route('/login')
def login():
return facebook.authorize(callback=url_for('facebook_authorized',
next=request.args.get('next') or request.referrer or None,
_external=True))


@app.route('/logout')
def logout():
session.clear()
flash('You were logged out')
return redirect(url_for('new_paste'))


@app.route('/login/authorized')
@facebook.authorized_handler
def facebook_authorized(resp):
next_url = request.args.get('next') or url_for('index')
if resp is None:
flash('You denied the login')
return redirect(next_url)

session['fb_access_token'] = (resp['access_token'], '')

me = facebook.get('/me')
user = User.query.filter_by(fb_id=me.data['id']).first()
if user is None:
user = User()
user.fb_id = me.data['id']
db.session.add(user)

user.display_name = me.data['name']
db.session.commit()
session['user_id'] = user.id

flash('You are now logged in as %s' % user.display_name)
return redirect(next_url)


@facebook.tokengetter
def get_facebook_oauth_token():
return session.get('fb_access_token')


if __name__ == '__main__':
app.run()
18 changes: 18 additions & 0 deletions static/style.css
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,18 @@
body { margin: 0; padding: 0; }
body, input { font-size: 16px; font-family: 'Helvetica Neue', sans-serif; }
.page { margin: 50px auto; width: 740px; }
h1 { margin: 0; font-weight: normal; color: #c00; }
a { color: black; }
a:hover { color: #c00; }
.nav { margin: 0 0 20px 0; list-style: none; padding: 0; }
.nav li { display: inline; }
.nav li + li:before { content: " // "; }
h2 { font-weight: normal; margin: 0; }
dl { overflow: auto; font-size: 14px; }
dl dt { font-weight: bold; width: 90px; float: left;
clear: left; }
dl dd { float: left; margin: 0; padding: 0; }
pre, textarea { font-family: 'Consolas', monospace; font-size: 14px;
background: #eee; padding: 0; margin: 0; }
textarea { border: none; width: 720px; }
.code, .flash { background: #eee; margin: 10px -30px; padding: 10px 30px; }
11 changes: 11 additions & 0 deletions templates/delete_paste.html
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,11 @@
{% extends "layout.html" %}
{% block title %}Delete Paste #{{ paste.id }}{% endblock %}
{% block body %}
<h2>Delete Paste #{{ paste.id }}</h2>
<form action="" method=post>
<p>Are you sure you want to delete the paste? You cannot undo this.
<p>
<input type=submit name=yes value=Yes>
<input type=submit name=no value=No>
</form>
{% endblock %}
19 changes: 19 additions & 0 deletions templates/layout.html
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,19 @@
<!doctype html>
<title>{% block title %}{% endblock %} | Flask Pastebin</title>
<link rel=stylesheet type=text/css href="{{ url_for('static', filename='style.css') }}">
<div class=page>
<h1>Flask Pastebin</h1>
<ul class=nav>
<li><a href="{{ url_for('new_paste') }}">New Paste</a>
{% if g.user %}
<li><a href="{{ url_for('my_pastes') }}">My Pastes</a>
<li><a href="{{ url_for('logout') }}">Sign out ({{ g.user.display_name }})</a>
{% else %}
<li><a href="{{ url_for('login') }}">Sign in with Facebook</a>
{% endif %}
</ul>
{% for message in get_flashed_messages() %}
<p class=flash>{{ message }}
{% endfor %}
{% block body %}{% endblock %}
</div>
11 changes: 11 additions & 0 deletions templates/my_pastes.html
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,11 @@
{% extends "layout.html" %}
{% block title %}My Pastes{% endblock %}
{% block body %}
<h2>My Pastes</h2>
<ul>
{% for paste in pastes %}
<li><a href="{{ url_for('show_paste', paste_id=paste.id) }}">#{{ paste.id }}</a>
from {{ paste.pub_date.strftime('%Y-%m-%d @ %H:%M') }}
{% endfor %}
</ul>
{% endblock %}
9 changes: 9 additions & 0 deletions templates/new_paste.html
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,9 @@
{% extends "layout.html" %}
{% block title %}New Paste{% endblock %}
{% block body %}
<h2>New Paste</h2>
<form action="" method=post>
<div class=code><textarea name=code cols=60 rows=18></textarea></div>
<p><input type=submit value="New Paste">
</form>
{% endblock %}
18 changes: 18 additions & 0 deletions templates/show_paste.html
Original file line number Original file line Diff line number Diff line change
@@ -0,0 +1,18 @@
{% extends "layout.html" %}
{% block title %}Paste #{{ paste.id }}{% endblock %}
{% block body %}
<h2>Paste #{{ paste.id }}</h2>
<dl>
{% if paste.user %}
<dt>Author
<dd>{{ paste.user.display_name }}
{% endif %}
<dt>Date
<dd>{{ paste.pub_date.strftime('%Y-%m-%d @ %H:%M') }}
{% if g.user and paste.user == g.user %}
<dt>Actions
<dd><a href="{{ url_for('delete_paste', paste_id=paste.id) }}">Delete</a>
{% endif %}
</dl>
<div class=code><pre>{{ paste.code }}</pre></div>
{% endblock %}

0 comments on commit 936da82

Please sign in to comment.