tools.py 7.56 KB
Newer Older
1 2 3
"""
Tools for the instructor dashboard
"""
4 5
import json

6
import dateutil
7
from django.contrib.auth.models import User
8
from django.http import HttpResponseBadRequest
9
from pytz import UTC
10
from django.utils.translation import ugettext as _
11
from opaque_keys.edx.keys import UsageKey
12 13

from courseware.field_overrides import disable_overrides
14 15
from courseware.models import StudentFieldOverride
from courseware.student_field_overrides import clear_override_for_user, get_override_for_user, override_field_for_user
16
from xmodule.fields import Date
17

18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49
DATE_FIELD = Date()


class DashboardError(Exception):
    """
    Errors arising from use of the instructor dashboard.
    """
    def response(self):
        """
        Generate an instance of HttpResponseBadRequest for this error.
        """
        error = unicode(self)
        return HttpResponseBadRequest(json.dumps({'error': error}))


def handle_dashboard_error(view):
    """
    Decorator which adds seamless DashboardError handling to a view.  If a
    DashboardError is raised during view processing, an HttpResponseBadRequest
    is sent back to the client with JSON data about the error.
    """
    def wrapper(request, course_id):
        """
        Wrap the view.
        """
        try:
            return view(request, course_id=course_id)
        except DashboardError, error:
            return error.response()

    return wrapper

50

51 52 53 54
def strip_if_string(value):
    if isinstance(value, basestring):
        return value.strip()
    return value
55

56

57 58 59 60 61 62 63 64 65 66 67 68 69 70
def get_student_from_identifier(unique_student_identifier):
    """
    Gets a student object using either an email address or username.

    Returns the student object associated with `unique_student_identifier`

    Raises User.DoesNotExist if no user object can be found.
    """
    unique_student_identifier = strip_if_string(unique_student_identifier)
    if "@" in unique_student_identifier:
        student = User.objects.get(email=unique_student_identifier)
    else:
        student = User.objects.get(username=unique_student_identifier)
    return student
71 72


73 74 75 76 77 78 79 80 81 82 83 84 85 86 87
def require_student_from_identifier(unique_student_identifier):
    """
    Same as get_student_from_identifier() but will raise a DashboardError if
    the student does not exist.
    """
    try:
        return get_student_from_identifier(unique_student_identifier)
    except User.DoesNotExist:
        raise DashboardError(
            _("Could not find student matching identifier: {student_identifier}").format(
                student_identifier=unique_student_identifier
            )
        )


88 89 90 91 92 93
def parse_datetime(datestr):
    """
    Convert user input date string into an instance of `datetime.datetime` in
    UTC.
    """
    try:
94
        return dateutil.parser.parse(datestr).replace(tzinfo=UTC)
95 96 97 98 99 100 101 102 103 104 105 106 107 108
    except ValueError:
        raise DashboardError(_("Unable to parse date: ") + datestr)


def find_unit(course, url):
    """
    Finds the unit (block, module, whatever the terminology is) with the given
    url in the course tree and returns the unit.  Raises DashboardError if no
    unit is found.
    """
    def find(node, url):
        """
        Find node in course tree for url.
        """
109
        if node.location.to_deprecated_string() == url:
110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152
            return node
        for child in node.get_children():
            found = find(child, url)
            if found:
                return found
        return None

    unit = find(course, url)
    if unit is None:
        raise DashboardError(_("Couldn't find module for url: {0}").format(url))
    return unit


def get_units_with_due_date(course):
    """
    Returns all top level units which have due dates.  Does not return
    descendents of those nodes.
    """
    units = []

    def visit(node):
        """
        Visit a node.  Checks to see if node has a due date and appends to
        `units` if it does.  Otherwise recurses into children to search for
        nodes with due dates.
        """
        if getattr(node, 'due', None):
            units.append(node)
        else:
            for child in node.get_children():
                visit(child)
    visit(course)
    #units.sort(key=_title_or_url)
    return units


def title_or_url(node):
    """
    Returns the `display_name` attribute of the passed in node of the course
    tree, if it has one.  Otherwise returns the node's url.
    """
    title = getattr(node, 'display_name', None)
    if not title:
153
        title = node.location.to_deprecated_string()
154 155 156 157 158
    return title


def set_due_date_extension(course, unit, student, due_date):
    """
159
    Sets a due date extension. Raises DashboardError if the unit or extended
160
    due date is invalid.
161
    """
162 163
    if due_date:
        # Check that the new due date is valid:
164 165
        with disable_overrides():
            original_due_date = getattr(unit, 'due', None)
166

167 168
        if not original_due_date:
            raise DashboardError(_("Unit {0} has no due date to extend.").format(unit.location))
169 170
        if due_date < original_due_date:
            raise DashboardError(_("An extended due date must be later than the original due date."))
171 172 173

        override_field_for_user(student, unit, 'due', due_date)

174 175
    else:
        # We are deleting a due date extension. Check that it exists:
176
        if not get_override_for_user(student, unit, 'due'):
177
            raise DashboardError(_("No due date extension is set for that student and unit."))
178

179
        clear_override_for_user(student, unit, 'due')
180 181 182 183 184 185 186 187 188


def dump_module_extensions(course, unit):
    """
    Dumps data about students with due date extensions for a particular module,
    specified by 'url', in a particular course.
    """
    data = []
    header = [_("Username"), _("Full Name"), _("Extended Due Date")]
189
    query = StudentFieldOverride.objects.filter(
190
        course_id=course.id,
191 192 193 194 195 196
        location=unit.location,
        field='due')
    for override in query:
        due = DATE_FIELD.from_json(json.loads(override.value))
        due = due.strftime("%Y-%m-%d %H:%M")
        fullname = override.student.profile.name
197 198
        data.append(dict(zip(
            header,
199
            (override.student.username, fullname, due))))
200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216
    data.sort(key=lambda x: x[header[0]])
    return {
        "header": header,
        "title": _("Users with due date extensions for {0}").format(
            title_or_url(unit)),
        "data": data
    }


def dump_student_extensions(course, student):
    """
    Dumps data about the due date extensions granted for a particular student
    in a particular course.
    """
    data = []
    header = [_("Unit"), _("Extended Due Date")]
    units = get_units_with_due_date(course)
217 218
    units = {u.location: u for u in units}
    query = StudentFieldOverride.objects.filter(
219
        course_id=course.id,
220 221 222 223 224
        student=student,
        field='due')
    for override in query:
        location = override.location.replace(course_key=course.id)
        if location not in units:
225
            continue
226 227 228 229
        due = DATE_FIELD.from_json(json.loads(override.value))
        due = due.strftime("%Y-%m-%d %H:%M")
        title = title_or_url(units[location])
        data.append(dict(zip(header, (title, due))))
230 231 232 233 234
    return {
        "header": header,
        "title": _("Due date extensions for {0} {1} ({2})").format(
            student.first_name, student.last_name, student.username),
        "data": data}
235 236 237 238 239 240 241 242 243 244


def add_block_ids(payload):
    """
    rather than manually parsing block_ids from module_ids on the client, pass the block_ids explicitly in the payload
    """
    if 'data' in payload:
        for ele in payload['data']:
            if 'module_id' in ele:
                ele['block_id'] = UsageKey.from_string(ele['module_id']).block_id