Newer
Older
# -*- coding: utf-8 -*-
from __future__ import division
__copyright__ = "Copyright (C) 2014 Andreas Kloeckner"
__license__ = """
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in
all copies or substantial portions of the Software.
THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
THE SOFTWARE.
"""
from django.utils.translation import ugettext as _
from django.utils.timezone import now
from django.core.exceptions import ObjectDoesNotExist, ImproperlyConfigured
from markdown.extensions import Extension
from markdown.treeprocessors import Treeprocessor
from jinja2 import BaseLoader as BaseTemplateLoader, TemplateNotFound
Andreas Klöckner
committed
from yaml import load as load_yaml
# {{{ repo interaction
class SubdirRepoWrapper(object):
def __init__(self, repo, subdir):
self.repo = repo
# This wrapper should only get used if there is a subdir to be had.
assert subdir
self.subdir = subdir
def controldir(self):
return self.repo.controldir()
def get_course_repo_path(course):
from os.path import join
return join(settings.GIT_ROOT, course.identifier)
def get_course_repo(course):
Andreas Klöckner
committed
from dulwich.repo import Repo
repo = Repo(get_course_repo_path(course))
if course.course_root_path:
return SubdirRepoWrapper(repo, course.course_root_path)
else:
return repo
def get_repo_blob(repo, full_name, commit_sha):
if isinstance(repo, SubdirRepoWrapper):
# full_name must be non-empty
full_name = repo.subdir + "/" + full_name
repo = repo.repo
names = full_name.split("/")
tree_sha = repo[commit_sha].tree
tree = repo[tree_sha]
if not full_name:
return tree
try:
for name in names[:-1]:
if not name:
# tolerate empty path components (begrudgingly)
continue
mode, blob_sha = tree[name.encode()]
tree = repo[blob_sha]
mode, blob_sha = tree[names[-1].encode()]
return repo[blob_sha]
except KeyError:
raise ObjectDoesNotExist(_("resource '%s' not found") % full_name)
def get_repo_blob_data_cached(repo, full_name, commit_sha):
cache_key = "%%%1".join((repo.controldir(), full_name, str(commit_sha)))
try:
import django.core.cache as cache
except ImproperlyConfigured:
return get_repo_blob(repo, full_name, commit_sha).data
def_cache = cache.caches["default"]
result = def_cache.get(cache_key)
if result is not None:
return result
result = get_repo_blob(repo, full_name, commit_sha).data
def_cache.add(cache_key, result, None)
return result
JINJA_YAML_RE = re.compile(
r"^\[JINJA\]\s*$(.*?)^\[\/JINJA\]\s*$",
re.MULTILINE | re.DOTALL)
def expand_yaml_macros(repo, commit_sha, yaml_str):
if isinstance(yaml_str, six.binary_type):
yaml_str = yaml_str.decode("utf-8")
def compute_replacement(match):
jinja_src = match.group(1)
from jinja2 import Environment, StrictUndefined
env = Environment(
loader=GitTemplateLoader(repo, commit_sha),
undefined=StrictUndefined)
template = env.from_string(jinja_src)
return template.render()
result, _ = JINJA_YAML_RE.subn(compute_replacement, yaml_str)
return result
def get_raw_yaml_from_repo(repo, full_name, commit_sha):
"""Return decoded YAML data structure from
the given file in *repo* at *commit_sha*.
"""
cache_key = "%RAW%%2".join((repo.controldir(), full_name, commit_sha))
def_cache = cache.caches["default"]
result = def_cache.get(cache_key)
if result is not None:
return result
result = load_yaml(
expand_yaml_macros(
repo, commit_sha,
get_repo_blob(repo, full_name, commit_sha).data))
def_cache.add(cache_key, result, None)
return result
def get_yaml_from_repo(repo, full_name, commit_sha, cached=True):
"""Return decoded, struct-ified YAML data structure from
the given file in *repo* at *commit_sha*.
if cached:
cache_key = "%%%2".join((repo.controldir(), full_name, commit_sha))
import django.core.cache as cache
def_cache = cache.caches["default"]
result = def_cache.get(cache_key)
if result is not None:
return result
load_yaml(
expand_yaml_macros(
repo, commit_sha,
get_repo_blob(repo, full_name, commit_sha).data)))
if cached:
def_cache.add(cache_key, result, None)
def is_repo_file_public(repo, commit_sha, path):
from os.path import dirname, basename, join
attributes_path = join(dirname(path), ".attributes.yml")
from course.content import get_raw_yaml_from_repo
try:
attributes = get_raw_yaml_from_repo(
repo, attributes_path, commit_sha.encode())
except ObjectDoesNotExist:
# no attributes file: not public
return False
path_basename = basename(path)
public_patterns = attributes.get("public", [])
from fnmatch import fnmatch
if isinstance(public_patterns, list):
for pattern in attributes.get("public", []):
if isinstance(pattern, (str, unicode)):
if fnmatch(path_basename, pattern):
return True
return False
# }}}
# {{{ markup
def _attr_to_string(key, val):
if val is None:
return key
elif "\"" in val:
return "%s='%s'" % (key, val)
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
else:
return "%s=\"%s\"" % (key, val)
class TagProcessingHTMLParser(HTMLParser):
def __init__(self, out_file, process_tag_func):
HTMLParser.__init__(self)
self.out_file = out_file
self.process_tag_func = process_tag_func
def handle_starttag(self, tag, attrs):
attrs = dict(attrs)
attrs.update(self.process_tag_func(tag, attrs))
self.out_file.write("<%s %s>" % (tag, " ".join(
_attr_to_string(k, v) for k, v in attrs.iteritems())))
def handle_endtag(self, tag):
self.out_file.write("</%s>" % tag)
def handle_startendtag(self, tag, attrs):
attrs = dict(attrs)
attrs.update(self.process_tag_func(tag, attrs))
self.out_file.write("<%s %s/>" % (tag, " ".join(
_attr_to_string(k, v) for k, v in attrs.iteritems())))
def handle_data(self, data):
self.out_file.write(data)
def handle_entityref(self, name):
self.out_file.write("&%s;" % name)
def handle_charref(self, name):
self.out_file.write("&#%s;" % name)
def handle_comment(self, data):
self.out_file.write("<!--%s-->" % data)
def handle_decl(self, decl):
self.out_file.write("<!%s>" % decl)
def handle_pi(self, data):
raise NotImplementedError(
_("I have no idea what a processing instruction is."))
def unknown_decl(self, data):
self.out_file.write("<![%s]>" % data)
def __init__(self, md, course, commit_sha, reverse_func):
self.commit_sha = commit_sha
def get_course_identifier(self):
if self.course is None:
return "bogus-course-identifier"
else:
return self.course.identifier
if url.startswith("course:"):
course_id = url[7:]
if course_id:
return self.reverse_func("relate-course_page",
args=(course_id,))
else:
return self.reverse_func("relate-course_page",
args=(self.get_course_identifier(),))
elif url.startswith("flow:"):
return self.reverse_func("relate-view_start_flow",
args=(self.get_course_identifier(), flow_id))
elif url.startswith("media:"):
media_path = url[6:]
return self.reverse_func("relate-get_media",
args=(
self.get_course_identifier(),
self.commit_sha,
media_path))
elif url.startswith("repo:"):
path = url[5:]
return self.reverse_func("relate-get_repo_file",
args=(
self.get_course_identifier(),
self.commit_sha,
path))
elif url.startswith("repocur:"):
path = url[8:]
return self.reverse_func("relate-get_current_repo_file",
args=(
self.get_course_identifier(),
path))
return self.reverse_func("relate-view_calendar",
return None
def process_tag(self, tag_name, attrs):
changed_attrs = {}
if tag_name == "table":
changed_attrs["class"] = "table table-condensed"
if tag_name == "a" and "href" in attrs:
new_href = self.process_url(attrs["href"])
if new_href is not None:
changed_attrs["href"] = new_href
elif tag_name == "img" and "src" in attrs:
new_src = self.process_url(attrs["src"])
if new_src is not None:
changed_attrs["src"] = new_src
elif tag_name == "object" and "data" in attrs:
new_data = self.process_url(attrs["data"])
if new_data is not None:
changed_attrs["data"] = new_data
return changed_attrs
def process_etree_element(self, element):
changed_attrs = self.process_tag(element.tag, element.attrib)
for key, val in changed_attrs.iteritems():
element.set(key, val)
def walk_and_process_tree(self, root):
self.process_etree_element(root)
self.walk_and_process_tree(child)
def run(self, root):
self.walk_and_process_tree(root)
# root through and process Markdown's HTML stash (gross!)
for i, (html, safe) in enumerate(self.md.htmlStash.rawHtmlBlocks):
outf = StringIO()
parser = TagProcessingHTMLParser(outf, self.process_tag)
parser.feed(html)
self.md.htmlStash.rawHtmlBlocks[i] = (outf.getvalue(), safe)
def __init__(self, course, commit_sha, reverse_func):
self.course = course
self.commit_sha = commit_sha
LinkFixerTreeprocessor(md, self.course, self.commit_sha,
reverse_func=self.reverse_func)
class GitTemplateLoader(BaseTemplateLoader):
def __init__(self, repo, commit_sha):
self.repo = repo
self.commit_sha = commit_sha
def get_source(self, environment, template):
try:
data = get_repo_blob_data_cached(self.repo, template, self.commit_sha)
except ObjectDoesNotExist:
raise TemplateNotFound(template)
source = data.decode('utf-8')
def is_up_to_date():
# There's not much point to caching here, because we create
# a new loader for every request anyhow...
return False
return source, None, lambda: False
def remove_prefix(prefix, s):
if s.startswith(prefix):
return s[len(prefix):]
else:
return s
JINJA_PREFIX = "[JINJA]"
Andreas Klöckner
committed
def markup_to_html(course, repo, commit_sha, text, reverse_func=None,
validate_only=False):
if reverse_func is None:
from django.core.urlresolvers import reverse
reverse_func = reverse
try:
import django.core.cache as cache
except ImproperlyConfigured:
cache_key = None
else:
import hashlib
cache_key = ("markup:%s:%s"
% (str(commit_sha),
hashlib.md5(text.encode("utf-8")).hexdigest()))
def_cache = cache.caches["default"]
result = def_cache.get(cache_key)
if result is not None:
return result
if text.lstrip().startswith(JINJA_PREFIX):
text = remove_prefix(JINJA_PREFIX, text.lstrip())
from jinja2 import Environment, StrictUndefined
env = Environment(
loader=GitTemplateLoader(repo, commit_sha),
undefined=StrictUndefined)
template = env.from_string(text)
text = template.render()
Andreas Klöckner
committed
if validate_only:
return
from course.mdx_mathjax import MathJaxExtension
LinkFixerExtension(course, commit_sha, reverse_func=reverse_func),
"markdown.extensions.extra",
"markdown.extensions.codehilite",
],
output_format="html5")
if cache_key is not None:
def_cache.add(cache_key, result, None)
return result
DATE_RE = re.compile(r"^([0-9]+)\-([01][0-9])\-([0-3][0-9])$")
TRAILING_NUMERAL_RE = re.compile(r"^(.*)\s+([0-9]+)$")
class InvalidDatespec(ValueError):
def __init__(self, datespec):
ValueError.__init__(self, str(datespec))
self.datespec = datespec
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
AT_TIME_RE = re.compile(r"^(.*)\s*@\s*([0-2]?[0-9])\:([0-9][0-9])\s*$")
class AtTimePostprocessor(object):
def __init__(self, hour, minute, second=0):
self.hour = hour
self.minute = minute
self.second = second
@classmethod
def parse(cls, s):
match = AT_TIME_RE.match(s)
if match is not None:
hour = int(match.group(2))
minute = int(match.group(3))
if not (0 <= hour < 24):
raise InvalidDatespec(s)
if not (0 <= minute < 60):
raise InvalidDatespec(s)
return match.group(1), AtTimePostprocessor(hour, minute)
else:
return s, None
def apply(self, dtm):
from pytz import timezone
server_tz = timezone(settings.TIME_ZONE)
return dtm.astimezone(server_tz).replace(
hour=self.hour,
minute=self.minute,
second=self.second)
PLUS_DELTA_RE = re.compile(r"^(.*)\s*([+-])\s*([0-9]+)\s+"
"(weeks?|days?|hours?|minutes?)$")
class PlusDeltaPostprocessor(object):
def __init__(self, count, period):
self.count = count
self.period = period
@classmethod
def parse(cls, s):
match = PLUS_DELTA_RE.match(s)
if match is not None:
count = int(match.group(3))
if match.group(2) == "-":
count = -count
period = match.group(4)
return match.group(1), PlusDeltaPostprocessor(count, period)
else:
return s, None
def apply(self, dtm):
if self.period.startswith("week"):
d = datetime.timedelta(weeks=self.count)
elif self.period.startswith("day"):
d = datetime.timedelta(days=self.count)
elif self.period.startswith("hour"):
d = datetime.timedelta(hours=self.count)
elif self.period.startswith("minute"):
d = datetime.timedelta(minutes=self.count)
else:
raise InvalidDatespec(_("invalid period: %s" % self.period))
return dtm + d
DATESPEC_POSTPROCESSORS = [
AtTimePostprocessor,
PlusDeltaPostprocessor,
]
Andreas Klöckner
committed
def parse_date_spec(course, datespec, vctx=None, location=None):
Andreas Klöckner
committed
orig_datespec = datespec
def localize_if_needed(d):
if d.tzinfo is None:
from relate.utils import localize_datetime
return localize_datetime(d)
return d
if isinstance(datespec, datetime.datetime):
return localize_if_needed(datespec)
if isinstance(datespec, datetime.date):
return localize_if_needed(
datetime.datetime.combine(datespec, datetime.time.min))
datespec = datespec.strip()
# {{{ parse postprocessors
postprocs = []
while True:
parsed_one = False
for pp_class in DATESPEC_POSTPROCESSORS:
datespec, postproc = pp_class.parse(datespec)
if postproc is not None:
parsed_one = True
postprocs.insert(0, postproc)
break
datespec = datespec.strip()
if not parsed_one:
break
# }}}
def apply_postprocs(dtime):
for postproc in postprocs:
dtime = postproc.apply(dtime)
return dtime
match = DATE_RE.match(datespec)
return apply_postprocs(
datetime.date(
int(match.group(1)),
int(match.group(2)),
int(match.group(3))))
match = TRAILING_NUMERAL_RE.match(datespec)
Andreas Klöckner
committed
if vctx is not None:
from course.validation import validate_identifier
Andreas Klöckner
committed
validate_identifier(vctx, "%s: event kind" % location,
Andreas Klöckner
committed
match.group(1))
if course is None:
return now()
from course.models import Event
return apply_postprocs(
Event.objects.get(
course=course,
kind=match.group(1),
ordinal=int(match.group(2))).time)
except ObjectDoesNotExist:
Andreas Klöckner
committed
if vctx is not None:
vctx.add_warning(
location,
_("unrecognized date/time specification: '%s' "
"(interpreted as 'now')")
% orig_datespec)
return now()
if vctx is not None:
from course.validation import validate_identifier
Andreas Klöckner
committed
validate_identifier(vctx, "%s: event kind" % location, datespec)
Andreas Klöckner
committed
if course is None:
return now()
from course.models import Event
return apply_postprocs(
Event.objects.get(
course=course,
kind=datespec,
ordinal=None).time)
except ObjectDoesNotExist:
Andreas Klöckner
committed
if vctx is not None:
vctx.add_warning(
location,
_("unrecognized date/time specification: '%s' "
"(interpreted as 'now')")
% orig_datespec)
return now()
def compute_chunk_weight_and_shown(course, chunk, role, now_datetime,
remote_address):
if hasattr(rule, "if_has_role"):
if role not in rule.if_has_role:
if hasattr(rule, "if_after"):
start_date = parse_date_spec(course, rule.if_after)
if now_datetime < start_date:
continue
if hasattr(rule, "if_before"):
end_date = parse_date_spec(course, rule.if_before)
if end_date < now_datetime:
continue
if hasattr(rule, "if_in_facility"):
from course.utils import is_address_in_facility
if not is_address_in_facility(remote_address, rule.if_in_facility):
continue
if hasattr(rule, "roles"):
if role not in rule.roles:
continue
start_date = parse_date_spec(course, rule.start)
end_date = parse_date_spec(course, rule.end)
shown = True
if hasattr(rule, "shown"):
shown = rule.shown
return rule.weight, shown
def get_course_desc(repo, course, commit_sha):
return get_yaml_from_repo(repo, course.course_file, commit_sha)
def get_processed_course_chunks(course, repo, commit_sha,
course_desc, role, now_datetime, remote_address):
for chunk in course_desc.chunks:
chunk.weight, chunk.shown = \
compute_chunk_weight_and_shown(
course, chunk, role, now_datetime,
remote_address)
chunk.html_content = markup_to_html(course, repo, commit_sha, chunk.content)
course_desc.chunks.sort(key=lambda chunk: chunk.weight, reverse=True)
return [chunk for chunk in course_desc.chunks
def get_flow_desc(repo, course, flow_id, commit_sha):
flow = get_yaml_from_repo(repo, "flows/%s.yml" % flow_id, commit_sha)
flow.description_html = markup_to_html(
course, repo, commit_sha, getattr(flow, "description", None))
def get_flow_page_desc(flow_id, flow_desc, group_id, page_id):
for grp in flow_desc.groups:
if grp.id == group_id:
for page in grp.pages:
if page.id == page_id:
return page
raise ObjectDoesNotExist(
_("page '%(group_id)s/%(page_id)s' in flow '%(flow_id)s'") % {
'group_id': group_id,
'page_id': page_id,
'flow_id': flow_id
})
class ClassNotFoundError(RuntimeError):
def import_class(name):
components = name.split('.')
if len(components) < 2:
# need at least one module plus class name
raise ClassNotFoundError(name)
module_name = ".".join(components[:-1])
try:
mod = __import__(module_name)
except ImportError:
raise ClassNotFoundError(name)
for comp in components[1:]:
try:
mod = getattr(mod, comp)
except AttributeError:
raise ClassNotFoundError(name)
def get_flow_page_class(repo, typename, commit_sha):
# look among default page types
import course.page
try:
return getattr(course.page, typename)
except AttributeError:
pass
# try a global dotted-name import
try:
return import_class(typename)
except ClassNotFoundError:
pass
if typename.startswith("repo:"):
stripped_typename = typename[5:]
components = stripped_typename.split(".")
raise ClassNotFoundError(
_("repo page class must conist of two "
"dotted components (invalid: '%s')")
% typename)
module_name = "code/"+module+".py"
module_code = get_repo_blob(repo, module_name, commit_sha).data
exec(compile(module_code, module_name, 'exec'), module_dict)
try:
return module_dict[classname]
except AttributeError:
raise ClassNotFoundError(typename)
else:
raise ClassNotFoundError(typename)
def instantiate_flow_page(location, repo, page_desc, commit_sha):
class_ = get_flow_page_class(repo, page_desc.type, commit_sha)
return class_(None, location, page_desc)
def _adjust_flow_session_page_data_inner(repo, flow_session,
course_identifier, flow_desc, commit_sha):
from course.models import FlowPageData
def remove_page(fpd):
if fpd.ordinal is not None:
fpd.ordinal = None
fpd.save()
desc_group_ids = []
ordinal = [0]
for grp in flow_desc.groups:
desc_group_ids.append(grp.id)
shuffle = getattr(grp, "shuffle", False)
max_page_count = getattr(grp, "max_page_count", None)
available_page_ids = [page_desc.id for page_desc in grp.pages]
if max_page_count is None:
max_page_count = len(available_page_ids)
group_pages = []
# {{{ helper functions
def find_page_desc(page_id):
new_page_desc = None
for page_desc in grp.pages:
if page_desc.id == page_id:
new_page_desc = page_desc
break
assert new_page_desc is not None
return new_page_desc
def create_fpd(new_page_desc):
page = instantiate_flow_page(
"course '%s', flow '%s', page '%s/%s'"
% (course_identifier, flow_session.flow_id,
grp.id, new_page_desc.id),
repo, new_page_desc, commit_sha)
return FlowPageData(
flow_session=flow_session,
group_id=grp.id,
page_id=new_page_desc.id,
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
ordinal=None,
data=page.make_page_data())
def add_page(fpd):
if fpd.ordinal != ordinal[0]:
fpd.ordinal = ordinal[0]
fpd.save()
ordinal[0] += 1
available_page_ids.remove(fpd.page_id)
group_pages.append(fpd)
# }}}
if shuffle:
# maintain order of existing pages as much as possible
for fpd in (FlowPageData.objects
.filter(
flow_session=flow_session,
group_id=grp.id,
ordinal__isnull=False)
.order_by("ordinal")):
if (fpd.page_id in available_page_ids
and len(group_pages) < max_page_count):
add_page(fpd)
else:
remove_page(fpd)
assert len(group_pages) <= max_page_count
from random import choice
# then add randomly chosen new pages
while len(group_pages) < max_page_count and available_page_ids:
new_page_id = choice(available_page_ids)
new_page_fpds = (FlowPageData.objects
.filter(
flow_session=flow_session,
group_id=grp.id,
page_id=new_page_id))
if new_page_fpds.count():
# We already have FlowPageData for this page, revive it
new_page_fpd, = new_page_fpds
assert new_page_fpd.id == new_page_id
else:
# Make a new FlowPageData instance
page_desc = find_page_desc(new_page_id)
assert page_desc.id == new_page_id
new_page_fpd = create_fpd(page_desc)
assert new_page_fpd.page_id == new_page_id
add_page(new_page_fpd)
else:
# reorder pages to order in flow
id_to_fpd = dict(
((fpd.group_id, fpd.page_id), fpd)
for fpd in FlowPageData.objects.filter(
flow_session=flow_session,
group_id=grp.id))
for page_desc in grp.pages:
key = (grp.id, page_desc.id)
if key in id_to_fpd:
fpd = id_to_fpd.pop(key)
else:
fpd = create_fpd(page_desc)
if len(group_pages) < max_page_count:
add_page(fpd)
for fpd in id_to_fpd.values():
remove_page(fpd)
# {{{ remove pages orphaned because of group renames
for fpd in (
FlowPageData.objects
.filter(
flow_session=flow_session,
ordinal__isnull=False)
.exclude(group_id__in=desc_group_ids)
):
remove_page(fpd)
# }}}
if flow_session.page_count != ordinal[0]:
flow_session.page_count = ordinal[0]
def adjust_flow_session_page_data(repo, flow_session,
course_identifier, flow_desc, commit_sha):
from django.db import transaction