codekasten/wortschlucker/src/wortschlucker.py

420 lines
15 KiB
Python
Raw Normal View History

2010-04-14 20:03:44 +02:00
#!/usr/bin/env python2.6
import os
2010-04-25 23:51:23 +02:00
# the basedir is the parent dir of the location of this script
BASE_DIR = os.path.dirname(os.path.abspath(os.path.join(__file__, os.path.pardir)))
# add the project directory to the python search path
2010-04-14 20:03:44 +02:00
import sys
2010-04-25 23:51:23 +02:00
sys.path.insert(0, os.path.join(BASE_DIR, "src"))
2010-04-14 20:03:44 +02:00
import bobo
2010-04-14 20:03:44 +02:00
import forms
import sqlobject
import cherrypy
2010-04-14 20:03:44 +02:00
from genshi.template import TemplateLoader
2010-04-15 12:32:45 +02:00
import genshi.filters
import genshi.input
2010-04-14 20:03:44 +02:00
import genshi
import formencode
import datetime
import webob
import mimetypes
import uuid
import re
2010-04-14 20:03:44 +02:00
db_filename = os.path.join(BASE_DIR, "database.sqlite")
2010-04-14 20:03:44 +02:00
database = sqlobject.connectionForURI("sqlite://" + db_filename)
sqlobject.sqlhub.processConnection = database
loader = TemplateLoader(os.path.join(BASE_DIR, 'templates'), auto_reload=True)
2010-04-14 20:03:44 +02:00
BASE_DICT = {
"base_url": "/", # the trailing slash is necessary
"show_navbar": True,
2010-04-14 20:03:44 +02:00
"errors": {},
}
2010-04-15 12:32:45 +02:00
POLL_SETTINGS = {
"show_all_submissions": (bool, True),
2010-04-15 12:32:45 +02:00
"show_statistics": (bool, True),
"public": (bool, False),
"expose_date": (int, 0),
"close_date": (int, 0),
2010-04-15 12:32:45 +02:00
}
POLL_SETTINGS_TEMPLATES = {
"brainstorming": {},
"cards": {"show_all_submissions": False},
"feedback": {"show_all_submissions": False},
"evaluation": {"show_all_submissions": False},
"notes": {"show_statistics": False},
"shopping": {"show_statistics": False},
"clipboard": {"show_statistics": False},
"namefinder": {},
}
class ContentSubmission(sqlobject.SQLObject):
submitter = sqlobject.UnicodeCol()
content = sqlobject.UnicodeCol()
2010-04-14 20:03:44 +02:00
poll_id = sqlobject.ForeignKey("Poll")
timestamp_creation = sqlobject.DateTimeCol()
def get_creation_time_string(self):
return str(self.timestamp_creation)
def get_markup_content(self):
def get_link_markup(match):
prefix, url, suffix = match.groups()
# only take the TLD part of the url
short_name = url.split("/")[2]
return """%s<a href="%s">%s</a>%s""" % (prefix, url, short_name, suffix)
# surround all urls with html markup
mark_links = re.sub(r"(\A|\s)(https?://[\w/\?\.\#=;,]*)(\s|\Z)", get_link_markup, self.content)
markup = genshi.input.HTML(mark_links) | genshi.filters.HTMLSanitizer()
# the markup is now marked as "safe" -> genshi will output it literally
return markup
2010-04-14 20:03:44 +02:00
2010-04-15 12:32:45 +02:00
class PollSetting(sqlobject.SQLObject):
poll_id = sqlobject.ForeignKey("Poll")
key = sqlobject.UnicodeCol()
value = sqlobject.UnicodeCol()
2010-04-14 20:03:44 +02:00
class PollRelation(sqlobject.SQLObject):
first = sqlobject.ForeignKey("Poll")
second = sqlobject.ForeignKey("Poll")
2010-04-14 20:03:44 +02:00
class Poll(sqlobject.SQLObject):
author = sqlobject.UnicodeCol()
2010-04-14 20:03:44 +02:00
hash_key = sqlobject.StringCol()
2010-04-15 12:32:45 +02:00
admin_hash_key = sqlobject.StringCol()
title = sqlobject.UnicodeCol()
description = sqlobject.UnicodeCol()
2010-04-14 20:03:44 +02:00
timestamp_creation = sqlobject.DateTimeCol()
2010-04-15 12:32:45 +02:00
def get_settings(self):
current_dict = {}
for setting in PollSetting.selectBy(poll_id=self.id):
if setting.key in POLL_SETTINGS.keys():
current_dict[setting.key] = validate_poll_setting(setting.key, setting.value)
2010-04-15 12:32:45 +02:00
for key, meta_info in POLL_SETTINGS.items():
if not key in current_dict.keys():
current_dict[key] = meta_info[1]
return current_dict
def change_setting(self, key, value):
validated_value = validate_poll_setting(key, value)
2010-04-15 12:32:45 +02:00
if not validated_value is None:
poll_setting = PollSetting.selectBy(poll_id=self.id, key=key)
if poll_setting.count() == 1:
poll_setting[0].value = str(validated_value)
elif poll_setting.count() == 0:
PollSetting(poll_id=self.id, key=key, value=str(validated_value))
2010-04-15 12:32:45 +02:00
2010-04-14 20:03:44 +02:00
def get_num_of_submitters(self):
all_submitters = [submission.submitter for submission in ContentSubmission.selectBy(poll_id=self.id)]
2010-04-14 20:03:44 +02:00
unique_submitters = []
for submitter in all_submitters:
if not submitter in unique_submitters:
unique_submitters.append(submitter)
return len(unique_submitters)
def get_num_of_submissions(self):
return ContentSubmission.selectBy(poll_id=self.id).count()
def get_submissions(self):
return ContentSubmission.selectBy(poll_id=self.id)
2010-04-14 20:03:44 +02:00
2010-04-15 12:58:36 +02:00
def delete_poll(self):
submissions = ContentSubmission.selectBy(poll_id=self.id)
2010-04-15 12:58:36 +02:00
settings = PollSetting.selectBy(poll_id=self.id)
for submission in submissions:
submission.destroySelf()
for setting in settings:
setting.destroySelf()
self.destroySelf()
2010-04-14 20:03:44 +02:00
def get_url(self):
2010-05-06 13:39:25 +02:00
return "%s%s" % (BASE_DICT["base_url"], self.hash_key)
2010-04-14 20:03:44 +02:00
def get_submit_url(self):
2010-05-06 13:39:25 +02:00
return "%s%s/submit" % (BASE_DICT["base_url"], self.hash_key)
2010-04-15 12:32:45 +02:00
def get_admin_url(self):
2010-05-06 13:39:25 +02:00
return "%s%s" % (BASE_DICT["base_url"], self.admin_hash_key)
2010-04-15 12:32:45 +02:00
def get_edit_url(self):
2010-05-06 13:39:25 +02:00
return "%s%s/admin" % (BASE_DICT["base_url"], self.admin_hash_key)
2010-04-15 12:32:45 +02:00
2010-04-15 12:58:36 +02:00
def get_delete_url(self):
2010-05-06 13:39:25 +02:00
return "%s%s/delete" % (BASE_DICT["base_url"], self.admin_hash_key)
2010-04-15 12:58:36 +02:00
2010-04-14 20:03:44 +02:00
def get_creation_time_string(self):
return str(self.timestamp_creation)
2010-04-15 12:32:45 +02:00
def validate_poll_setting(key, value):
if not key in POLL_SETTINGS.keys():
return None
setting_type = POLL_SETTINGS[key][0]
if setting_type in (basestring, unicode, str):
return value
elif setting_type == bool:
if value is None:
value = "false"
if isinstance(value, bool):
return value
2010-04-15 12:32:45 +02:00
else:
text = value.lower()
if text in ("0", "false", "no", "off", "disabled", "", None):
return False
elif text in ("1", "true", "yes", "on", "enabled"):
return True
else:
return None
2010-04-15 12:32:45 +02:00
else:
# all other types (e.g. int, float, ...)
try:
return setting_type(value)
except ValueError:
return None
2010-04-14 20:03:44 +02:00
def get_default_values(**kwargs):
value_dict = dict(BASE_DICT)
for key, value in kwargs.items():
value_dict[key] = value
return value_dict
2010-04-15 12:32:45 +02:00
def render(filename, input_data=None, **values):
stream = loader.load(filename).generate(**values)
if not input_data is None:
stream |= genshi.filters.HTMLFormFiller(data=input_data)
return stream.render("html", doctype="html")
2010-04-14 20:03:44 +02:00
def get_poll_id(hash_key):
polls = Poll.selectBy(hash_key=hash_key)
if polls.count() == 1:
return polls[0].id
else:
return None
2010-04-15 12:32:45 +02:00
def get_poll_admin_id(hash_key):
polls = Poll.selectBy(admin_hash_key=hash_key)
if polls.count() == 1:
return polls[0].id
else:
return None
def get_new_hash_key(length=16, charset=None):
""" returns a quite random hash key with the specified length """
if charset is None:
charset = "0123456789abcdefghijklmnopqrstuvwxyz"
def get_hash_string(length):
base = uuid.uuid4().int
result = []
while len(result) < length:
value = base % len(charset)
base //= len(charset)
result.append(charset[value])
return "".join(result)
# repeat the hash generation until a new value is found
hash_key = get_hash_string(length)
2010-04-15 12:32:45 +02:00
while (not get_poll_id(hash_key) is None) or (not get_poll_admin_id(hash_key) is None):
hash_key = get_hash_string(length)
2010-04-14 20:03:44 +02:00
return hash_key
2010-05-06 13:39:25 +02:00
@bobo.query('/new')
@bobo.query('/new/:setting_defaults')
@bobo.query('/new/:author/:title/:description')
def new_poll(submit=None, cancel=None, setting_defaults=None, author=None,
title=None, description=None, **kwargs):
# TODO: implement "setting_defaults" for different (pre-defined) categories of polls
2010-04-14 20:03:44 +02:00
value_dict = get_default_values()
2010-04-15 12:32:45 +02:00
data = {"author": author, "title": title, "description": description}
2010-04-14 20:03:44 +02:00
if cancel:
return bobo.redirect(BASE_DICT["base_url"])
2010-04-15 12:32:45 +02:00
elif not submit:
# show the "new poll" form
return render("poll_new.html", input_data=data, **value_dict)
2010-04-14 20:03:44 +02:00
else:
2010-04-15 12:32:45 +02:00
# create the new poll (if it is valid)
2010-04-14 20:03:44 +02:00
errors = {}
try:
data = forms.PollForm.to_python(data)
except formencode.Invalid, errors_packed:
errors = errors_packed.unpack_errors()
if errors:
value_dict["errors"] = errors
return render("poll_new.html", input_data=data, **value_dict)
2010-04-14 20:03:44 +02:00
else:
# create the new poll
hash_key = get_new_hash_key()
2010-04-15 12:32:45 +02:00
admin_hash_key = get_new_hash_key()
2010-04-14 20:03:44 +02:00
now = datetime.datetime.now()
2010-04-15 12:32:45 +02:00
new_poll = Poll(hash_key=hash_key, admin_hash_key=admin_hash_key, timestamp_creation=now, **data)
return bobo.redirect(new_poll.get_admin_url())
2010-05-06 13:39:25 +02:00
@bobo.query('/:hash_key/submit')
def submit_content(hash_key=None, submitter=None, content=None, template=None):
value_dict = get_default_values()
data = {"submitter": submitter, "content": content}
poll_id = get_poll_id(hash_key)
if not poll_id is None:
poll = Poll.get(poll_id)
value_dict["poll"] = poll
errors = {}
try:
data = forms.SubmitForm.to_python(data)
except formencode.Invalid, errors_packed:
errors = errors_packed.unpack_errors()
if errors:
value_dict["errors"] = errors
return render("poll_details.html", input_data=data, **value_dict)
else:
# create the new submission content
data["timestamp_creation"] = datetime.datetime.now()
data["poll_id"] = poll.id
ContentSubmission(**data)
# remove "content" for the next input
del data["content"]
return render("poll_details.html", input_data=data, **value_dict)
return bobo.redirect(BASE_DICT["base_url"])
2010-05-06 13:39:25 +02:00
@bobo.query('/:admin_hash_key/delete')
2010-04-15 12:58:36 +02:00
def delete_poll(admin_hash_key=None):
admin_poll_id = get_poll_admin_id(admin_hash_key)
if not admin_poll_id is None:
poll = Poll.get(admin_poll_id)
poll.delete_poll()
return bobo.redirect(BASE_DICT["base_url"])
2010-05-06 13:39:25 +02:00
@bobo.query('/:admin_hash_key/admin')
def admin_poll(cancel=False, submit=None, admin_hash_key=None, author=None,
title=None, description=None, settings=None):
2010-04-15 12:32:45 +02:00
value_dict = get_default_values()
data = {"author": author, "title": title, "description": description}
poll_id = get_poll_admin_id(admin_hash_key)
if poll_id is None:
return bobo.redirect(BASE_DICT["base_url"])
poll = Poll.get(poll_id)
# cancel: return to (non-edit) admin page
if cancel:
return bobo.redirect(poll.get_admin_url())
if author is None:
data["author"] = poll.author
if title is None:
data["title"] = poll.title
if description is None:
data["description"] = poll.description
poll_settings = poll.get_settings()
# update the settings only after a submit (otherwise we clear all current settings)
if submit:
# override with the given settings (taken from the form input with the prefix "setting_")
if settings is None:
settings = []
elif not isinstance(settings, list):
settings = [settings]
else:
# it is a list - everything is fine
pass
for setting_key in poll_settings.keys():
poll_settings[setting_key] = setting_key in settings
2010-04-15 12:32:45 +02:00
# store the new settings or create the new poll
errors = {}
if submit:
# check for errors only if the content is submitted (not just rendered)
try:
data = forms.PollForm.to_python(data)
except formencode.Invalid, errors_packed:
errors = errors_packed.unpack_errors()
# add "settings" after forms validation - since there is no destination type
data["settings"] = [key for key, value in poll_settings.items() if value]
2010-04-15 12:32:45 +02:00
# the admin hash should also not be validated - thus we may not add it before
if errors:
value_dict["errors"] = errors
return render("poll_admin.html", input_data=data, **value_dict)
else:
if submit:
# update core attributes of the existing poll
poll.author = data["author"]
poll.title = data["title"]
poll.description = data["description"]
current_settings = poll.get_settings()
# update settings
for key, value in poll_settings.items():
2010-04-15 12:32:45 +02:00
if current_settings[key] != value:
poll.change_setting(key, value)
return bobo.redirect(poll.get_admin_url())
else:
return render("poll_admin.html", input_data=data, **value_dict)
2010-04-14 20:03:44 +02:00
@bobo.query('')
2010-04-15 12:32:45 +02:00
def base():
return bobo.redirect(BASE_DICT["base_url"])
@bobo.query('/')
def show_frontpage():
value_dict = get_default_values()
value_dict["polls"] = Poll.select()
return render("frontpage.html", **value_dict)
2010-05-06 13:39:25 +02:00
@bobo.query('/:poll_hash')
2010-04-14 20:03:44 +02:00
def show_one_poll(poll_hash=None):
2010-04-15 12:32:45 +02:00
value_dict = get_default_values()
2010-04-14 20:03:44 +02:00
poll_id = get_poll_id(poll_hash)
if not poll_id is None:
value_dict["poll"] = Poll.get(poll_id)
return render("poll_details.html", **value_dict)
else:
2010-04-15 12:32:45 +02:00
admin_poll_id = get_poll_admin_id(poll_hash)
if not admin_poll_id is None:
value_dict["poll"] = Poll.get(admin_poll_id)
return render("poll_admin_details.html", **value_dict)
else:
return bobo.redirect(BASE_DICT["base_url"])
@bobo.query('/node/:pagename')
2010-04-17 13:46:51 +02:00
def show_static_nodes(pagename=None):
""" meant for serving hand-changed, automatically styled content. """
value_dict = get_default_values()
return render("nodes/"+pagename, **value_dict)
def get_static_file(filename):
""" deliver a static file - this function is used internally """
response = webob.Response()
content_type = mimetypes.guess_type(filename)[0]
if content_type is not None:
response.content_type = content_type
try:
response.body = open(filename).read()
except IOError:
raise bobo.NotFound
return response
2010-04-14 20:03:44 +02:00
@bobo.query('/media/:p1')
@bobo.query('/media/:p1/:p2')
@bobo.query('/media/:p1/:p2/:p3')
def static_files(p1=None, p2=None, p3=None):
""" deliver files up to three levels below /media/ """
pathlist = [p1, p2, p3]
pathname = os.path.join(BASE_DIR, "templates", "media")
for subdir in pathlist:
if not subdir is None:
pathname = os.path.join(pathname, subdir)
return get_static_file(pathname)
for table in (Poll, ContentSubmission, PollSetting, PollRelation):
#Poll.dropTable()
if not table.tableExists():
table.createTable()
for poll in Poll.select():
print poll
2010-04-15 12:32:45 +02:00
# this line allows to use wortschlucker with mod_wsgi
# see: http://groups.google.com/group/bobo-web/msg/2ba55fc381658cd1
#application = bobo.Application(bobo_resources=__name__)