clean db interface and comment model

pull/16/head
Martin Zimmermann 11 years ago
parent c7ee35423b
commit 5cad8fb8b5

@ -29,8 +29,6 @@ import sys
import io import io
import os import os
import json import json
import locale
import traceback
from os.path import dirname, join from os.path import dirname, join
from argparse import ArgumentParser from argparse import ArgumentParser
@ -48,7 +46,7 @@ from werkzeug.serving import run_simple
from jinja2 import Environment, FileSystemLoader from jinja2 import Environment, FileSystemLoader
from isso import db, utils, migrate from isso import db, utils, migrate, views
from isso.views import comment, admin from isso.views import comment, admin
url_map = Map([ url_map = Map([

@ -122,29 +122,29 @@ class SQLite(Abstract):
votes=query[10] votes=query[10]
) )
def add(self, path, c, remote_addr): def add(self, uri, c, remote_addr):
voters = buffer(Bloomfilter(iterable=[remote_addr]).array) voters = buffer(Bloomfilter(iterable=[remote_addr]).array)
with sqlite3.connect(self.dbpath) as con: with sqlite3.connect(self.dbpath) as con:
keys = ','.join(self.fields) keys = ','.join(self.fields)
values = ','.join('?' * len(self.fields)) values = ','.join('?' * len(self.fields))
con.execute('INSERT INTO comments (%s) VALUES (%s);' % (keys, values), ( con.execute('INSERT INTO comments (%s) VALUES (%s);' % (keys, values), (
path, 0, c.created, c.modified, c.text, c.author, c.hash, c.website, uri, 0, time.time(), None, c["text"], c["author"], c["hash"], c["website"],
c.parent, self.mode, voters) c["parent"], self.mode, voters)
) )
with sqlite3.connect(self.dbpath) as con: with sqlite3.connect(self.dbpath) as con:
return self.query2comment( return self.query2comment(
con.execute('SELECT *, MAX(id) FROM comments WHERE path=?;', (path, )).fetchone()) con.execute('SELECT *, MAX(id) FROM comments WHERE path=?;', (uri, )).fetchone())
def activate(self, path, id): def activate(self, path, id):
with sqlite3.connect(self.dbpath) as con: with sqlite3.connect(self.dbpath) as con:
con.execute("UPDATE comments SET mode=1 WHERE path=? AND id=? AND mode=2", (path, id)) con.execute("UPDATE comments SET mode=1 WHERE path=? AND id=? AND mode=2", (path, id))
return self.get(path, id) return self.get(path, id)
def update(self, path, id, comment): def update(self, path, id, values):
with sqlite3.connect(self.dbpath) as con: with sqlite3.connect(self.dbpath) as con:
for field, value in comment.iteritems(False): for key, value in values.iteritems():
con.execute('UPDATE comments SET %s=? WHERE path=? AND id=?;' % field, con.execute('UPDATE comments SET %s=? WHERE path=? AND id=?;' % key,
(value, path, id)) (value, path, id))
with sqlite3.connect(self.dbpath) as con: with sqlite3.connect(self.dbpath) as con:
@ -167,7 +167,7 @@ class SQLite(Abstract):
con.execute('UPDATE comments SET text=? WHERE path=? AND id=?', ('', path, id)) con.execute('UPDATE comments SET text=? WHERE path=? AND id=?', ('', path, id))
con.execute('UPDATE comments SET mode=? WHERE path=? AND id=?', (4, path, id)) con.execute('UPDATE comments SET mode=? WHERE path=? AND id=?', (4, path, id))
for field in set(Comment.fields) - set(['text', 'parent']): for field in ('text', 'author', 'website'):
con.execute('UPDATE comments SET %s=? WHERE path=? AND id=?' % field, con.execute('UPDATE comments SET %s=? WHERE path=? AND id=?' % field,
(None, path, id)) (None, path, id))
return self.get(path, id) return self.get(path, id)

@ -13,7 +13,7 @@ from __future__ import division
import sys import sys
import os import os
from time import mktime, strptime, sleep from time import mktime, strptime
from urlparse import urlparse from urlparse import urlparse
from collections import defaultdict from collections import defaultdict

@ -3,11 +3,9 @@
# Copyright 2012, Martin Zimmermann <info@posativ.org>. All rights reserved. # Copyright 2012, Martin Zimmermann <info@posativ.org>. All rights reserved.
# License: BSD Style, 2 clauses. see isso/__init__.py # License: BSD Style, 2 clauses. see isso/__init__.py
import json from __future__ import unicode_literals
import time
import hashlib
aluhut = lambda ip: hashlib.sha1(ip + '\x082@t9*\x17\xad\xc1\x1c\xa5\x98').hexdigest() import hashlib
class Comment(object): class Comment(object):
@ -25,50 +23,41 @@ class Comment(object):
normal and queued using MODE=3. normal and queued using MODE=3.
""" """
protected = ['path', 'id', 'mode', 'created', 'modified', 'hash', 'votes'] fields = ["text", "author", "website", "votes", "hash", "parent", "mode", "id",
fields = ['text', 'author', 'website', 'parent'] "created", "modified"]
def __init__(self, **kw):
for field in self.protected + self.fields: def __init__(self, **kwargs):
setattr(self, field, kw.get(field))
def iteritems(self, protected=True): self.values = {}
for field in self.fields:
yield field, getattr(self, field)
if protected:
for field in self.protected:
yield field, getattr(self, field)
@classmethod for key in Comment.fields:
def fromjson(self, data, ip='127.0.0.1'): self.values[key] = kwargs.get(key, None)
if '.' in ip: def __getitem__(self, key):
ip = ip.rsplit('.', 1)[0] + '.0' return self.values[key]
data = json.loads(data) def __setitem__(self, key, value):
comment = Comment( self.values[key] = value
created=time.time(),
hash=hashlib.md5(data.get('email', aluhut(ip))).hexdigest())
for field in self.fields: def iteritems(self):
if field == 'text' and field not in data: for key in Comment.fields:
raise ValueError('Comment needs at least text, but no text was provided.') yield key, self.values[key]
setattr(comment, field, data.get(field))
return comment
@property @property
def pending(self): def pending(self):
return self.mode == 2 return self.values["mode"] == 2
@property @property
def deleted(self): def deleted(self):
return self.mode == 4 return self.values["mode"] == 4
@property @property
def md5(self): def md5(self):
hv = hashlib.md5() hv = hashlib.md5()
for key in set(self.fields) - set(['parent', ]):
hv.update((getattr(self, key) or u"").encode('utf-8', errors="replace")) for key, value in self.iteritems():
if key == "parent" or value is None:
continue
hv.update(unicode(self.values.get(key, "")).encode("utf-8", "replace")) # XXX
return hv.hexdigest() return hv.hexdigest()

@ -9,8 +9,8 @@ import json
import socket import socket
import httplib import httplib
import ipaddress
import math
import random import random
import hashlib import hashlib
import contextlib import contextlib
@ -48,6 +48,17 @@ def normalize(host):
return (rv.netloc + ':443') if rv.scheme == 'https' else rv.netloc return (rv.netloc + ':443') if rv.scheme == 'https' else rv.netloc
def anonymize(remote_addr):
ip = ipaddress.ip_address(remote_addr)
if ip.version == "4":
return ''.join(ip.exploded.rsplit('.', 1)[0]) + '.' + '0'
return ip.exploded.rsplit(':', 4)[0]
def salt(value, s=u'\x082@t9*\x17\xad\xc1\x1c\xa5\x98'):
return hashlib.sha1((value + s).encode('utf-8')).hexdigest()
def mksecret(length): def mksecret(length):
return ''.join(random.choice(ascii_letters + digits) for x in range(length)) return ''.join(random.choice(ascii_letters + digits) for x in range(length))

@ -4,7 +4,10 @@
# License: BSD Style, 2 clauses. see isso/__init__.py # License: BSD Style, 2 clauses. see isso/__init__.py
import cgi import cgi
import urllib import json
import hashlib
import sqlite3
import logging
from itsdangerous import SignatureExpired, BadSignature from itsdangerous import SignatureExpired, BadSignature
@ -43,28 +46,40 @@ def create(app, environ, request, uri):
return Response('URI does not exist', 400) return Response('URI does not exist', 400)
try: try:
comment = models.Comment.fromjson(request.data, ip=request.remote_addr) data = json.loads(request.data)
except ValueError as e: except ValueError:
return Response(unicode(e), 400) return Response("No JSON object could be decoded", 400)
for attr in 'author', 'website': if not data.get("text"):
if getattr(comment, attr) is not None: return Response("No text given.", 400)
try:
setattr(comment, attr, cgi.escape(getattr(comment, attr))) if "id" in data and not isinstance(data["id"], int):
except AttributeError: return Response("Parent ID must be an integer.")
Response('', 400)
if "email" in data:
hash = data["email"]
else:
hash = utils.salt(utils.anonymize(request.remote_addr))
comment = models.Comment(
text=data["text"], parent=data.get("parent"),
author=data.get("author") and cgi.escape(data.get("author")),
website=data.get("website") and cgi.escape(data.get("website")),
hash=hashlib.md5(hash).hexdigest())
try: try:
rv = app.db.add(uri, comment, request.remote_addr) rv = app.db.add(uri, comment, utils.anonymize(request.remote_addr))
except ValueError: except sqlite3.Error:
abort(400) # FIXME: custom exception class, error descr logging.exception('uncaught SQLite3 exception')
abort(400)
md5 = rv.md5 rv["text"] = app.markdown(rv["text"])
rv.text = app.markdown(rv.text)
resp = Response(app.dumps(rv), 202 if rv.pending else 201, resp = Response(app.dumps(rv), 202 if rv.pending else 201,
content_type='application/json') content_type='application/json')
resp.set_cookie('%s-%s' % (uri, rv.id), app.sign([uri, rv.id, md5]), resp.set_cookie('%s-%s' % (uri, rv["id"]), app.sign([uri, rv["id"], rv.md5]),
max_age=app.MAX_AGE, path='/') max_age=app.MAX_AGE, path='/')
return resp return resp
@ -94,7 +109,7 @@ def modify(app, environ, request, uri, id):
try: try:
rv = app.unsign(request.cookies.get('%s-%s' % (uri, id), '')) rv = app.unsign(request.cookies.get('%s-%s' % (uri, id), ''))
except (SignatureExpired, BadSignature) as e: except (SignatureExpired, BadSignature):
try: try:
rv = app.unsign(request.cookies.get('admin', '')) rv = app.unsign(request.cookies.get('admin', ''))
except (SignatureExpired, BadSignature): except (SignatureExpired, BadSignature):
@ -106,11 +121,25 @@ def modify(app, environ, request, uri, id):
if request.method == 'PUT': if request.method == 'PUT':
try: try:
rv = app.db.update(uri, id, models.Comment.fromjson(request.data)) data = json.loads(request.data)
rv.text = app.markdown(rv.text) except ValueError:
return Response(app.dumps(rv), 200, content_type='application/json') return Response("No JSON object could be decoded", 400)
except ValueError as e:
return Response(unicode(e), 400) # FIXME: custom exception and error descr if not data.get("text"):
return Response("No text given.", 400)
for key in data.keys():
if key not in ("text", "author", "website"):
data.pop(key)
try:
rv = app.db.update(uri, id, data)
except sqlite3.Error:
logging.exception('uncaught SQLite3 exception')
abort(400)
rv["text"] = app.markdown(rv["text"])
return Response(app.dumps(rv), 200, content_type='application/json')
if request.method == 'DELETE': if request.method == 'DELETE':
rv = app.db.delete(uri, id) rv = app.db.delete(uri, id)

@ -1,4 +1,6 @@
from __future__ import unicode_literals
import os import os
import json import json
import urllib import urllib
@ -57,11 +59,10 @@ class TestComments(unittest.TestCase):
assert rv.status_code == 201 assert rv.status_code == 201
assert len(filter(lambda header: header[0] == 'Set-Cookie', rv.headers)) == 1 assert len(filter(lambda header: header[0] == 'Set-Cookie', rv.headers)) == 1
c = Comment.fromjson(rv.data) rv = json.loads(rv.data)
assert not c.pending assert rv["mode"] == 1
assert not c.deleted assert rv["text"] == '<p>Lorem ipsum ...</p>\n'
assert c.text == '<p>Lorem ipsum ...</p>\n'
def testCreateAndGetMultiple(self): def testCreateAndGetMultiple(self):
@ -154,3 +155,16 @@ class TestComments(unittest.TestCase):
assert a['hash'] != '192.168.1.1' assert a['hash'] != '192.168.1.1'
assert a['hash'] == b['hash'] assert a['hash'] == b['hash']
assert a['hash'] != c['hash'] assert a['hash'] != c['hash']
def testVisibleFields(self):
rv = self.post('/new?uri=%2Fpath%2F', data=json.dumps({"text": "..."}))
assert rv.status_code == 201
rv = json.loads(rv.data)
for key in Comment.fields:
rv.pop(key)
assert rv.keys() == []

@ -1,19 +1,13 @@
import os import os
import json
import time import time
import tempfile import tempfile
import unittest import unittest
import isso
from isso.models import Comment from isso.models import Comment
from isso.db import SQLite from isso.db import SQLite
def comment(**kw):
return Comment.fromjson(json.dumps(kw))
class TestSQLite(unittest.TestCase): class TestSQLite(unittest.TestCase):
def setUp(self): def setUp(self):
@ -23,61 +17,59 @@ class TestSQLite(unittest.TestCase):
def test_get(self): def test_get(self):
rv = self.db.add('/', comment(text='Spam'), '') rv = self.db.add('/', Comment(text='Spam'), '')
c = self.db.get('/', rv.id) c = self.db.get('/', rv["id"])
assert c.id == 1 assert c["id"] == 1
assert c.text == 'Spam' assert c["text"] == 'Spam'
def test_add(self): def test_add(self):
self.db.add('/', comment(text='Foo'), '') self.db.add('/', Comment(text='Foo'), '')
self.db.add('/', comment(text='Bar'), '') self.db.add('/', Comment(text='Bar'), '')
self.db.add('/path/', comment(text='Baz'), '') self.db.add('/path/', Comment(text='Baz'), '')
rv = list(self.db.retrieve('/')) rv = list(self.db.retrieve('/'))
assert rv[0].id == 1 assert rv[0]["id"] == 1
assert rv[0].path == '/' assert rv[0]["text"] == 'Foo'
assert rv[0].text == 'Foo'
assert rv[1].id == 2 assert rv[1]["id"] == 2
assert rv[1].text == 'Bar' assert rv[1]["text"] == 'Bar'
rv = list(self.db.retrieve('/path/')) rv = list(self.db.retrieve('/path/'))
assert rv[0].id == 1 assert rv[0]["id"] == 1
assert rv[0].path == '/path/' assert rv[0]["text"] == 'Baz'
assert rv[0].text == 'Baz'
def test_add_return(self): def test_add_return(self):
self.db.add('/', comment(text='1'), '') self.db.add('/', Comment(text='1'), '')
self.db.add('/', comment(text='2'), '') self.db.add('/', Comment(text='2'), '')
assert self.db.add('/path/', comment(text='1'), '').id == 1 assert self.db.add('/path/', Comment(text='1'), '')["id"] == 1
def test_update(self): def test_update(self):
rv = self.db.add('/', comment(text='Foo'), '') rv = self.db.add('/', Comment(text='Foo'), '')
time.sleep(0.1) time.sleep(0.1)
rv = self.db.update('/', rv.id, comment(text='Bla')) rv = self.db.update('/', rv["id"], {"text": "Bla"})
c = self.db.get('/', rv.id) c = self.db.get('/', rv["id"])
assert c.id == 1 assert c["id"] == 1
assert c.text == 'Bla' assert c["text"] == 'Bla'
assert c.created < c.modified assert c["created"] < c["modified"]
def test_delete(self): def test_delete(self):
rv = self.db.add('/', comment( rv = self.db.add('/', Comment(
text='F**CK', author='P*NIS', website='http://somebadhost.org/'), '') text='F**CK', author='P*NIS', website='http://somebadhost.org/'), '')
assert self.db.delete('/', rv.id) == None assert self.db.delete('/', rv["id"]) == None
def test_recent(self): def test_recent(self):
self.db.add('/path/', comment(text='2'), '') self.db.add('/path/', Comment(text='2'), '')
for x in range(5): for x in range(5):
self.db.add('/', comment(text='%i' % (x+1)), '') self.db.add('/', Comment(text='%i' % (x+1)), '')
assert len(list(self.db.recent(mode=7))) == 6 assert len(list(self.db.recent(mode=7))) == 6
assert len(list(self.db.recent(mode=7, limit=5))) == 5 assert len(list(self.db.recent(mode=7, limit=5))) == 5
@ -95,13 +87,13 @@ class TestSQLitePending(unittest.TestCase):
def test_retrieve(self): def test_retrieve(self):
self.db.add('/', comment(text='Foo'), '') self.db.add('/', Comment(text='Foo'), '')
assert len(list(self.db.retrieve('/'))) == 0 assert len(list(self.db.retrieve('/'))) == 0
def test_activate(self): def test_activate(self):
self.db.add('/', comment(text='Foo'), '') self.db.add('/', Comment(text='Foo'), '')
self.db.add('/', comment(text='Bar'), '') self.db.add('/', Comment(text='Bar'), '')
self.db.activate('/', 2) self.db.activate('/', 2)
assert len(list(self.db.retrieve('/'))) == 1 assert len(list(self.db.retrieve('/'))) == 1

@ -1,4 +1,6 @@
from __future__ import unicode_literals
import os import os
import json import json
import tempfile import tempfile

Loading…
Cancel
Save