Commit 3c67e275 by Jean Manuel Nater

Merge branch 'master' into jnater/courseware_tests

Conflicts:
	lms/djangoapps/courseware/tests/tests.py
	lms/djangoapps/instructor/tests/test_enrollment.py
parents 7f017d0c 894d44a0
...@@ -5,6 +5,15 @@ These are notable changes in edx-platform. This is a rolling list of changes, ...@@ -5,6 +5,15 @@ These are notable changes in edx-platform. This is a rolling list of changes,
in roughly chronological order, most recent first. Add your entries at or near in roughly chronological order, most recent first. Add your entries at or near
the top. Include a label indicating the component affected. the top. Include a label indicating the component affected.
LMS: Users are no longer auto-activated if they click "reset password"
This is now done when they click on the link in the reset password
email they receive (along with usual path through activation email).
LMS: Problem rescoring. Added options on the Grades tab of the
Instructor Dashboard to allow a particular student's submission for a
particular problem to be rescored. Provides an option to see a
history of background tasks for a given problem and student.
Blades: Small UX fix on capa multiple-choice problems. Make labels only Blades: Small UX fix on capa multiple-choice problems. Make labels only
as wide as the text to reduce accidental choice selections. as wide as the text to reduce accidental choice selections.
...@@ -51,6 +60,8 @@ setting now run entirely outside the Python sandbox. ...@@ -51,6 +60,8 @@ setting now run entirely outside the Python sandbox.
Blades: Added tests for Video Alpha player. Blades: Added tests for Video Alpha player.
Common: Have the capa module handle unicode better (especially errors)
Blades: Video Alpha bug fix for speed changing to 1.0 in Firefox. Blades: Video Alpha bug fix for speed changing to 1.0 in Firefox.
Blades: Additional event tracking added to Video Alpha: fullscreen switch, show/hide Blades: Additional event tracking added to Video Alpha: fullscreen switch, show/hide
...@@ -141,3 +152,5 @@ Common: Updated CodeJail. ...@@ -141,3 +152,5 @@ Common: Updated CodeJail.
Common: Allow setting of authentication session cookie name. Common: Allow setting of authentication session cookie name.
LMS: Option to email students when enroll/un-enroll them.
from django.contrib.auth.models import User, Group from django.contrib.auth.models import User, Group
from django.core.exceptions import PermissionDenied from django.core.exceptions import PermissionDenied
from django.conf import settings
from xmodule.modulestore import Location from xmodule.modulestore import Location
...@@ -12,6 +13,9 @@ but this implementation should be data compatible with the LMS implementation ...@@ -12,6 +13,9 @@ but this implementation should be data compatible with the LMS implementation
INSTRUCTOR_ROLE_NAME = 'instructor' INSTRUCTOR_ROLE_NAME = 'instructor'
STAFF_ROLE_NAME = 'staff' STAFF_ROLE_NAME = 'staff'
# This is the group of people who have permission to create new courses on edge or edx.
COURSE_CREATOR_GROUP_NAME = "course_creator_group"
# we're just making a Django group for each location/role combo # we're just making a Django group for each location/role combo
# to do this we're just creating a Group name which is a formatted string # to do this we're just creating a Group name which is a formatted string
# of those two variables # of those two variables
...@@ -36,10 +40,10 @@ def get_users_in_course_group_by_role(location, role): ...@@ -36,10 +40,10 @@ def get_users_in_course_group_by_role(location, role):
return group.user_set.all() return group.user_set.all()
'''
Create all permission groups for a new course and subscribe the caller into those roles
'''
def create_all_course_groups(creator, location): def create_all_course_groups(creator, location):
"""
Create all permission groups for a new course and subscribe the caller into those roles
"""
create_new_course_group(creator, location, INSTRUCTOR_ROLE_NAME) create_new_course_group(creator, location, INSTRUCTOR_ROLE_NAME)
create_new_course_group(creator, location, STAFF_ROLE_NAME) create_new_course_group(creator, location, STAFF_ROLE_NAME)
...@@ -56,10 +60,10 @@ def create_new_course_group(creator, location, role): ...@@ -56,10 +60,10 @@ def create_new_course_group(creator, location, role):
return return
def _delete_course_group(location): def _delete_course_group(location):
''' """
This is to be called only by either a command line code path or through a app which has already This is to be called only by either a command line code path or through a app which has already
asserted permissions asserted permissions
''' """
# remove all memberships # remove all memberships
instructors = Group.objects.get(name=get_course_groupname_for_role(location, INSTRUCTOR_ROLE_NAME)) instructors = Group.objects.get(name=get_course_groupname_for_role(location, INSTRUCTOR_ROLE_NAME))
for user in instructors.user_set.all(): for user in instructors.user_set.all():
...@@ -72,10 +76,10 @@ def _delete_course_group(location): ...@@ -72,10 +76,10 @@ def _delete_course_group(location):
user.save() user.save()
def _copy_course_group(source, dest): def _copy_course_group(source, dest):
''' """
This is to be called only by either a command line code path or through an app which has already This is to be called only by either a command line code path or through an app which has already
asserted permissions to do this action asserted permissions to do this action
''' """
instructors = Group.objects.get(name=get_course_groupname_for_role(source, INSTRUCTOR_ROLE_NAME)) instructors = Group.objects.get(name=get_course_groupname_for_role(source, INSTRUCTOR_ROLE_NAME))
new_instructors_group = Group.objects.get(name=get_course_groupname_for_role(dest, INSTRUCTOR_ROLE_NAME)) new_instructors_group = Group.objects.get(name=get_course_groupname_for_role(dest, INSTRUCTOR_ROLE_NAME))
for user in instructors.user_set.all(): for user in instructors.user_set.all():
...@@ -94,10 +98,34 @@ def add_user_to_course_group(caller, user, location, role): ...@@ -94,10 +98,34 @@ def add_user_to_course_group(caller, user, location, role):
if not is_user_in_course_group_role(caller, location, INSTRUCTOR_ROLE_NAME): if not is_user_in_course_group_role(caller, location, INSTRUCTOR_ROLE_NAME):
raise PermissionDenied raise PermissionDenied
if user.is_active and user.is_authenticated: group = Group.objects.get(name=get_course_groupname_for_role(location, role))
groupname = get_course_groupname_for_role(location, role) return _add_user_to_group(user, group)
def add_user_to_creator_group(caller, user):
"""
Adds the user to the group of course creators.
The caller must have staff access to perform this operation.
Note that on the edX site, we currently limit course creators to edX staff, and this
method is a no-op in that environment.
"""
if not caller.is_active or not caller.is_authenticated or not caller.is_staff:
raise PermissionDenied
group = Group.objects.get(name=groupname) (group, created) = Group.objects.get_or_create(name=COURSE_CREATOR_GROUP_NAME)
if created:
group.save()
return _add_user_to_group(user, group)
def _add_user_to_group(user, group):
"""
This is to be called only by either a command line code path or through an app which has already
asserted permissions to do this action
"""
if user.is_active and user.is_authenticated:
user.groups.add(group) user.groups.add(group)
user.save() user.save()
return True return True
...@@ -123,11 +151,29 @@ def remove_user_from_course_group(caller, user, location, role): ...@@ -123,11 +151,29 @@ def remove_user_from_course_group(caller, user, location, role):
# see if the user is actually in that role, if not then we don't have to do anything # see if the user is actually in that role, if not then we don't have to do anything
if is_user_in_course_group_role(user, location, role): if is_user_in_course_group_role(user, location, role):
groupname = get_course_groupname_for_role(location, role) _remove_user_from_group(user, get_course_groupname_for_role(location, role))
group = Group.objects.get(name=groupname)
user.groups.remove(group) def remove_user_from_creator_group(caller, user):
user.save() """
Removes user from the course creator group.
The caller must have staff access to perform this operation.
"""
if not caller.is_active or not caller.is_authenticated or not caller.is_staff:
raise PermissionDenied
_remove_user_from_group(user, COURSE_CREATOR_GROUP_NAME)
def _remove_user_from_group(user, group_name):
"""
This is to be called only by either a command line code path or through an app which has already
asserted permissions to do this action
"""
group = Group.objects.get(name=group_name)
user.groups.remove(group)
user.save()
def is_user_in_course_group_role(user, location, role): def is_user_in_course_group_role(user, location, role):
...@@ -136,3 +182,26 @@ def is_user_in_course_group_role(user, location, role): ...@@ -136,3 +182,26 @@ def is_user_in_course_group_role(user, location, role):
return user.is_staff or user.groups.filter(name=get_course_groupname_for_role(location, role)).count() > 0 return user.is_staff or user.groups.filter(name=get_course_groupname_for_role(location, role)).count() > 0
return False return False
def is_user_in_creator_group(user):
"""
Returns true if the user has permissions to create a course.
Will always return True if user.is_staff is True.
Note that on the edX site, we currently limit course creators to edX staff. On
other sites, this method checks that the user is in the course creator group.
"""
if user.is_staff:
return True
# On edx, we only allow edX staff to create courses. This may be relaxed in the future.
if settings.MITX_FEATURES.get('DISABLE_COURSE_CREATION', False):
return False
# Feature flag for using the creator group setting. Will be removed once the feature is complete.
if settings.MITX_FEATURES.get('ENABLE_CREATOR_GROUP', False):
return user.groups.filter(name=COURSE_CREATOR_GROUP_NAME).count() > 0
return True
"""
Tests authz.py
"""
import mock
from django.test import TestCase
from django.contrib.auth.models import User
from django.core.exceptions import PermissionDenied
from auth.authz import add_user_to_creator_group, remove_user_from_creator_group, is_user_in_creator_group,\
create_all_course_groups, add_user_to_course_group, STAFF_ROLE_NAME, INSTRUCTOR_ROLE_NAME,\
is_user_in_course_group_role, remove_user_from_course_group
class CreatorGroupTest(TestCase):
"""
Tests for the course creator group.
"""
def setUp(self):
""" Test case setup """
self.user = User.objects.create_user('testuser', 'test+courses@edx.org', 'foo')
self.admin = User.objects.create_user('Mark', 'admin+courses@edx.org', 'foo')
self.admin.is_staff = True
def test_creator_group_not_enabled(self):
"""
Tests that is_user_in_creator_group always returns True if ENABLE_CREATOR_GROUP
and DISABLE_COURSE_CREATION are both not turned on.
"""
self.assertTrue(is_user_in_creator_group(self.user))
def test_creator_group_enabled_but_empty(self):
""" Tests creator group feature on, but group empty. """
with mock.patch.dict('django.conf.settings.MITX_FEATURES', {"ENABLE_CREATOR_GROUP": True}):
self.assertFalse(is_user_in_creator_group(self.user))
# Make user staff. This will cause is_user_in_creator_group to return True.
self.user.is_staff = True
self.assertTrue(is_user_in_creator_group(self.user))
def test_creator_group_enabled_nonempty(self):
""" Tests creator group feature on, user added. """
with mock.patch.dict('django.conf.settings.MITX_FEATURES', {"ENABLE_CREATOR_GROUP": True}):
self.assertTrue(add_user_to_creator_group(self.admin, self.user))
self.assertTrue(is_user_in_creator_group(self.user))
# check that a user who has not been added to the group still returns false
user_not_added = User.objects.create_user('testuser2', 'test+courses2@edx.org', 'foo2')
self.assertFalse(is_user_in_creator_group(user_not_added))
# remove first user from the group and verify that is_user_in_creator_group now returns false
remove_user_from_creator_group(self.admin, self.user)
self.assertFalse(is_user_in_creator_group(self.user))
def test_add_user_not_authenticated(self):
"""
Tests that adding to creator group fails if user is not authenticated
"""
self.user.is_authenticated = False
self.assertFalse(add_user_to_creator_group(self.admin, self.user))
def test_add_user_not_active(self):
"""
Tests that adding to creator group fails if user is not active
"""
self.user.is_active = False
self.assertFalse(add_user_to_creator_group(self.admin, self.user))
def test_course_creation_disabled(self):
""" Tests that the COURSE_CREATION_DISABLED flag overrides course creator group settings. """
with mock.patch.dict('django.conf.settings.MITX_FEATURES',
{'DISABLE_COURSE_CREATION': True, "ENABLE_CREATOR_GROUP": True}):
# Add user to creator group.
self.assertTrue(add_user_to_creator_group(self.admin, self.user))
# DISABLE_COURSE_CREATION overrides (user is not marked as staff).
self.assertFalse(is_user_in_creator_group(self.user))
# Mark as staff. Now is_user_in_creator_group returns true.
self.user.is_staff = True
self.assertTrue(is_user_in_creator_group(self.user))
# Remove user from creator group. is_user_in_creator_group still returns true because is_staff=True
remove_user_from_creator_group(self.admin, self.user)
self.assertTrue(is_user_in_creator_group(self.user))
def test_add_user_to_group_requires_staff_access(self):
with self.assertRaises(PermissionDenied):
self.admin.is_staff = False
add_user_to_creator_group(self.admin, self.user)
with self.assertRaises(PermissionDenied):
add_user_to_creator_group(self.user, self.user)
def test_add_user_to_group_requires_active(self):
with self.assertRaises(PermissionDenied):
self.admin.is_active = False
add_user_to_creator_group(self.admin, self.user)
def test_add_user_to_group_requires_authenticated(self):
with self.assertRaises(PermissionDenied):
self.admin.is_authenticated = False
add_user_to_creator_group(self.admin, self.user)
def test_remove_user_from_group_requires_staff_access(self):
with self.assertRaises(PermissionDenied):
self.admin.is_staff = False
remove_user_from_creator_group(self.admin, self.user)
def test_remove_user_from_group_requires_active(self):
with self.assertRaises(PermissionDenied):
self.admin.is_active = False
remove_user_from_creator_group(self.admin, self.user)
def test_remove_user_from_group_requires_authenticated(self):
with self.assertRaises(PermissionDenied):
self.admin.is_authenticated = False
remove_user_from_creator_group(self.admin, self.user)
class CourseGroupTest(TestCase):
"""
Tests for instructor and staff groups for a particular course.
"""
def setUp(self):
""" Test case setup """
self.creator = User.objects.create_user('testcreator', 'testcreator+courses@edx.org', 'foo')
self.staff = User.objects.create_user('teststaff', 'teststaff+courses@edx.org', 'foo')
self.location = 'i4x', 'mitX', '101', 'course', 'test'
def test_add_user_to_course_group(self):
"""
Tests adding user to course group (happy path).
"""
# Create groups for a new course (and assign instructor role to the creator).
self.assertFalse(is_user_in_course_group_role(self.creator, self.location, INSTRUCTOR_ROLE_NAME))
create_all_course_groups(self.creator, self.location)
self.assertTrue(is_user_in_course_group_role(self.creator, self.location, INSTRUCTOR_ROLE_NAME))
# Add another user to the staff role.
self.assertFalse(is_user_in_course_group_role(self.staff, self.location, STAFF_ROLE_NAME))
self.assertTrue(add_user_to_course_group(self.creator, self.staff, self.location, STAFF_ROLE_NAME))
self.assertTrue(is_user_in_course_group_role(self.staff, self.location, STAFF_ROLE_NAME))
def test_add_user_to_course_group_permission_denied(self):
"""
Verifies PermissionDenied if caller of add_user_to_course_group is not instructor role.
"""
create_all_course_groups(self.creator, self.location)
with self.assertRaises(PermissionDenied):
add_user_to_course_group(self.staff, self.staff, self.location, STAFF_ROLE_NAME)
def test_remove_user_from_course_group(self):
"""
Tests removing user from course group (happy path).
"""
create_all_course_groups(self.creator, self.location)
self.assertTrue(add_user_to_course_group(self.creator, self.staff, self.location, STAFF_ROLE_NAME))
self.assertTrue(is_user_in_course_group_role(self.staff, self.location, STAFF_ROLE_NAME))
remove_user_from_course_group(self.creator, self.staff, self.location, STAFF_ROLE_NAME)
self.assertFalse(is_user_in_course_group_role(self.staff, self.location, STAFF_ROLE_NAME))
remove_user_from_course_group(self.creator, self.creator, self.location, INSTRUCTOR_ROLE_NAME)
self.assertFalse(is_user_in_course_group_role(self.creator, self.location, INSTRUCTOR_ROLE_NAME))
def test_remove_user_from_course_group_permission_denied(self):
"""
Verifies PermissionDenied if caller of remove_user_from_course_group is not instructor role.
"""
create_all_course_groups(self.creator, self.location)
with self.assertRaises(PermissionDenied):
remove_user_from_course_group(self.staff, self.staff, self.location, STAFF_ROLE_NAME)
# disable missing docstring # disable missing docstring
#pylint: disable=C0111 # pylint: disable=C0111
from lettuce import world, step from lettuce import world, step
......
...@@ -5,10 +5,7 @@ from xmodule.modulestore import Location ...@@ -5,10 +5,7 @@ from xmodule.modulestore import Location
def get_module_info(store, location, parent_location=None, rewrite_static_links=False): def get_module_info(store, location, parent_location=None, rewrite_static_links=False):
try: try:
if location.revision is None: module = store.get_item(location)
module = store.get_item(location)
else:
module = store.get_item(location)
except ItemNotFoundError: except ItemNotFoundError:
# create a new one # create a new one
template_location = Location(['i4x', 'edx', 'templates', location.category, 'Empty']) template_location = Location(['i4x', 'edx', 'templates', location.category, 'Empty'])
......
...@@ -10,7 +10,7 @@ from xmodule.modulestore.draft import DIRECT_ONLY_CATEGORIES ...@@ -10,7 +10,7 @@ from xmodule.modulestore.draft import DIRECT_ONLY_CATEGORIES
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
#In order to instantiate an open ended tab automatically, need to have this data # In order to instantiate an open ended tab automatically, need to have this data
OPEN_ENDED_PANEL = {"name": "Open Ended Panel", "type": "open_ended"} OPEN_ENDED_PANEL = {"name": "Open Ended Panel", "type": "open_ended"}
NOTES_PANEL = {"name": "My Notes", "type": "notes"} NOTES_PANEL = {"name": "My Notes", "type": "notes"}
EXTRA_TAB_PANELS = dict([(p['type'], p) for p in [OPEN_ENDED_PANEL, NOTES_PANEL]]) EXTRA_TAB_PANELS = dict([(p['type'], p) for p in [OPEN_ENDED_PANEL, NOTES_PANEL]])
......
...@@ -240,13 +240,13 @@ def import_course(request, org, course, name): ...@@ -240,13 +240,13 @@ def import_course(request, org, course, name):
# find the 'course.xml' file # find the 'course.xml' file
for dirpath, _dirnames, filenames in os.walk(course_dir): for dirpath, _dirnames, filenames in os.walk(course_dir):
for files in filenames: for filename in filenames:
if files == 'course.xml': if filename == 'course.xml':
break break
if files == 'course.xml': if filename == 'course.xml':
break break
if files != 'course.xml': if filename != 'course.xml':
return HttpResponse(json.dumps({'ErrMsg': 'Could not find the course.xml file in the package.'})) return HttpResponse(json.dumps({'ErrMsg': 'Could not find the course.xml file in the package.'}))
logging.debug('found course.xml at {0}'.format(dirpath)) logging.debug('found course.xml at {0}'.format(dirpath))
......
...@@ -21,7 +21,7 @@ from contentstore.utils import get_lms_link_for_item, add_extra_panel_tab, remov ...@@ -21,7 +21,7 @@ from contentstore.utils import get_lms_link_for_item, add_extra_panel_tab, remov
from models.settings.course_details import CourseDetails, CourseSettingsEncoder from models.settings.course_details import CourseDetails, CourseSettingsEncoder
from models.settings.course_grading import CourseGradingModel from models.settings.course_grading import CourseGradingModel
from models.settings.course_metadata import CourseMetadata from models.settings.course_metadata import CourseMetadata
from auth.authz import create_all_course_groups from auth.authz import create_all_course_groups, is_user_in_creator_group
from util.json_request import expect_json from util.json_request import expect_json
from .access import has_access, get_location_and_verify_access from .access import has_access, get_location_and_verify_access
...@@ -81,7 +81,7 @@ def course_index(request, org, course, name): ...@@ -81,7 +81,7 @@ def course_index(request, org, course, name):
@expect_json @expect_json
def create_new_course(request): def create_new_course(request):
if settings.MITX_FEATURES.get('DISABLE_COURSE_CREATION', False) and not request.user.is_staff: if not is_user_in_creator_group(request.user):
raise PermissionDenied() raise PermissionDenied()
# This logic is repeated in xmodule/modulestore/tests/factories.py # This logic is repeated in xmodule/modulestore/tests/factories.py
......
...@@ -2,27 +2,27 @@ from xblock.runtime import KeyValueStore, InvalidScopeError ...@@ -2,27 +2,27 @@ from xblock.runtime import KeyValueStore, InvalidScopeError
class SessionKeyValueStore(KeyValueStore): class SessionKeyValueStore(KeyValueStore):
def __init__(self, request, model_data): def __init__(self, request, descriptor_model_data):
self._model_data = model_data self._descriptor_model_data = descriptor_model_data
self._session = request.session self._session = request.session
def get(self, key): def get(self, key):
try: try:
return self._model_data[key.field_name] return self._descriptor_model_data[key.field_name]
except (KeyError, InvalidScopeError): except (KeyError, InvalidScopeError):
return self._session[tuple(key)] return self._session[tuple(key)]
def set(self, key, value): def set(self, key, value):
try: try:
self._model_data[key.field_name] = value self._descriptor_model_data[key.field_name] = value
except (KeyError, InvalidScopeError): except (KeyError, InvalidScopeError):
self._session[tuple(key)] = value self._session[tuple(key)] = value
def delete(self, key): def delete(self, key):
try: try:
del self._model_data[key.field_name] del self._descriptor_model_data[key.field_name]
except (KeyError, InvalidScopeError): except (KeyError, InvalidScopeError):
del self._session[tuple(key)] del self._session[tuple(key)]
def has(self, key): def has(self, key):
return key in self._model_data or key in self._session return key in self._descriptor_model_data or key in self._session
...@@ -23,7 +23,7 @@ MODULESTORE_OPTIONS = { ...@@ -23,7 +23,7 @@ MODULESTORE_OPTIONS = {
'db': 'test_xmodule', 'db': 'test_xmodule',
'collection': 'acceptance_modulestore', 'collection': 'acceptance_modulestore',
'fs_root': TEST_ROOT / "data", 'fs_root': TEST_ROOT / "data",
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
MODULESTORE = { MODULESTORE = {
...@@ -40,6 +40,21 @@ MODULESTORE = { ...@@ -40,6 +40,21 @@ MODULESTORE = {
'OPTIONS': MODULESTORE_OPTIONS 'OPTIONS': MODULESTORE_OPTIONS
} }
} }
CONTENTSTORE = {
'ENGINE': 'xmodule.contentstore.mongo.MongoContentStore',
'OPTIONS': {
'host': 'localhost',
'db': 'acceptance_xcontent',
},
# allow for additional options that can be keyed on a name, e.g. 'trashcan'
'ADDITIONAL_OPTIONS': {
'trashcan': {
'bucket': 'trash_fs'
}
}
}
# Set this up so that rake lms[acceptance] and running the # Set this up so that rake lms[acceptance] and running the
# harvest command both use the same (test) database # harvest command both use the same (test) database
# which they can flush without messing up your dev db # which they can flush without messing up your dev db
......
...@@ -22,7 +22,7 @@ modulestore_options = { ...@@ -22,7 +22,7 @@ modulestore_options = {
'db': 'xmodule', 'db': 'xmodule',
'collection': 'modulestore', 'collection': 'modulestore',
'fs_root': GITHUB_REPO_ROOT, 'fs_root': GITHUB_REPO_ROOT,
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
MODULESTORE = { MODULESTORE = {
......
...@@ -48,7 +48,7 @@ MODULESTORE_OPTIONS = { ...@@ -48,7 +48,7 @@ MODULESTORE_OPTIONS = {
'db': 'test_xmodule', 'db': 'test_xmodule',
'collection': 'test_modulestore', 'collection': 'test_modulestore',
'fs_root': TEST_ROOT / "data", 'fs_root': TEST_ROOT / "data",
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
MODULESTORE = { MODULESTORE = {
...@@ -70,7 +70,7 @@ CONTENTSTORE = { ...@@ -70,7 +70,7 @@ CONTENTSTORE = {
'ENGINE': 'xmodule.contentstore.mongo.MongoContentStore', 'ENGINE': 'xmodule.contentstore.mongo.MongoContentStore',
'OPTIONS': { 'OPTIONS': {
'host': 'localhost', 'host': 'localhost',
'db': 'test_xmodule', 'db': 'test_xcontent',
}, },
# allow for additional options that can be keyed on a name, e.g. 'trashcan' # allow for additional options that can be keyed on a name, e.g. 'trashcan'
'ADDITIONAL_OPTIONS': { 'ADDITIONAL_OPTIONS': {
......
...@@ -17,6 +17,16 @@ beforeEach -> ...@@ -17,6 +17,16 @@ beforeEach ->
return text.test(trimmedText) return text.test(trimmedText)
else else
return trimmedText.indexOf(text) != -1; return trimmedText.indexOf(text) != -1;
toHaveBeenPrevented: ->
# remove this when we upgrade jasmine-jquery
eventName = @actual.eventName
selector = @actual.selector
@message = ->
[
"Expected event #{eventName} to have been prevented on #{selector}",
"Expected event #{eventName} not to have been prevented on #{selector}"
]
return jasmine.JQuery.events.wasPrevented(selector, eventName)
describe "CMS.Views.SystemFeedback", -> describe "CMS.Views.SystemFeedback", ->
beforeEach -> beforeEach ->
...@@ -123,6 +133,35 @@ describe "CMS.Views.SystemFeedback click events", -> ...@@ -123,6 +133,35 @@ describe "CMS.Views.SystemFeedback click events", ->
it "should apply class to secondary action", -> it "should apply class to secondary action", ->
expect(@view.$(".action-secondary")).toHaveClass("cancel-button") expect(@view.$(".action-secondary")).toHaveClass("cancel-button")
it "should preventDefault on primary action", ->
spyOnEvent(".action-primary", "click")
@view.$(".action-primary").click()
expect("click").toHaveBeenPreventedOn(".action-primary")
it "should preventDefault on secondary action", ->
spyOnEvent(".action-secondary", "click")
@view.$(".action-secondary").click()
expect("click").toHaveBeenPreventedOn(".action-secondary")
describe "CMS.Views.SystemFeedback not preventing events", ->
beforeEach ->
@clickSpy = jasmine.createSpy('clickSpy')
@view = new CMS.Views.Alert.Confirmation(
title: "It's all good"
message: "No reason for this alert"
actions:
primary:
text: "Whatever"
click: @clickSpy
preventDefault: false
)
@view.show()
it "should not preventDefault", ->
spyOnEvent(".action-primary", "click")
@view.$(".action-primary").click()
expect("click").not.toHaveBeenPreventedOn(".action-primary")
expect(@clickSpy).toHaveBeenCalled()
describe "CMS.Views.SystemFeedback multiple secondary actions", -> describe "CMS.Views.SystemFeedback multiple secondary actions", ->
beforeEach -> beforeEach ->
......
...@@ -10,8 +10,12 @@ CMS.Views.SystemFeedback = Backbone.View.extend({ ...@@ -10,8 +10,12 @@ CMS.Views.SystemFeedback = Backbone.View.extend({
minShown: 0, // length of time after this view has been shown before it can be hidden (milliseconds) minShown: 0, // length of time after this view has been shown before it can be hidden (milliseconds)
maxShown: Infinity // length of time after this view has been shown before it will be automatically hidden (milliseconds) maxShown: Infinity // length of time after this view has been shown before it will be automatically hidden (milliseconds)
/* could also have an "actions" hash: here is an example demonstrating /* Could also have an "actions" hash: here is an example demonstrating
the expected structure the expected structure. For each action, by default the framework
will call preventDefault on the click event before the function is
run; to make it not do that, just pass `preventDefault: false` in
the action object.
actions: { actions: {
primary: { primary: {
"text": "Save", "text": "Save",
...@@ -106,6 +110,9 @@ CMS.Views.SystemFeedback = Backbone.View.extend({ ...@@ -106,6 +110,9 @@ CMS.Views.SystemFeedback = Backbone.View.extend({
if(!actions) { return; } if(!actions) { return; }
var primary = actions.primary; var primary = actions.primary;
if(!primary) { return; } if(!primary) { return; }
if(primary.preventDefault !== false) {
event.preventDefault();
}
if(primary.click) { if(primary.click) {
primary.click.call(event.target, this, event); primary.click.call(event.target, this, event);
} }
...@@ -121,6 +128,9 @@ CMS.Views.SystemFeedback = Backbone.View.extend({ ...@@ -121,6 +128,9 @@ CMS.Views.SystemFeedback = Backbone.View.extend({
i = _.indexOf(this.$(".action-secondary"), event.target); i = _.indexOf(this.$(".action-secondary"), event.target);
} }
var secondary = secondaryList[i]; var secondary = secondaryList[i];
if(secondary.preventDefault !== false) {
event.preventDefault();
}
if(secondary.click) { if(secondary.click) {
secondary.click.call(event.target, this, event); secondary.click.call(event.target, this, event);
} }
......
...@@ -24,16 +24,16 @@ $f-monospace: 'Bitstream Vera Sans Mono', Consolas, Courier, monospace; ...@@ -24,16 +24,16 @@ $f-monospace: 'Bitstream Vera Sans Mono', Consolas, Courier, monospace;
// colors - new for re-org // colors - new for re-org
$black: rgb(0,0,0); $black: rgb(0,0,0);
$black-t0: rgba(0,0,0,0.125); $black-t0: rgba($black, 0.125);
$black-t1: rgba(0,0,0,0.25); $black-t1: rgba($black, 0.25);
$black-t2: rgba(0,0,0,0.50); $black-t2: rgba($black, 0.5);
$black-t3: rgba(0,0,0,0.75); $black-t3: rgba($black, 0.75);
$white: rgb(255,255,255); $white: rgb(255,255,255);
$white-t0: rgba(255,255,255,0.125); $white-t0: rgba($white, 0.125);
$white-t1: rgba(255,255,255,0.25); $white-t1: rgba($white, 0.25);
$white-t2: rgba(255,255,255,0.50); $white-t2: rgba($white, 0.5);
$white-t3: rgba(255,255,255,0.75); $white-t3: rgba($white, 0.75);
$gray: rgb(127,127,127); $gray: rgb(127,127,127);
$gray-l1: tint($gray,20%); $gray-l1: tint($gray,20%);
...@@ -63,10 +63,10 @@ $blue-s3: saturate($blue,45%); ...@@ -63,10 +63,10 @@ $blue-s3: saturate($blue,45%);
$blue-u1: desaturate($blue,15%); $blue-u1: desaturate($blue,15%);
$blue-u2: desaturate($blue,30%); $blue-u2: desaturate($blue,30%);
$blue-u3: desaturate($blue,45%); $blue-u3: desaturate($blue,45%);
$blue-t0: rgba(85, 151, 221,0.125); $blue-t0: rgba($blue, 0.125);
$blue-t1: rgba(85, 151, 221,0.25); $blue-t1: rgba($blue, 0.25);
$blue-t2: rgba(85, 151, 221,0.50); $blue-t2: rgba($blue, 0.50);
$blue-t3: rgba(85, 151, 221,0.75); $blue-t3: rgba($blue, 0.75);
$pink: rgb(183, 37, 103); $pink: rgb(183, 37, 103);
$pink-l1: tint($pink,20%); $pink-l1: tint($pink,20%);
...@@ -153,10 +153,11 @@ $orange-u1: desaturate($orange,15%); ...@@ -153,10 +153,11 @@ $orange-u1: desaturate($orange,15%);
$orange-u2: desaturate($orange,30%); $orange-u2: desaturate($orange,30%);
$orange-u3: desaturate($orange,45%); $orange-u3: desaturate($orange,45%);
$shadow: rgba(0,0,0,0.2); $shadow: rgba($black, 0.2);
$shadow-l1: rgba(0,0,0,0.1); $shadow-l1: rgba($black, 0.1);
$shadow-l2: rgba(0,0,0,0.05); $shadow-l2: rgba($black, 0.05);
$shadow-d1: rgba(0,0,0,0.4); $shadow-d1: rgba($black, 0.4);
$shadow-d2: rgba($black, 0.6);
// ==================== // ====================
...@@ -186,4 +187,3 @@ $error-red: rgb(253, 87, 87); ...@@ -186,4 +187,3 @@ $error-red: rgb(253, 87, 87);
// type // type
$sans-serif: $f-sans-serif; $sans-serif: $f-sans-serif;
$body-line-height: golden-ratio(.875em, 1); $body-line-height: golden-ratio(.875em, 1);
Your account for edX edge Your account for edX Studio
<section>
<div>${parent_name}</div>
<div>${parent_location}</div>
<input type="text" class="name"/>
<div>
% for module_type, module_templates in templates:
<div>
<div>${module_type}</div>
<div>
% for template in module_templates:
<a class="save" data-template-id="${template.location.url()}">${template.display_name_with_default}</a>
% endfor
</div>
</div>
% endfor
</div>
<a class='cancel'>Cancel</a>
</section>
...@@ -167,7 +167,8 @@ ...@@ -167,7 +167,8 @@
%else: %else:
<span class="published-status"><strong>Will Release:</strong> <span class="published-status"><strong>Will Release:</strong>
${date_utils.get_default_time_display(section.lms.start)}</span> ${date_utils.get_default_time_display(section.lms.start)}</span>
<a href="#" class="edit-button" data-date="${start_date_str}" data-time="${start_time_str}" data-id="${section.location}">Edit</a> <a href="#" class="edit-button" data-date="${start_date_str}"
data-time="${start_time_str}" data-id="${section.location}">Edit</a>
%endif %endif
</div> </div>
</div> </div>
......
from django import forms
from django.contrib.auth.models import User
from django.contrib.auth.forms import PasswordResetForm
from django.contrib.auth.hashers import UNUSABLE_PASSWORD
class PasswordResetFormNoActive(PasswordResetForm):
def clean_email(self):
"""
This is a literal copy from Django 1.4.5's django.contrib.auth.forms.PasswordResetForm
Except removing the requirement of active users
Validates that a user exists with the given email address.
"""
email = self.cleaned_data["email"]
#The line below contains the only change, removing is_active=True
self.users_cache = User.objects.filter(email__iexact=email)
if not len(self.users_cache):
raise forms.ValidationError(self.error_messages['unknown'])
if any((user.password == UNUSABLE_PASSWORD)
for user in self.users_cache):
raise forms.ValidationError(self.error_messages['unusable'])
return email
...@@ -5,18 +5,127 @@ when you run "manage.py test". ...@@ -5,18 +5,127 @@ when you run "manage.py test".
Replace this with more appropriate tests for your application. Replace this with more appropriate tests for your application.
""" """
import logging import logging
import json
import re
import unittest
from django import forms
from django.conf import settings
from django.test import TestCase from django.test import TestCase
from mock import Mock from django.test.client import RequestFactory
from django.contrib.auth.models import User
from django.contrib.auth.hashers import UNUSABLE_PASSWORD
from django.contrib.auth.tokens import default_token_generator
from django.template.loader import render_to_string, get_template, TemplateDoesNotExist
from django.core.urlresolvers import is_valid_path
from django.utils.http import int_to_base36
from student.models import unique_id_for_user
from student.views import process_survey_link, _cert_info
from mock import Mock, patch
from textwrap import dedent
from student.models import unique_id_for_user
from student.views import process_survey_link, _cert_info, password_reset, password_reset_confirm_wrapper
from student.tests.factories import UserFactory
from student.tests.test_email import mock_render_to_string
COURSE_1 = 'edX/toy/2012_Fall' COURSE_1 = 'edX/toy/2012_Fall'
COURSE_2 = 'edx/full/6.002_Spring_2012' COURSE_2 = 'edx/full/6.002_Spring_2012'
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
try:
get_template('registration/password_reset_email.html')
project_uses_password_reset = True
except TemplateDoesNotExist:
project_uses_password_reset = False
class ResetPasswordTests(TestCase):
""" Tests that clicking reset password sends email, and doesn't activate the user
"""
request_factory = RequestFactory()
def setUp(self):
self.user = UserFactory.create()
self.user.is_active = False
self.user.save()
self.token = default_token_generator.make_token(self.user)
self.uidb36 = int_to_base36(self.user.id)
self.user_bad_passwd = UserFactory.create()
self.user_bad_passwd.is_active = False
self.user_bad_passwd.password = UNUSABLE_PASSWORD
self.user_bad_passwd.save()
def test_user_bad_password_reset(self):
"""Tests password reset behavior for user with password marked UNUSABLE_PASSWORD"""
bad_pwd_req = self.request_factory.post('/password_reset/', {'email': self.user_bad_passwd.email})
bad_pwd_resp = password_reset(bad_pwd_req)
self.assertEquals(bad_pwd_resp.status_code, 200)
self.assertEquals(bad_pwd_resp.content, json.dumps({'success': False,
'error': 'Invalid e-mail or user'}))
def test_nonexist_email_password_reset(self):
"""Now test the exception cases with of reset_password called with invalid email."""
bad_email_req = self.request_factory.post('/password_reset/', {'email': self.user.email+"makeItFail"})
bad_email_resp = password_reset(bad_email_req)
self.assertEquals(bad_email_resp.status_code, 200)
self.assertEquals(bad_email_resp.content, json.dumps({'success': False,
'error': 'Invalid e-mail or user'}))
@unittest.skipUnless(project_uses_password_reset,
dedent("""Skipping Test because CMS has not provided necessary templates for password reset.
If LMS tests print this message, that needs to be fixed."""))
@patch('django.core.mail.send_mail')
@patch('student.views.render_to_string', Mock(side_effect=mock_render_to_string, autospec=True))
def test_reset_password_email(self, send_email):
"""Tests contents of reset password email, and that user is not active"""
good_req = self.request_factory.post('/password_reset/', {'email': self.user.email})
good_resp = password_reset(good_req)
self.assertEquals(good_resp.status_code, 200)
self.assertEquals(good_resp.content,
json.dumps({'success': True,
'value': "('registration/password_reset_done.html', [])"}))
((subject, msg, from_addr, to_addrs), sm_kwargs) = send_email.call_args
self.assertIn("Password reset", subject)
self.assertIn("You're receiving this e-mail because you requested a password reset", msg)
self.assertEquals(from_addr, settings.DEFAULT_FROM_EMAIL)
self.assertEquals(len(to_addrs), 1)
self.assertIn(self.user.email, to_addrs)
#test that the user is not active
self.user = User.objects.get(pk=self.user.pk)
self.assertFalse(self.user.is_active)
reset_match = re.search(r'password_reset_confirm/(?P<uidb36>[0-9A-Za-z]+)-(?P<token>.+)/', msg).groupdict()
@patch('student.views.password_reset_confirm')
def test_reset_password_bad_token(self, reset_confirm):
"""Tests bad token and uidb36 in password reset"""
bad_reset_req = self.request_factory.get('/password_reset_confirm/NO-OP/')
password_reset_confirm_wrapper(bad_reset_req, 'NO', 'OP')
(confirm_args, confirm_kwargs) = reset_confirm.call_args
self.assertEquals(confirm_kwargs['uidb36'], 'NO')
self.assertEquals(confirm_kwargs['token'], 'OP')
self.user = User.objects.get(pk=self.user.pk)
self.assertFalse(self.user.is_active)
@patch('student.views.password_reset_confirm')
def test_reset_password_good_token(self, reset_confirm):
"""Tests good token and uidb36 in password reset"""
good_reset_req = self.request_factory.get('/password_reset_confirm/{0}-{1}/'.format(self.uidb36, self.token))
password_reset_confirm_wrapper(good_reset_req, self.uidb36, self.token)
(confirm_args, confirm_kwargs) = reset_confirm.call_args
self.assertEquals(confirm_kwargs['uidb36'], self.uidb36)
self.assertEquals(confirm_kwargs['token'], self.token)
self.user = User.objects.get(pk=self.user.pk)
self.assertTrue(self.user.is_active)
class CourseEndingTest(TestCase): class CourseEndingTest(TestCase):
"""Test things related to course endings: certificates, surveys, etc""" """Test things related to course endings: certificates, surveys, etc"""
......
...@@ -11,9 +11,9 @@ import time ...@@ -11,9 +11,9 @@ import time
from django.conf import settings from django.conf import settings
from django.contrib.auth import logout, authenticate, login from django.contrib.auth import logout, authenticate, login
from django.contrib.auth.forms import PasswordResetForm
from django.contrib.auth.models import User from django.contrib.auth.models import User
from django.contrib.auth.decorators import login_required from django.contrib.auth.decorators import login_required
from django.contrib.auth.views import password_reset_confirm
from django.core.cache import cache from django.core.cache import cache
from django.core.context_processors import csrf from django.core.context_processors import csrf
from django.core.mail import send_mail from django.core.mail import send_mail
...@@ -24,6 +24,7 @@ from django.http import HttpResponse, HttpResponseBadRequest, HttpResponseForbid ...@@ -24,6 +24,7 @@ from django.http import HttpResponse, HttpResponseBadRequest, HttpResponseForbid
from django.shortcuts import redirect from django.shortcuts import redirect
from django_future.csrf import ensure_csrf_cookie from django_future.csrf import ensure_csrf_cookie
from django.utils.http import cookie_date from django.utils.http import cookie_date
from django.utils.http import base36_to_int
from mitxmako.shortcuts import render_to_response, render_to_string from mitxmako.shortcuts import render_to_response, render_to_string
from bs4 import BeautifulSoup from bs4 import BeautifulSoup
...@@ -34,6 +35,8 @@ from student.models import (Registration, UserProfile, TestCenterUser, TestCente ...@@ -34,6 +35,8 @@ from student.models import (Registration, UserProfile, TestCenterUser, TestCente
CourseEnrollment, unique_id_for_user, CourseEnrollment, unique_id_for_user,
get_testcenter_registration, CourseEnrollmentAllowed) get_testcenter_registration, CourseEnrollmentAllowed)
from student.forms import PasswordResetFormNoActive
from certificates.models import CertificateStatuses, certificate_status_for_student from certificates.models import CertificateStatuses, certificate_status_for_student
from xmodule.course_module import CourseDescriptor from xmodule.course_module import CourseDescriptor
...@@ -962,17 +965,7 @@ def password_reset(request): ...@@ -962,17 +965,7 @@ def password_reset(request):
if request.method != "POST": if request.method != "POST":
raise Http404 raise Http404
# By default, Django doesn't allow Users with is_active = False to reset their passwords, form = PasswordResetFormNoActive(request.POST)
# but this bites people who signed up a long time ago, never activated, and forgot their
# password. So for their sake, we'll auto-activate a user for whom password_reset is called.
try:
user = User.objects.get(email=request.POST['email'])
user.is_active = True
user.save()
except:
log.exception("Tried to auto-activate user to enable password reset, but failed.")
form = PasswordResetForm(request.POST)
if form.is_valid(): if form.is_valid():
form.save(use_https=request.is_secure(), form.save(use_https=request.is_secure(),
from_email=settings.DEFAULT_FROM_EMAIL, from_email=settings.DEFAULT_FROM_EMAIL,
...@@ -982,7 +975,21 @@ def password_reset(request): ...@@ -982,7 +975,21 @@ def password_reset(request):
'value': render_to_string('registration/password_reset_done.html', {})})) 'value': render_to_string('registration/password_reset_done.html', {})}))
else: else:
return HttpResponse(json.dumps({'success': False, return HttpResponse(json.dumps({'success': False,
'error': 'Invalid e-mail'})) 'error': 'Invalid e-mail or user'}))
def password_reset_confirm_wrapper(request, uidb36=None, token=None):
''' A wrapper around django.contrib.auth.views.password_reset_confirm.
Needed because we want to set the user as active at this step.
'''
#cribbed from django.contrib.auth.views.password_reset_confirm
try:
uid_int = base36_to_int(uidb36)
user = User.objects.get(id=uid_int)
user.is_active = True
user.save()
except (ValueError, User.DoesNotExist):
pass
return password_reset_confirm(request, uidb36=uidb36, token=token)
def reactivation_email_for_user(user): def reactivation_email_for_user(user):
......
...@@ -44,7 +44,7 @@ class GroupFactory(sf.GroupFactory): ...@@ -44,7 +44,7 @@ class GroupFactory(sf.GroupFactory):
@world.absorb @world.absorb
class CourseEnrollmentAllowedFactory(sf.CourseEnrollmentAllowed): class CourseEnrollmentAllowedFactory(sf.CourseEnrollmentAllowedFactory):
""" """
Users allowed to enroll in the course outside of the usual window Users allowed to enroll in the course outside of the usual window
""" """
......
import sys import sys
from django.conf import settings from django.conf import settings
from django.core.urlresolvers import clear_url_caches from django.core.urlresolvers import clear_url_caches, resolve
class UrlResetMixin(object): class UrlResetMixin(object):
...@@ -27,6 +27,9 @@ class UrlResetMixin(object): ...@@ -27,6 +27,9 @@ class UrlResetMixin(object):
reload(sys.modules[urlconf]) reload(sys.modules[urlconf])
clear_url_caches() clear_url_caches()
# Resolve a URL so that the new urlconf gets loaded
resolve('/')
def setUp(self): def setUp(self):
"""Reset django default urlconf before tests and after tests""" """Reset django default urlconf before tests and after tests"""
super(UrlResetMixin, self).setUp() super(UrlResetMixin, self).setUp()
......
...@@ -93,7 +93,7 @@ def check_variables(string, variables): ...@@ -93,7 +93,7 @@ def check_variables(string, variables):
Pyparsing uses a left-to-right parser, which makes a more Pyparsing uses a left-to-right parser, which makes a more
elegant approach pretty hopeless. elegant approach pretty hopeless.
""" """
general_whitespace = re.compile('[^\\w]+') general_whitespace = re.compile('[^\\w]+') # TODO consider non-ascii
# List of all alnums in string # List of all alnums in string
possible_variables = re.split(general_whitespace, string) possible_variables = re.split(general_whitespace, string)
bad_variables = [] bad_variables = []
......
...@@ -373,7 +373,7 @@ class LoncapaProblem(object): ...@@ -373,7 +373,7 @@ class LoncapaProblem(object):
html = contextualize_text(etree.tostring(self._extract_html(self.tree)), self.context) html = contextualize_text(etree.tostring(self._extract_html(self.tree)), self.context)
return html return html
def handle_input_ajax(self, get): def handle_input_ajax(self, data):
''' '''
InputTypes can support specialized AJAX calls. Find the correct input and pass along the correct data InputTypes can support specialized AJAX calls. Find the correct input and pass along the correct data
...@@ -381,10 +381,10 @@ class LoncapaProblem(object): ...@@ -381,10 +381,10 @@ class LoncapaProblem(object):
''' '''
# pull out the id # pull out the id
input_id = get['input_id'] input_id = data['input_id']
if self.inputs[input_id]: if self.inputs[input_id]:
dispatch = get['dispatch'] dispatch = data['dispatch']
return self.inputs[input_id].handle_ajax(dispatch, get) return self.inputs[input_id].handle_ajax(dispatch, data)
else: else:
log.warning("Could not find matching input for id: %s" % input_id) log.warning("Could not find matching input for id: %s" % input_id)
return {} return {}
......
...@@ -223,13 +223,13 @@ class InputTypeBase(object): ...@@ -223,13 +223,13 @@ class InputTypeBase(object):
""" """
pass pass
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
""" """
InputTypes that need to handle specialized AJAX should override this. InputTypes that need to handle specialized AJAX should override this.
Input: Input:
dispatch: a string that can be used to determine how to handle the data passed in dispatch: a string that can be used to determine how to handle the data passed in
get: a dictionary containing the data that was sent with the ajax call data: a dictionary containing the data that was sent with the ajax call
Output: Output:
a dictionary object that can be serialized into JSON. This will be sent back to the Javascript. a dictionary object that can be serialized into JSON. This will be sent back to the Javascript.
...@@ -677,20 +677,20 @@ class MatlabInput(CodeInput): ...@@ -677,20 +677,20 @@ class MatlabInput(CodeInput):
self.queue_len = 1 self.queue_len = 1
self.msg = self.plot_submitted_msg self.msg = self.plot_submitted_msg
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
''' '''
Handle AJAX calls directed to this input Handle AJAX calls directed to this input
Args: Args:
- dispatch (str) - indicates how we want this ajax call to be handled - dispatch (str) - indicates how we want this ajax call to be handled
- get (dict) - dictionary of key-value pairs that contain useful data - data (dict) - dictionary of key-value pairs that contain useful data
Returns: Returns:
dict - 'success' - whether or not we successfully queued this submission dict - 'success' - whether or not we successfully queued this submission
- 'message' - message to be rendered in case of error - 'message' - message to be rendered in case of error
''' '''
if dispatch == 'plot': if dispatch == 'plot':
return self._plot_data(get) return self._plot_data(data)
return {} return {}
def ungraded_response(self, queue_msg, queuekey): def ungraded_response(self, queue_msg, queuekey):
...@@ -751,7 +751,7 @@ class MatlabInput(CodeInput): ...@@ -751,7 +751,7 @@ class MatlabInput(CodeInput):
msg = result['msg'] msg = result['msg']
return msg return msg
def _plot_data(self, get): def _plot_data(self, data):
''' '''
AJAX handler for the plot button AJAX handler for the plot button
Args: Args:
...@@ -765,7 +765,7 @@ class MatlabInput(CodeInput): ...@@ -765,7 +765,7 @@ class MatlabInput(CodeInput):
return {'success': False, 'message': 'Cannot connect to the queue'} return {'success': False, 'message': 'Cannot connect to the queue'}
# pull relevant info out of get # pull relevant info out of get
response = get['submission'] response = data['submission']
# construct xqueue headers # construct xqueue headers
qinterface = self.system.xqueue['interface'] qinterface = self.system.xqueue['interface']
...@@ -951,16 +951,16 @@ class ChemicalEquationInput(InputTypeBase): ...@@ -951,16 +951,16 @@ class ChemicalEquationInput(InputTypeBase):
""" """
return {'previewer': '/static/js/capa/chemical_equation_preview.js', } return {'previewer': '/static/js/capa/chemical_equation_preview.js', }
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
''' '''
Since we only have chemcalc preview this input, check to see if it Since we only have chemcalc preview this input, check to see if it
matches the corresponding dispatch and send it through if it does matches the corresponding dispatch and send it through if it does
''' '''
if dispatch == 'preview_chemcalc': if dispatch == 'preview_chemcalc':
return self.preview_chemcalc(get) return self.preview_chemcalc(data)
return {} return {}
def preview_chemcalc(self, get): def preview_chemcalc(self, data):
""" """
Render an html preview of a chemical formula or equation. get should Render an html preview of a chemical formula or equation. get should
contain a key 'formula' and value 'some formula string'. contain a key 'formula' and value 'some formula string'.
...@@ -974,7 +974,7 @@ class ChemicalEquationInput(InputTypeBase): ...@@ -974,7 +974,7 @@ class ChemicalEquationInput(InputTypeBase):
result = {'preview': '', result = {'preview': '',
'error': ''} 'error': ''}
formula = get['formula'] formula = data['formula']
if formula is None: if formula is None:
result['error'] = "No formula specified." result['error'] = "No formula specified."
return result return result
......
...@@ -18,7 +18,6 @@ import random as random_module ...@@ -18,7 +18,6 @@ import random as random_module
import sys import sys
random = random_module.Random(%r) random = random_module.Random(%r)
random.Random = random_module.Random random.Random = random_module.Random
del random_module
sys.modules['random'] = random sys.modules['random'] = random
""" """
......
...@@ -467,8 +467,8 @@ class MatlabTest(unittest.TestCase): ...@@ -467,8 +467,8 @@ class MatlabTest(unittest.TestCase):
self.assertEqual(context, expected) self.assertEqual(context, expected)
def test_plot_data(self): def test_plot_data(self):
get = {'submission': 'x = 1234;'} data = {'submission': 'x = 1234;'}
response = self.the_input.handle_ajax("plot", get) response = self.the_input.handle_ajax("plot", data)
test_system().xqueue['interface'].send_to_queue.assert_called_with(header=ANY, body=ANY) test_system().xqueue['interface'].send_to_queue.assert_called_with(header=ANY, body=ANY)
...@@ -477,10 +477,10 @@ class MatlabTest(unittest.TestCase): ...@@ -477,10 +477,10 @@ class MatlabTest(unittest.TestCase):
self.assertEqual(self.the_input.input_state['queuestate'], 'queued') self.assertEqual(self.the_input.input_state['queuestate'], 'queued')
def test_plot_data_failure(self): def test_plot_data_failure(self):
get = {'submission': 'x = 1234;'} data = {'submission': 'x = 1234;'}
error_message = 'Error message!' error_message = 'Error message!'
test_system().xqueue['interface'].send_to_queue.return_value = (1, error_message) test_system().xqueue['interface'].send_to_queue.return_value = (1, error_message)
response = self.the_input.handle_ajax("plot", get) response = self.the_input.handle_ajax("plot", data)
self.assertFalse(response['success']) self.assertFalse(response['success'])
self.assertEqual(response['message'], error_message) self.assertEqual(response['message'], error_message)
self.assertTrue('queuekey' not in self.the_input.input_state) self.assertTrue('queuekey' not in self.the_input.input_state)
......
...@@ -1266,6 +1266,24 @@ class CustomResponseTest(ResponseTest): ...@@ -1266,6 +1266,24 @@ class CustomResponseTest(ResponseTest):
msg = correct_map.get_msg('1_2_1') msg = correct_map.get_msg('1_2_1')
self.assertEqual(msg, self._get_random_number_result(problem.seed)) self.assertEqual(msg, self._get_random_number_result(problem.seed))
def test_random_isnt_none(self):
# Bug LMS-500 says random.seed(10) fails with:
# File "<string>", line 61, in <module>
# File "/usr/lib/python2.7/random.py", line 116, in seed
# super(Random, self).seed(a)
# TypeError: must be type, not None
r = random.Random()
r.seed(10)
num = r.randint(0, 1e9)
script = textwrap.dedent("""
random.seed(10)
num = random.randint(0, 1e9)
""")
problem = self.build_problem(script=script)
self.assertEqual(problem.context['num'], num)
def test_module_imports_inline(self): def test_module_imports_inline(self):
''' '''
Check that the correct modules are available to custom Check that the correct modules are available to custom
......
...@@ -204,9 +204,9 @@ class CombinedOpenEndedModule(CombinedOpenEndedFields, XModule): ...@@ -204,9 +204,9 @@ class CombinedOpenEndedModule(CombinedOpenEndedFields, XModule):
return_value = self.child_module.get_html() return_value = self.child_module.get_html()
return return_value return return_value
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
self.save_instance_data() self.save_instance_data()
return_value = self.child_module.handle_ajax(dispatch, get) return_value = self.child_module.handle_ajax(dispatch, data)
self.save_instance_data() self.save_instance_data()
return return_value return return_value
...@@ -266,4 +266,3 @@ class CombinedOpenEndedDescriptor(CombinedOpenEndedFields, RawDescriptor): ...@@ -266,4 +266,3 @@ class CombinedOpenEndedDescriptor(CombinedOpenEndedFields, RawDescriptor):
non_editable_fields.extend([CombinedOpenEndedDescriptor.due, CombinedOpenEndedDescriptor.graceperiod, non_editable_fields.extend([CombinedOpenEndedDescriptor.due, CombinedOpenEndedDescriptor.graceperiod,
CombinedOpenEndedDescriptor.markdown, CombinedOpenEndedDescriptor.version]) CombinedOpenEndedDescriptor.markdown, CombinedOpenEndedDescriptor.version])
return non_editable_fields return non_editable_fields
...@@ -135,7 +135,7 @@ class ConditionalModule(ConditionalFields, XModule): ...@@ -135,7 +135,7 @@ class ConditionalModule(ConditionalFields, XModule):
'depends': ';'.join(self.required_html_ids) 'depends': ';'.join(self.required_html_ids)
}) })
def handle_ajax(self, dispatch, post): def handle_ajax(self, _dispatch, _data):
"""This is called by courseware.moduleodule_render, to handle """This is called by courseware.moduleodule_render, to handle
an AJAX call. an AJAX call.
""" """
......
...@@ -212,6 +212,9 @@ class CourseDescriptor(CourseFields, SequenceDescriptor): ...@@ -212,6 +212,9 @@ class CourseDescriptor(CourseFields, SequenceDescriptor):
template_dir_name = 'course' template_dir_name = 'course'
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
"""
Expects the same arguments as XModuleDescriptor.__init__
"""
super(CourseDescriptor, self).__init__(*args, **kwargs) super(CourseDescriptor, self).__init__(*args, **kwargs)
if self.wiki_slug is None: if self.wiki_slug is None:
......
...@@ -138,7 +138,8 @@ class @Problem ...@@ -138,7 +138,8 @@ class @Problem
# maybe preferable to consolidate all dispatches to use FormData # maybe preferable to consolidate all dispatches to use FormData
### ###
check_fd: => check_fd: =>
Logger.log 'problem_check', @answers # Calling check from check_fd will result in firing the 'problem_check' event twice, since it is also called in the check function.
#Logger.log 'problem_check', @answers
# If there are no file inputs in the problem, we can fall back on @check # If there are no file inputs in the problem, we can fall back on @check
if $('input:file').length == 0 if $('input:file').length == 0
...@@ -364,8 +365,6 @@ class @Problem ...@@ -364,8 +365,6 @@ class @Problem
choicegroup: (element, display, answers) => choicegroup: (element, display, answers) =>
element = $(element) element = $(element)
element.find('input').attr('disabled', 'disabled')
input_id = element.attr('id').replace(/inputtype_/,'') input_id = element.attr('id').replace(/inputtype_/,'')
answer = answers[input_id] answer = answers[input_id]
for choice in answer for choice in answer
...@@ -379,7 +378,6 @@ class @Problem ...@@ -379,7 +378,6 @@ class @Problem
inputtypeHideAnswerMethods: inputtypeHideAnswerMethods:
choicegroup: (element, display) => choicegroup: (element, display) =>
element = $(element) element = $(element)
element.find('input').attr('disabled', null)
element.find('label').removeClass('choicegroup_correct') element.find('label').removeClass('choicegroup_correct')
javascriptinput: (element, display) => javascriptinput: (element, display) =>
......
...@@ -101,12 +101,12 @@ class DraftModuleStore(ModuleStoreBase): ...@@ -101,12 +101,12 @@ class DraftModuleStore(ModuleStoreBase):
draft_items = super(DraftModuleStore, self).get_items(draft_loc, course_id=course_id, depth=depth) draft_items = super(DraftModuleStore, self).get_items(draft_loc, course_id=course_id, depth=depth)
items = super(DraftModuleStore, self).get_items(location, course_id=course_id, depth=depth) items = super(DraftModuleStore, self).get_items(location, course_id=course_id, depth=depth)
draft_locs_found = set(item.location._replace(revision=None) for item in draft_items) draft_locs_found = set(item.location.replace(revision=None) for item in draft_items)
non_draft_items = [ non_draft_items = [
item item
for item in items for item in items
if (item.location.revision != DRAFT if (item.location.revision != DRAFT
and item.location._replace(revision=None) not in draft_locs_found) and item.location.replace(revision=None) not in draft_locs_found)
] ]
return [wrap_draft(item) for item in draft_items + non_draft_items] return [wrap_draft(item) for item in draft_items + non_draft_items]
......
...@@ -195,7 +195,7 @@ class CachingDescriptorSystem(MakoDescriptorSystem): ...@@ -195,7 +195,7 @@ class CachingDescriptorSystem(MakoDescriptorSystem):
if self.cached_metadata is not None: if self.cached_metadata is not None:
# parent container pointers don't differentiate between draft and non-draft # parent container pointers don't differentiate between draft and non-draft
# so when we do the lookup, we should do so with a non-draft location # so when we do the lookup, we should do so with a non-draft location
non_draft_loc = location._replace(revision=None) non_draft_loc = location.replace(revision=None)
metadata_to_inherit = self.cached_metadata.get(non_draft_loc.url(), {}) metadata_to_inherit = self.cached_metadata.get(non_draft_loc.url(), {})
inherit_metadata(module, metadata_to_inherit) inherit_metadata(module, metadata_to_inherit)
return module return module
......
...@@ -43,6 +43,7 @@ class ModuleStoreTestCase(TestCase): ...@@ -43,6 +43,7 @@ class ModuleStoreTestCase(TestCase):
# Remove everything except templates # Remove everything except templates
modulestore.collection.remove(query) modulestore.collection.remove(query)
modulestore.collection.drop()
@staticmethod @staticmethod
def load_templates_if_necessary(): def load_templates_if_necessary():
......
...@@ -13,11 +13,12 @@ from xmodule.templates import update_templates ...@@ -13,11 +13,12 @@ from xmodule.templates import update_templates
from .test_modulestore import check_path_to_location from .test_modulestore import check_path_to_location
from . import DATA_DIR from . import DATA_DIR
from uuid import uuid4
HOST = 'localhost' HOST = 'localhost'
PORT = 27017 PORT = 27017
DB = 'test' DB = 'test_mongo_%s' % uuid4().hex
COLLECTION = 'modulestore' COLLECTION = 'modulestore'
FS_ROOT = DATA_DIR # TODO (vshnayder): will need a real fs_root for testing load_item FS_ROOT = DATA_DIR # TODO (vshnayder): will need a real fs_root for testing load_item
DEFAULT_CLASS = 'xmodule.raw_module.RawDescriptor' DEFAULT_CLASS = 'xmodule.raw_module.RawDescriptor'
...@@ -39,7 +40,8 @@ class TestMongoModuleStore(object): ...@@ -39,7 +40,8 @@ class TestMongoModuleStore(object):
@classmethod @classmethod
def teardownClass(cls): def teardownClass(cls):
pass cls.connection = pymongo.connection.Connection(HOST, PORT)
cls.connection.drop_database(DB)
@staticmethod @staticmethod
def initdb(): def initdb():
......
...@@ -500,10 +500,10 @@ class CombinedOpenEndedV1Module(): ...@@ -500,10 +500,10 @@ class CombinedOpenEndedV1Module():
pass pass
return return_html return return_html
def get_rubric(self, get): def get_rubric(self, _data):
""" """
Gets the results of a given grader via ajax. Gets the results of a given grader via ajax.
Input: AJAX get dictionary Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html. Output: Dictionary to be rendered via ajax that contains the result html.
""" """
all_responses = [] all_responses = []
...@@ -532,10 +532,10 @@ class CombinedOpenEndedV1Module(): ...@@ -532,10 +532,10 @@ class CombinedOpenEndedV1Module():
html = self.system.render_template('{0}/combined_open_ended_results.html'.format(self.TEMPLATE_DIR), context) html = self.system.render_template('{0}/combined_open_ended_results.html'.format(self.TEMPLATE_DIR), context)
return {'html': html, 'success': True} return {'html': html, 'success': True}
def get_legend(self, get): def get_legend(self, _data):
""" """
Gets the results of a given grader via ajax. Gets the results of a given grader via ajax.
Input: AJAX get dictionary Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html. Output: Dictionary to be rendered via ajax that contains the result html.
""" """
context = { context = {
...@@ -544,10 +544,10 @@ class CombinedOpenEndedV1Module(): ...@@ -544,10 +544,10 @@ class CombinedOpenEndedV1Module():
html = self.system.render_template('{0}/combined_open_ended_legend.html'.format(self.TEMPLATE_DIR), context) html = self.system.render_template('{0}/combined_open_ended_legend.html'.format(self.TEMPLATE_DIR), context)
return {'html': html, 'success': True} return {'html': html, 'success': True}
def get_results(self, get): def get_results(self, _data):
""" """
Gets the results of a given grader via ajax. Gets the results of a given grader via ajax.
Input: AJAX get dictionary Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html. Output: Dictionary to be rendered via ajax that contains the result html.
""" """
self.update_task_states() self.update_task_states()
...@@ -588,19 +588,19 @@ class CombinedOpenEndedV1Module(): ...@@ -588,19 +588,19 @@ class CombinedOpenEndedV1Module():
html = self.system.render_template('{0}/combined_open_ended_results.html'.format(self.TEMPLATE_DIR), context) html = self.system.render_template('{0}/combined_open_ended_results.html'.format(self.TEMPLATE_DIR), context)
return {'html': html, 'success': True} return {'html': html, 'success': True}
def get_status_ajax(self, get): def get_status_ajax(self, _data):
""" """
Gets the results of a given grader via ajax. Gets the results of a given grader via ajax.
Input: AJAX get dictionary Input: AJAX data dictionary
Output: Dictionary to be rendered via ajax that contains the result html. Output: Dictionary to be rendered via ajax that contains the result html.
""" """
html = self.get_status(True) html = self.get_status(True)
return {'html': html, 'success': True} return {'html': html, 'success': True}
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
""" """
This is called by courseware.module_render, to handle an AJAX call. This is called by courseware.module_render, to handle an AJAX call.
"get" is request.POST. "data" is request.POST.
Returns a json dictionary: Returns a json dictionary:
{ 'progress_changed' : True/False, { 'progress_changed' : True/False,
...@@ -618,35 +618,35 @@ class CombinedOpenEndedV1Module(): ...@@ -618,35 +618,35 @@ class CombinedOpenEndedV1Module():
} }
if dispatch not in handlers: if dispatch not in handlers:
return_html = self.current_task.handle_ajax(dispatch, get, self.system) return_html = self.current_task.handle_ajax(dispatch, data, self.system)
return self.update_task_states_ajax(return_html) return self.update_task_states_ajax(return_html)
d = handlers[dispatch](get) d = handlers[dispatch](data)
return json.dumps(d, cls=ComplexEncoder) return json.dumps(d, cls=ComplexEncoder)
def next_problem(self, get): def next_problem(self, _data):
""" """
Called via ajax to advance to the next problem. Called via ajax to advance to the next problem.
Input: AJAX get request. Input: AJAX data request.
Output: Dictionary to be rendered Output: Dictionary to be rendered
""" """
self.update_task_states() self.update_task_states()
return {'success': True, 'html': self.get_html_nonsystem(), 'allow_reset': self.ready_to_reset} return {'success': True, 'html': self.get_html_nonsystem(), 'allow_reset': self.ready_to_reset}
def reset(self, get): def reset(self, data):
""" """
If resetting is allowed, reset the state of the combined open ended module. If resetting is allowed, reset the state of the combined open ended module.
Input: AJAX get dictionary Input: AJAX data dictionary
Output: AJAX dictionary to tbe rendered Output: AJAX dictionary to tbe rendered
""" """
if self.state != self.DONE: if self.state != self.DONE:
if not self.ready_to_reset: if not self.ready_to_reset:
return self.out_of_sync_error(get) return self.out_of_sync_error(data)
if self.student_attempts > self.attempts: if self.student_attempts > self.attempts:
return { return {
'success': False, 'success': False,
#This is a student_facing_error # This is a student_facing_error
'error': ( 'error': (
'You have attempted this question {0} times. ' 'You have attempted this question {0} times. '
'You are only allowed to attempt it {1} times.' 'You are only allowed to attempt it {1} times.'
...@@ -789,13 +789,13 @@ class CombinedOpenEndedV1Module(): ...@@ -789,13 +789,13 @@ class CombinedOpenEndedV1Module():
return progress_object return progress_object
def out_of_sync_error(self, get, msg=''): def out_of_sync_error(self, data, msg=''):
""" """
return dict out-of-sync error message, and also log. return dict out-of-sync error message, and also log.
""" """
#This is a dev_facing_error #This is a dev_facing_error
log.warning("Combined module state out sync. state: %r, get: %r. %s", log.warning("Combined module state out sync. state: %r, data: %r. %s",
self.state, get, msg) self.state, data, msg)
#This is a student_facing_error #This is a student_facing_error
return {'success': False, return {'success': False,
'error': 'The problem state got out-of-sync. Please try reloading the page.'} 'error': 'The problem state got out-of-sync. Please try reloading the page.'}
......
...@@ -122,17 +122,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -122,17 +122,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
self.payload = {'grader_payload': updated_grader_payload} self.payload = {'grader_payload': updated_grader_payload}
def skip_post_assessment(self, get, system): def skip_post_assessment(self, _data, system):
""" """
Ajax function that allows one to skip the post assessment phase Ajax function that allows one to skip the post assessment phase
@param get: AJAX dictionary @param data: AJAX dictionary
@param system: ModuleSystem @param system: ModuleSystem
@return: Success indicator @return: Success indicator
""" """
self.child_state = self.DONE self.child_state = self.DONE
return {'success': True} return {'success': True}
def message_post(self, get, system): def message_post(self, data, system):
""" """
Handles a student message post (a reaction to the grade they received from an open ended grader type) Handles a student message post (a reaction to the grade they received from an open ended grader type)
Returns a boolean success/fail and an error message Returns a boolean success/fail and an error message
...@@ -141,7 +141,7 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -141,7 +141,7 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
event_info = dict() event_info = dict()
event_info['problem_id'] = self.location_string event_info['problem_id'] = self.location_string
event_info['student_id'] = system.anonymous_student_id event_info['student_id'] = system.anonymous_student_id
event_info['survey_responses'] = get event_info['survey_responses'] = data
survey_responses = event_info['survey_responses'] survey_responses = event_info['survey_responses']
for tag in ['feedback', 'submission_id', 'grader_id', 'score']: for tag in ['feedback', 'submission_id', 'grader_id', 'score']:
...@@ -587,10 +587,10 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -587,10 +587,10 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
html = system.render_template('{0}/open_ended_evaluation.html'.format(self.TEMPLATE_DIR), context) html = system.render_template('{0}/open_ended_evaluation.html'.format(self.TEMPLATE_DIR), context)
return html return html
def handle_ajax(self, dispatch, get, system): def handle_ajax(self, dispatch, data, system):
''' '''
This is called by courseware.module_render, to handle an AJAX call. This is called by courseware.module_render, to handle an AJAX call.
"get" is request.POST. "data" is request.POST.
Returns a json dictionary: Returns a json dictionary:
{ 'progress_changed' : True/False, { 'progress_changed' : True/False,
...@@ -612,7 +612,7 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -612,7 +612,7 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
return json.dumps({'error': 'Error handling action. Please try again.', 'success': False}) return json.dumps({'error': 'Error handling action. Please try again.', 'success': False})
before = self.get_progress() before = self.get_progress()
d = handlers[dispatch](get, system) d = handlers[dispatch](data, system)
after = self.get_progress() after = self.get_progress()
d.update({ d.update({
'progress_changed': after != before, 'progress_changed': after != before,
...@@ -620,20 +620,20 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -620,20 +620,20 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
}) })
return json.dumps(d, cls=ComplexEncoder) return json.dumps(d, cls=ComplexEncoder)
def check_for_score(self, get, system): def check_for_score(self, _data, system):
""" """
Checks to see if a score has been received yet. Checks to see if a score has been received yet.
@param get: AJAX get dictionary @param data: AJAX dictionary
@param system: Modulesystem (needed to align with other ajax functions) @param system: Modulesystem (needed to align with other ajax functions)
@return: Returns the current state @return: Returns the current state
""" """
state = self.child_state state = self.child_state
return {'state': state} return {'state': state}
def save_answer(self, get, system): def save_answer(self, data, system):
""" """
Saves a student answer Saves a student answer
@param get: AJAX get dictionary @param data: AJAX dictionary
@param system: modulesystem @param system: modulesystem
@return: Success indicator @return: Success indicator
""" """
...@@ -644,17 +644,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -644,17 +644,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
return msg return msg
if self.child_state != self.INITIAL: if self.child_state != self.INITIAL:
return self.out_of_sync_error(get) return self.out_of_sync_error(data)
# add new history element with answer and empty score and hint. # add new history element with answer and empty score and hint.
success, get = self.append_image_to_student_answer(get) success, data = self.append_image_to_student_answer(data)
error_message = "" error_message = ""
if success: if success:
success, allowed_to_submit, error_message = self.check_if_student_can_submit() success, allowed_to_submit, error_message = self.check_if_student_can_submit()
if allowed_to_submit: if allowed_to_submit:
get['student_answer'] = OpenEndedModule.sanitize_html(get['student_answer']) data['student_answer'] = OpenEndedModule.sanitize_html(data['student_answer'])
self.new_history_entry(get['student_answer']) self.new_history_entry(data['student_answer'])
self.send_to_grader(get['student_answer'], system) self.send_to_grader(data['student_answer'], system)
self.change_state(self.ASSESSING) self.change_state(self.ASSESSING)
else: else:
# Error message already defined # Error message already defined
...@@ -666,17 +666,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild): ...@@ -666,17 +666,17 @@ class OpenEndedModule(openendedchild.OpenEndedChild):
return { return {
'success': success, 'success': success,
'error': error_message, 'error': error_message,
'student_response': get['student_answer'] 'student_response': data['student_answer']
} }
def update_score(self, get, system): def update_score(self, data, system):
""" """
Updates the current score via ajax. Called by xqueue. Updates the current score via ajax. Called by xqueue.
Input: AJAX get dictionary, modulesystem Input: AJAX data dictionary, modulesystem
Output: None Output: None
""" """
queuekey = get['queuekey'] queuekey = data['queuekey']
score_msg = get['xqueue_body'] score_msg = data['xqueue_body']
# TODO: Remove need for cmap # TODO: Remove need for cmap
self._update_score(score_msg, queuekey, system) self._update_score(score_msg, queuekey, system)
......
...@@ -272,13 +272,13 @@ class OpenEndedChild(object): ...@@ -272,13 +272,13 @@ class OpenEndedChild(object):
return None return None
return None return None
def out_of_sync_error(self, get, msg=''): def out_of_sync_error(self, data, msg=''):
""" """
return dict out-of-sync error message, and also log. return dict out-of-sync error message, and also log.
""" """
# This is a dev_facing_error # This is a dev_facing_error
log.warning("Open ended child state out sync. state: %r, get: %r. %s", log.warning("Open ended child state out sync. state: %r, data: %r. %s",
self.child_state, get, msg) self.child_state, data, msg)
# This is a student_facing_error # This is a student_facing_error
return {'success': False, return {'success': False,
'error': 'The problem state got out-of-sync. Please try reloading the page.'} 'error': 'The problem state got out-of-sync. Please try reloading the page.'}
...@@ -345,24 +345,24 @@ class OpenEndedChild(object): ...@@ -345,24 +345,24 @@ class OpenEndedChild(object):
return success, image_ok, s3_public_url return success, image_ok, s3_public_url
def check_for_image_and_upload(self, get_data): def check_for_image_and_upload(self, data):
""" """
Checks to see if an image was passed back in the AJAX query. If so, it will upload it to S3 Checks to see if an image was passed back in the AJAX query. If so, it will upload it to S3
@param get_data: AJAX get data @param data: AJAX data
@return: Success, whether or not a file was in the get dictionary, @return: Success, whether or not a file was in the data dictionary,
and the html corresponding to the uploaded image and the html corresponding to the uploaded image
""" """
has_file_to_upload = False has_file_to_upload = False
uploaded_to_s3 = False uploaded_to_s3 = False
image_tag = "" image_tag = ""
image_ok = False image_ok = False
if 'can_upload_files' in get_data: if 'can_upload_files' in data:
if get_data['can_upload_files'] in ['true', '1']: if data['can_upload_files'] in ['true', '1']:
has_file_to_upload = True has_file_to_upload = True
file = get_data['student_file'][0] student_file = data['student_file'][0]
uploaded_to_s3, image_ok, s3_public_url = self.upload_image_to_s3(file) uploaded_to_s3, image_ok, s3_public_url = self.upload_image_to_s3(student_file)
if uploaded_to_s3: if uploaded_to_s3:
image_tag = self.generate_image_tag_from_url(s3_public_url, file.name) image_tag = self.generate_image_tag_from_url(s3_public_url, student_file.name)
return has_file_to_upload, uploaded_to_s3, image_ok, image_tag return has_file_to_upload, uploaded_to_s3, image_ok, image_tag
...@@ -371,27 +371,27 @@ class OpenEndedChild(object): ...@@ -371,27 +371,27 @@ class OpenEndedChild(object):
Makes an image tag from a given URL Makes an image tag from a given URL
@param s3_public_url: URL of the image @param s3_public_url: URL of the image
@param image_name: Name of the image @param image_name: Name of the image
@return: Boolean success, updated AJAX get data @return: Boolean success, updated AJAX data
""" """
image_template = """ image_template = """
<a href="{0}" target="_blank">{1}</a> <a href="{0}" target="_blank">{1}</a>
""".format(s3_public_url, image_name) """.format(s3_public_url, image_name)
return image_template return image_template
def append_image_to_student_answer(self, get_data): def append_image_to_student_answer(self, data):
""" """
Adds an image to a student answer after uploading it to S3 Adds an image to a student answer after uploading it to S3
@param get_data: AJAx get data @param data: AJAx data
@return: Boolean success, updated AJAX get data @return: Boolean success, updated AJAX data
""" """
overall_success = False overall_success = False
if not self.accept_file_upload: if not self.accept_file_upload:
# If the question does not accept file uploads, do not do anything # If the question does not accept file uploads, do not do anything
return True, get_data return True, data
has_file_to_upload, uploaded_to_s3, image_ok, image_tag = self.check_for_image_and_upload(get_data) has_file_to_upload, uploaded_to_s3, image_ok, image_tag = self.check_for_image_and_upload(data)
if uploaded_to_s3 and has_file_to_upload and image_ok: if uploaded_to_s3 and has_file_to_upload and image_ok:
get_data['student_answer'] += image_tag data['student_answer'] += image_tag
overall_success = True overall_success = True
elif has_file_to_upload and not uploaded_to_s3 and image_ok: elif has_file_to_upload and not uploaded_to_s3 and image_ok:
# In this case, an image was submitted by the student, but the image could not be uploaded to S3. Likely # In this case, an image was submitted by the student, but the image could not be uploaded to S3. Likely
...@@ -403,12 +403,12 @@ class OpenEndedChild(object): ...@@ -403,12 +403,12 @@ class OpenEndedChild(object):
overall_success = True overall_success = True
elif not has_file_to_upload: elif not has_file_to_upload:
# If there is no file to upload, probably the student has embedded the link in the answer text # If there is no file to upload, probably the student has embedded the link in the answer text
success, get_data['student_answer'] = self.check_for_url_in_text(get_data['student_answer']) success, data['student_answer'] = self.check_for_url_in_text(data['student_answer'])
overall_success = success overall_success = success
# log.debug("Has file: {0} Uploaded: {1} Image Ok: {2}".format(has_file_to_upload, uploaded_to_s3, image_ok)) # log.debug("Has file: {0} Uploaded: {1} Image Ok: {2}".format(has_file_to_upload, uploaded_to_s3, image_ok))
return overall_success, get_data return overall_success, data
def check_for_url_in_text(self, string): def check_for_url_in_text(self, string):
""" """
......
...@@ -75,10 +75,10 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -75,10 +75,10 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
html = system.render_template('{0}/self_assessment_prompt.html'.format(self.TEMPLATE_DIR), context) html = system.render_template('{0}/self_assessment_prompt.html'.format(self.TEMPLATE_DIR), context)
return html return html
def handle_ajax(self, dispatch, get, system): def handle_ajax(self, dispatch, data, system):
""" """
This is called by courseware.module_render, to handle an AJAX call. This is called by courseware.module_render, to handle an AJAX call.
"get" is request.POST. "data" is request.POST.
Returns a json dictionary: Returns a json dictionary:
{ 'progress_changed' : True/False, { 'progress_changed' : True/False,
...@@ -99,7 +99,7 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -99,7 +99,7 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
return json.dumps({'error': 'Error handling action. Please try again.', 'success': False}) return json.dumps({'error': 'Error handling action. Please try again.', 'success': False})
before = self.get_progress() before = self.get_progress()
d = handlers[dispatch](get, system) d = handlers[dispatch](data, system)
after = self.get_progress() after = self.get_progress()
d.update({ d.update({
'progress_changed': after != before, 'progress_changed': after != before,
...@@ -160,12 +160,12 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -160,12 +160,12 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
return system.render_template('{0}/self_assessment_hint.html'.format(self.TEMPLATE_DIR), context) return system.render_template('{0}/self_assessment_hint.html'.format(self.TEMPLATE_DIR), context)
def save_answer(self, get, system): def save_answer(self, data, system):
""" """
After the answer is submitted, show the rubric. After the answer is submitted, show the rubric.
Args: Args:
get: the GET dictionary passed to the ajax request. Should contain data: the request dictionary passed to the ajax request. Should contain
a key 'student_answer' a key 'student_answer'
Returns: Returns:
...@@ -178,16 +178,16 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -178,16 +178,16 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
return msg return msg
if self.child_state != self.INITIAL: if self.child_state != self.INITIAL:
return self.out_of_sync_error(get) return self.out_of_sync_error(data)
error_message = "" error_message = ""
# add new history element with answer and empty score and hint. # add new history element with answer and empty score and hint.
success, get = self.append_image_to_student_answer(get) success, data = self.append_image_to_student_answer(data)
if success: if success:
success, allowed_to_submit, error_message = self.check_if_student_can_submit() success, allowed_to_submit, error_message = self.check_if_student_can_submit()
if allowed_to_submit: if allowed_to_submit:
get['student_answer'] = SelfAssessmentModule.sanitize_html(get['student_answer']) data['student_answer'] = SelfAssessmentModule.sanitize_html(data['student_answer'])
self.new_history_entry(get['student_answer']) self.new_history_entry(data['student_answer'])
self.change_state(self.ASSESSING) self.change_state(self.ASSESSING)
else: else:
# Error message already defined # Error message already defined
...@@ -200,10 +200,10 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -200,10 +200,10 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
'success': success, 'success': success,
'rubric_html': self.get_rubric_html(system), 'rubric_html': self.get_rubric_html(system),
'error': error_message, 'error': error_message,
'student_response': get['student_answer'], 'student_response': data['student_answer'],
} }
def save_assessment(self, get, system): def save_assessment(self, data, _system):
""" """
Save the assessment. If the student said they're right, don't ask for a Save the assessment. If the student said they're right, don't ask for a
hint, and go straight to the done state. Otherwise, do ask for a hint. hint, and go straight to the done state. Otherwise, do ask for a hint.
...@@ -219,11 +219,11 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -219,11 +219,11 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
""" """
if self.child_state != self.ASSESSING: if self.child_state != self.ASSESSING:
return self.out_of_sync_error(get) return self.out_of_sync_error(data)
try: try:
score = int(get['assessment']) score = int(data['assessment'])
score_list = get.getlist('score_list[]') score_list = data.getlist('score_list[]')
for i in xrange(0, len(score_list)): for i in xrange(0, len(score_list)):
score_list[i] = int(score_list[i]) score_list[i] = int(score_list[i])
except ValueError: except ValueError:
...@@ -244,7 +244,7 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -244,7 +244,7 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
d['state'] = self.child_state d['state'] = self.child_state
return d return d
def save_hint(self, get, system): def save_hint(self, data, _system):
''' '''
Not used currently, as hints have been removed from the system. Not used currently, as hints have been removed from the system.
Save the hint. Save the hint.
...@@ -258,9 +258,9 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild): ...@@ -258,9 +258,9 @@ class SelfAssessmentModule(openendedchild.OpenEndedChild):
if self.child_state != self.POST_ASSESSMENT: if self.child_state != self.POST_ASSESSMENT:
# Note: because we only ask for hints on wrong answers, may not have # Note: because we only ask for hints on wrong answers, may not have
# the same number of hints and answers. # the same number of hints and answers.
return self.out_of_sync_error(get) return self.out_of_sync_error(data)
self.record_latest_post_assessment(get['hint']) self.record_latest_post_assessment(data['hint'])
self.change_state(self.DONE) self.change_state(self.DONE)
return {'success': True, return {'success': True,
......
...@@ -133,8 +133,8 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -133,8 +133,8 @@ class PeerGradingModule(PeerGradingFields, XModule):
""" """
return {'success': False, 'error': msg} return {'success': False, 'error': msg}
def _check_required(self, get, required): def _check_required(self, data, required):
actual = set(get.keys()) actual = set(data.keys())
missing = required - actual missing = required - actual
if len(missing) > 0: if len(missing) > 0:
return False, "Missing required keys: {0}".format(', '.join(missing)) return False, "Missing required keys: {0}".format(', '.join(missing))
...@@ -153,7 +153,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -153,7 +153,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
else: else:
return self.peer_grading_problem({'location': self.link_to_location})['html'] return self.peer_grading_problem({'location': self.link_to_location})['html']
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
""" """
Needs to be implemented by child modules. Handles AJAX events. Needs to be implemented by child modules. Handles AJAX events.
@return: @return:
...@@ -173,7 +173,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -173,7 +173,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
# This is a dev_facing_error # This is a dev_facing_error
return json.dumps({'error': 'Error handling action. Please try again.', 'success': False}) return json.dumps({'error': 'Error handling action. Please try again.', 'success': False})
d = handlers[dispatch](get) d = handlers[dispatch](data)
return json.dumps(d, cls=ComplexEncoder) return json.dumps(d, cls=ComplexEncoder)
...@@ -244,7 +244,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -244,7 +244,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
max_grade = self.max_grade max_grade = self.max_grade
return max_grade return max_grade
def get_next_submission(self, get): def get_next_submission(self, data):
""" """
Makes a call to the grading controller for the next essay that should be graded Makes a call to the grading controller for the next essay that should be graded
Returns a json dict with the following keys: Returns a json dict with the following keys:
...@@ -263,11 +263,11 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -263,11 +263,11 @@ class PeerGradingModule(PeerGradingFields, XModule):
'error': if success is False, will have an error message with more info. 'error': if success is False, will have an error message with more info.
""" """
required = set(['location']) required = set(['location'])
success, message = self._check_required(get, required) success, message = self._check_required(data, required)
if not success: if not success:
return self._err_response(message) return self._err_response(message)
grader_id = self.system.anonymous_student_id grader_id = self.system.anonymous_student_id
location = get['location'] location = data['location']
try: try:
response = self.peer_gs.get_next_submission(location, grader_id) response = self.peer_gs.get_next_submission(location, grader_id)
...@@ -280,7 +280,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -280,7 +280,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
return {'success': False, return {'success': False,
'error': EXTERNAL_GRADER_NO_CONTACT_ERROR} 'error': EXTERNAL_GRADER_NO_CONTACT_ERROR}
def save_grade(self, get): def save_grade(self, data):
""" """
Saves the grade of a given submission. Saves the grade of a given submission.
Input: Input:
...@@ -298,18 +298,18 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -298,18 +298,18 @@ class PeerGradingModule(PeerGradingFields, XModule):
required = set(['location', 'submission_id', 'submission_key', 'score', 'feedback', 'rubric_scores[]', required = set(['location', 'submission_id', 'submission_key', 'score', 'feedback', 'rubric_scores[]',
'submission_flagged']) 'submission_flagged'])
success, message = self._check_required(get, required) success, message = self._check_required(data, required)
if not success: if not success:
return self._err_response(message) return self._err_response(message)
grader_id = self.system.anonymous_student_id grader_id = self.system.anonymous_student_id
location = get.get('location') location = data.get('location')
submission_id = get.get('submission_id') submission_id = data.get('submission_id')
score = get.get('score') score = data.get('score')
feedback = get.get('feedback') feedback = data.get('feedback')
submission_key = get.get('submission_key') submission_key = data.get('submission_key')
rubric_scores = get.getlist('rubric_scores[]') rubric_scores = data.getlist('rubric_scores[]')
submission_flagged = get.get('submission_flagged') submission_flagged = data.get('submission_flagged')
try: try:
response = self.peer_gs.save_grade(location, grader_id, submission_id, response = self.peer_gs.save_grade(location, grader_id, submission_id,
...@@ -328,7 +328,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -328,7 +328,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
'error': EXTERNAL_GRADER_NO_CONTACT_ERROR 'error': EXTERNAL_GRADER_NO_CONTACT_ERROR
} }
def is_student_calibrated(self, get): def is_student_calibrated(self, data):
""" """
Calls the grading controller to see if the given student is calibrated Calls the grading controller to see if the given student is calibrated
on the given problem on the given problem
...@@ -347,12 +347,12 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -347,12 +347,12 @@ class PeerGradingModule(PeerGradingFields, XModule):
""" """
required = set(['location']) required = set(['location'])
success, message = self._check_required(get, required) success, message = self._check_required(data, required)
if not success: if not success:
return self._err_response(message) return self._err_response(message)
grader_id = self.system.anonymous_student_id grader_id = self.system.anonymous_student_id
location = get['location'] location = data['location']
try: try:
response = self.peer_gs.is_student_calibrated(location, grader_id) response = self.peer_gs.is_student_calibrated(location, grader_id)
...@@ -367,7 +367,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -367,7 +367,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
'error': EXTERNAL_GRADER_NO_CONTACT_ERROR 'error': EXTERNAL_GRADER_NO_CONTACT_ERROR
} }
def show_calibration_essay(self, get): def show_calibration_essay(self, data):
""" """
Fetch the next calibration essay from the grading controller and return it Fetch the next calibration essay from the grading controller and return it
Inputs: Inputs:
...@@ -392,13 +392,13 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -392,13 +392,13 @@ class PeerGradingModule(PeerGradingFields, XModule):
""" """
required = set(['location']) required = set(['location'])
success, message = self._check_required(get, required) success, message = self._check_required(data, required)
if not success: if not success:
return self._err_response(message) return self._err_response(message)
grader_id = self.system.anonymous_student_id grader_id = self.system.anonymous_student_id
location = get['location'] location = data['location']
try: try:
response = self.peer_gs.show_calibration_essay(location, grader_id) response = self.peer_gs.show_calibration_essay(location, grader_id)
return response return response
...@@ -417,8 +417,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -417,8 +417,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
return {'success': False, return {'success': False,
'error': 'Error displaying submission. Please notify course staff.'} 'error': 'Error displaying submission. Please notify course staff.'}
def save_calibration_essay(self, data):
def save_calibration_essay(self, get):
""" """
Saves the grader's grade of a given calibration. Saves the grader's grade of a given calibration.
Input: Input:
...@@ -437,17 +436,17 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -437,17 +436,17 @@ class PeerGradingModule(PeerGradingFields, XModule):
""" """
required = set(['location', 'submission_id', 'submission_key', 'score', 'feedback', 'rubric_scores[]']) required = set(['location', 'submission_id', 'submission_key', 'score', 'feedback', 'rubric_scores[]'])
success, message = self._check_required(get, required) success, message = self._check_required(data, required)
if not success: if not success:
return self._err_response(message) return self._err_response(message)
grader_id = self.system.anonymous_student_id grader_id = self.system.anonymous_student_id
location = get.get('location') location = data.get('location')
calibration_essay_id = get.get('submission_id') calibration_essay_id = data.get('submission_id')
submission_key = get.get('submission_key') submission_key = data.get('submission_key')
score = get.get('score') score = data.get('score')
feedback = get.get('feedback') feedback = data.get('feedback')
rubric_scores = get.getlist('rubric_scores[]') rubric_scores = data.getlist('rubric_scores[]')
try: try:
response = self.peer_gs.save_calibration_essay(location, grader_id, calibration_essay_id, response = self.peer_gs.save_calibration_essay(location, grader_id, calibration_essay_id,
...@@ -473,8 +472,7 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -473,8 +472,7 @@ class PeerGradingModule(PeerGradingFields, XModule):
}) })
return html return html
def peer_grading(self, _data=None):
def peer_grading(self, get=None):
''' '''
Show a peer grading interface Show a peer grading interface
''' '''
...@@ -553,11 +551,11 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -553,11 +551,11 @@ class PeerGradingModule(PeerGradingFields, XModule):
return html return html
def peer_grading_problem(self, get=None): def peer_grading_problem(self, data=None):
''' '''
Show individual problem interface Show individual problem interface
''' '''
if get is None or get.get('location') is None: if data is None or data.get('location') is None:
if not self.use_for_single_location: if not self.use_for_single_location:
# This is an error case, because it must be set to use a single location to be called without get parameters # This is an error case, because it must be set to use a single location to be called without get parameters
# This is a dev_facing_error # This is a dev_facing_error
...@@ -566,8 +564,8 @@ class PeerGradingModule(PeerGradingFields, XModule): ...@@ -566,8 +564,8 @@ class PeerGradingModule(PeerGradingFields, XModule):
return {'html': "", 'success': False} return {'html': "", 'success': False}
problem_location = self.link_to_location problem_location = self.link_to_location
elif get.get('location') is not None: elif data.get('location') is not None:
problem_location = get.get('location') problem_location = data.get('location')
ajax_url = self.ajax_url ajax_url = self.ajax_url
html = self.system.render_template('peer_grading/peer_grading_problem.html', { html = self.system.render_template('peer_grading/peer_grading_problem.html', {
...@@ -617,4 +615,3 @@ class PeerGradingDescriptor(PeerGradingFields, RawDescriptor): ...@@ -617,4 +615,3 @@ class PeerGradingDescriptor(PeerGradingFields, RawDescriptor):
non_editable_fields.extend([PeerGradingFields.due_date, PeerGradingFields.grace_period_string, non_editable_fields.extend([PeerGradingFields.due_date, PeerGradingFields.grace_period_string,
PeerGradingFields.max_grade]) PeerGradingFields.max_grade])
return non_editable_fields return non_editable_fields
...@@ -47,12 +47,12 @@ class PollModule(PollFields, XModule): ...@@ -47,12 +47,12 @@ class PollModule(PollFields, XModule):
css = {'scss': [resource_string(__name__, 'css/poll/display.scss')]} css = {'scss': [resource_string(__name__, 'css/poll/display.scss')]}
js_module_name = "Poll" js_module_name = "Poll"
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
"""Ajax handler. """Ajax handler.
Args: Args:
dispatch: string request slug dispatch: string request slug
get: dict request get parameters data: dict request data parameters
Returns: Returns:
json string json string
......
...@@ -62,10 +62,10 @@ class SequenceModule(SequenceFields, XModule): ...@@ -62,10 +62,10 @@ class SequenceModule(SequenceFields, XModule):
progress = reduce(Progress.add_counts, progresses) progress = reduce(Progress.add_counts, progresses)
return progress return progress
def handle_ajax(self, dispatch, get): # TODO: bounds checking def handle_ajax(self, dispatch, data): # TODO: bounds checking
''' get = request.POST instance ''' ''' get = request.POST instance '''
if dispatch == 'goto_position': if dispatch == 'goto_position':
self.position = int(get['position']) self.position = int(data['position'])
return json.dumps({'success': True}) return json.dumps({'success': True})
raise NotFoundError('Unexpected dispatch type') raise NotFoundError('Unexpected dispatch type')
......
...@@ -13,15 +13,16 @@ data: | ...@@ -13,15 +13,16 @@ data: |
<script type="loncapa/python"> <script type="loncapa/python">
def test_add_to_ten(expect,ans): def test_add(expect, ans):
a1=float(ans[0]) try:
a2=float(ans[1]) a1=int(ans[0])
return (a1+a2)==10 a2=int(ans[1])
return (a1+a2) == int(expect)
except ValueError:
return False
def test_add(expect,ans): def test_add_to_ten(expect, ans):
a1=float(ans[0]) return test_add(10, ans)
a2=float(ans[1])
return (a1+a2)== float(expect)
</script> </script>
...@@ -40,7 +41,7 @@ data: | ...@@ -40,7 +41,7 @@ data: |
<solution> <solution>
<div class="detailed-solution"> <div class="detailed-solution">
<p>Explanation</p> <p>Explanation</p>
<p>Any set of values on the line \(y = 10 - x\) and \(y = 20 - x\) satisfy these constraints.</p> <p>Any set of integers on the line \(y = 10 - x\) and \(y = 20 - x\) satisfy these constraints.</p>
<img src="/static/images/simple_graph.png"/> <img src="/static/images/simple_graph.png"/>
</div> </div>
</solution> </solution>
......
"""Tests of the Capa XModule""" # -*- coding: utf-8 -*-
"""
Tests of the Capa XModule
"""
#pylint: disable=C0111 #pylint: disable=C0111
#pylint: disable=R0904 #pylint: disable=R0904
#pylint: disable=C0103 #pylint: disable=C0103
...@@ -8,11 +11,12 @@ import datetime ...@@ -8,11 +11,12 @@ import datetime
from mock import Mock, patch from mock import Mock, patch
import unittest import unittest
import random import random
import json
import xmodule import xmodule
from capa.responsetypes import StudentInputError, \ from capa.responsetypes import (StudentInputError, LoncapaProblemError,
LoncapaProblemError, ResponseError ResponseError)
from xmodule.capa_module import CapaModule from xmodule.capa_module import CapaModule, ComplexEncoder
from xmodule.modulestore import Location from xmodule.modulestore import Location
from django.http import QueryDict from django.http import QueryDict
...@@ -47,12 +51,16 @@ class CapaFactory(object): ...@@ -47,12 +51,16 @@ class CapaFactory(object):
@staticmethod @staticmethod
def input_key(): def input_key():
""" Return the input key to use when passing GET parameters """ """
Return the input key to use when passing GET parameters
"""
return ("input_" + CapaFactory.answer_key()) return ("input_" + CapaFactory.answer_key())
@staticmethod @staticmethod
def answer_key(): def answer_key():
""" Return the key stored in the capa problem answer dict """ """
Return the key stored in the capa problem answer dict
"""
return ("-".join(['i4x', 'edX', 'capa_test', 'problem', return ("-".join(['i4x', 'edX', 'capa_test', 'problem',
'SampleProblem%d' % CapaFactory.num]) + 'SampleProblem%d' % CapaFactory.num]) +
"_2_1") "_2_1")
...@@ -361,7 +369,9 @@ class CapaModuleTest(unittest.TestCase): ...@@ -361,7 +369,9 @@ class CapaModuleTest(unittest.TestCase):
result = CapaModule.make_dict_of_responses(invalid_get_dict) result = CapaModule.make_dict_of_responses(invalid_get_dict)
def _querydict_from_dict(self, param_dict): def _querydict_from_dict(self, param_dict):
""" Create a Django QueryDict from a Python dictionary """ """
Create a Django QueryDict from a Python dictionary
"""
# QueryDict objects are immutable by default, so we make # QueryDict objects are immutable by default, so we make
# a copy that we can update. # a copy that we can update.
...@@ -496,9 +506,10 @@ class CapaModuleTest(unittest.TestCase): ...@@ -496,9 +506,10 @@ class CapaModuleTest(unittest.TestCase):
def test_check_problem_error(self): def test_check_problem_error(self):
# Try each exception that capa_module should handle # Try each exception that capa_module should handle
for exception_class in [StudentInputError, exception_classes = [StudentInputError,
LoncapaProblemError, LoncapaProblemError,
ResponseError]: ResponseError]
for exception_class in exception_classes:
# Create the module # Create the module
module = CapaFactory.create(attempts=1) module = CapaFactory.create(attempts=1)
...@@ -520,6 +531,60 @@ class CapaModuleTest(unittest.TestCase): ...@@ -520,6 +531,60 @@ class CapaModuleTest(unittest.TestCase):
# Expect that the number of attempts is NOT incremented # Expect that the number of attempts is NOT incremented
self.assertEqual(module.attempts, 1) self.assertEqual(module.attempts, 1)
def test_check_problem_other_errors(self):
"""
Test that errors other than the expected kinds give an appropriate message.
See also `test_check_problem_error` for the "expected kinds" or errors.
"""
# Create the module
module = CapaFactory.create(attempts=1)
# Ensure that the user is NOT staff
module.system.user_is_staff = False
# Ensure that DEBUG is on
module.system.DEBUG = True
# Simulate answering a problem that raises the exception
with patch('capa.capa_problem.LoncapaProblem.grade_answers') as mock_grade:
error_msg = u"Superterrible error happened: ☠"
mock_grade.side_effect = Exception(error_msg)
get_request_dict = {CapaFactory.input_key(): '3.14'}
result = module.check_problem(get_request_dict)
# Expect an AJAX alert message in 'success'
self.assertTrue(error_msg in result['success'])
def test_check_problem_error_nonascii(self):
# Try each exception that capa_module should handle
exception_classes = [StudentInputError,
LoncapaProblemError,
ResponseError]
for exception_class in exception_classes:
# Create the module
module = CapaFactory.create(attempts=1)
# Ensure that the user is NOT staff
module.system.user_is_staff = False
# Simulate answering a problem that raises the exception
with patch('capa.capa_problem.LoncapaProblem.grade_answers') as mock_grade:
mock_grade.side_effect = exception_class(u"ȧƈƈḗƞŧḗḓ ŧḗẋŧ ƒǿř ŧḗşŧīƞɠ")
get_request_dict = {CapaFactory.input_key(): '3.14'}
result = module.check_problem(get_request_dict)
# Expect an AJAX alert message in 'success'
expected_msg = u'Error: ȧƈƈḗƞŧḗḓ ŧḗẋŧ ƒǿř ŧḗşŧīƞɠ'
self.assertEqual(expected_msg, result['success'])
# Expect that the number of attempts is NOT incremented
self.assertEqual(module.attempts, 1)
def test_check_problem_error_with_staff_user(self): def test_check_problem_error_with_staff_user(self):
# Try each exception that capa module should handle # Try each exception that capa module should handle
...@@ -1021,6 +1086,33 @@ class CapaModuleTest(unittest.TestCase): ...@@ -1021,6 +1086,33 @@ class CapaModuleTest(unittest.TestCase):
# Expect that the module has created a new dummy problem with the error # Expect that the module has created a new dummy problem with the error
self.assertNotEqual(original_problem, module.lcp) self.assertNotEqual(original_problem, module.lcp)
def test_get_problem_html_error_w_debug(self):
"""
Test the html response when an error occurs with DEBUG on
"""
module = CapaFactory.create()
# Simulate throwing an exception when the capa problem
# is asked to render itself as HTML
error_msg = u"Superterrible error happened: ☠"
module.lcp.get_html = Mock(side_effect=Exception(error_msg))
# Stub out the get_test_system rendering function
module.system.render_template = Mock(return_value="<div>Test Template HTML</div>")
# Make sure DEBUG is on
module.system.DEBUG = True
# Try to render the module with DEBUG turned on
html = module.get_problem_html()
self.assertTrue(html is not None)
# Check the rendering context
render_args, _ = module.system.render_template.call_args
context = render_args[1]
self.assertTrue(error_msg in context['problem']['html'])
def test_random_seed_no_change(self): def test_random_seed_no_change(self):
# Run the test for each possible rerandomize value # Run the test for each possible rerandomize value
...@@ -1126,3 +1218,28 @@ class CapaModuleTest(unittest.TestCase): ...@@ -1126,3 +1218,28 @@ class CapaModuleTest(unittest.TestCase):
for i in range(200): for i in range(200):
module = CapaFactory.create(rerandomize=rerandomize) module = CapaFactory.create(rerandomize=rerandomize)
assert 0 <= module.seed < 1000 assert 0 <= module.seed < 1000
@patch('xmodule.capa_module.log')
@patch('xmodule.capa_module.Progress')
def test_get_progress_error(self, mock_progress, mock_log):
"""
Check that an exception given in `Progress` produces a `log.exception` call.
"""
error_types = [TypeError, ValueError]
for error_type in error_types:
mock_progress.side_effect = error_type
module = CapaFactory.create()
self.assertIsNone(module.get_progress())
mock_log.exception.assert_called_once_with('Got bad progress')
mock_log.reset_mock()
class ComplexEncoderTest(unittest.TestCase):
def test_default(self):
"""
Check that complex numbers can be encoded into JSON.
"""
complex_num = 1 - 1j
expected_str = '1-1*j'
json_str = json.dumps(complex_num, cls=ComplexEncoder)
self.assertEqual(expected_str, json_str[1:-1]) # ignore quotes
...@@ -157,9 +157,10 @@ class ImportTestCase(BaseCourseTestCase): ...@@ -157,9 +157,10 @@ class ImportTestCase(BaseCourseTestCase):
self.assertEqual(child.lms.due, ImportTestCase.date.from_json(v)) self.assertEqual(child.lms.due, ImportTestCase.date.from_json(v))
self.assertEqual(child._inheritable_metadata, child._inherited_metadata) self.assertEqual(child._inheritable_metadata, child._inherited_metadata)
self.assertEqual(2, len(child._inherited_metadata)) self.assertEqual(2, len(child._inherited_metadata))
self.assertLessEqual(ImportTestCase.date.from_json( self.assertLessEqual(
child._inherited_metadata['start']), ImportTestCase.date.from_json(child._inherited_metadata['start']),
datetime.datetime.now(UTC())) datetime.datetime.now(UTC())
)
self.assertEqual(v, child._inherited_metadata['due']) self.assertEqual(v, child._inherited_metadata['due'])
# Now export and check things # Now export and check things
...@@ -221,7 +222,8 @@ class ImportTestCase(BaseCourseTestCase): ...@@ -221,7 +222,8 @@ class ImportTestCase(BaseCourseTestCase):
# why do these tests look in the internal structure v just calling child.start? # why do these tests look in the internal structure v just calling child.start?
self.assertLessEqual( self.assertLessEqual(
ImportTestCase.date.from_json(child._inherited_metadata['start']), ImportTestCase.date.from_json(child._inherited_metadata['start']),
datetime.datetime.now(UTC())) datetime.datetime.now(UTC())
)
def test_metadata_override_default(self): def test_metadata_override_default(self):
""" """
......
...@@ -40,9 +40,9 @@ class LogicTest(unittest.TestCase): ...@@ -40,9 +40,9 @@ class LogicTest(unittest.TestCase):
self.raw_model_data self.raw_model_data
) )
def ajax_request(self, dispatch, get): def ajax_request(self, dispatch, data):
"""Call Xmodule.handle_ajax.""" """Call Xmodule.handle_ajax."""
return json.loads(self.xmodule.handle_ajax(dispatch, get)) return json.loads(self.xmodule.handle_ajax(dispatch, data))
class PollModuleTest(LogicTest): class PollModuleTest(LogicTest):
......
# -*- coding: utf-8 -*- # -*- coding: utf-8 -*-
import unittest import unittest
from xmodule.modulestore import Location
from xmodule.video_module import VideoDescriptor from xmodule.video_module import VideoDescriptor
from .test_import import DummySystem from .test_import import DummySystem
...@@ -10,6 +11,33 @@ class VideoDescriptorImportTestCase(unittest.TestCase): ...@@ -10,6 +11,33 @@ class VideoDescriptorImportTestCase(unittest.TestCase):
Make sure that VideoDescriptor can import an old XML-based video correctly. Make sure that VideoDescriptor can import an old XML-based video correctly.
""" """
def test_constructor(self):
sample_xml = '''
<video display_name="Test Video"
youtube="1.0:p2Q6BrNhdh8,0.75:izygArpw-Qo,1.25:1EeWXzPdhSA,1.5:rABDYkeK0x8"
show_captions="false"
from="00:00:01"
to="00:01:00">
<source src="http://www.example.com/source.mp4"/>
<track src="http://www.example.com/track"/>
</video>
'''
location = Location(["i4x", "edX", "video", "default",
"SampleProblem1"])
model_data = {'data': sample_xml,
'location': location}
system = DummySystem(load_error_modules=True)
descriptor = VideoDescriptor(system, model_data)
self.assertEquals(descriptor.youtube_id_0_75, 'izygArpw-Qo')
self.assertEquals(descriptor.youtube_id_1_0, 'p2Q6BrNhdh8')
self.assertEquals(descriptor.youtube_id_1_25, '1EeWXzPdhSA')
self.assertEquals(descriptor.youtube_id_1_5, 'rABDYkeK0x8')
self.assertEquals(descriptor.show_captions, False)
self.assertEquals(descriptor.start_time, 1.0)
self.assertEquals(descriptor.end_time, 60)
self.assertEquals(descriptor.track, 'http://www.example.com/track')
self.assertEquals(descriptor.source, 'http://www.example.com/source.mp4')
def test_from_xml(self): def test_from_xml(self):
module_system = DummySystem(load_error_modules=True) module_system = DummySystem(load_error_modules=True)
xml_data = ''' xml_data = '''
......
...@@ -248,7 +248,7 @@ class TestDeserializeFloat(TestDeserialize): ...@@ -248,7 +248,7 @@ class TestDeserializeFloat(TestDeserialize):
test_field = Float test_field = Float
def test_deserialize(self): def test_deserialize(self):
self.assertDeserializeEqual( -2, '-2') self.assertDeserializeEqual(-2, '-2')
self.assertDeserializeEqual("450", '"450"') self.assertDeserializeEqual("450", '"450"')
self.assertDeserializeEqual(-2.78, '-2.78') self.assertDeserializeEqual(-2.78, '-2.78')
self.assertDeserializeEqual("0.45", '"0.45"') self.assertDeserializeEqual("0.45", '"0.45"')
...@@ -256,7 +256,7 @@ class TestDeserializeFloat(TestDeserialize): ...@@ -256,7 +256,7 @@ class TestDeserializeFloat(TestDeserialize):
# False can be parsed as a float (converts to 0) # False can be parsed as a float (converts to 0)
self.assertDeserializeEqual(False, 'false') self.assertDeserializeEqual(False, 'false')
# True can be parsed as a float (converts to 1) # True can be parsed as a float (converts to 1)
self.assertDeserializeEqual( True, 'true') self.assertDeserializeEqual(True, 'true')
def test_deserialize_unsupported_types(self): def test_deserialize_unsupported_types(self):
self.assertDeserializeEqual('[3]', '[3]') self.assertDeserializeEqual('[3]', '[3]')
......
...@@ -98,7 +98,7 @@ class TimeLimitModule(TimeLimitFields, XModule): ...@@ -98,7 +98,7 @@ class TimeLimitModule(TimeLimitFields, XModule):
progress = reduce(Progress.add_counts, progresses) progress = reduce(Progress.add_counts, progresses)
return progress return progress
def handle_ajax(self, dispatch, get): def handle_ajax(self, _dispatch, _data):
raise NotFoundError('Unexpected dispatch type') raise NotFoundError('Unexpected dispatch type')
def render(self): def render(self):
...@@ -141,4 +141,3 @@ class TimeLimitDescriptor(TimeLimitFields, XMLEditingDescriptor, XmlDescriptor): ...@@ -141,4 +141,3 @@ class TimeLimitDescriptor(TimeLimitFields, XMLEditingDescriptor, XmlDescriptor):
xml_object.append( xml_object.append(
etree.fromstring(child.export_to_xml(resource_fs))) etree.fromstring(child.export_to_xml(resource_fs)))
return xml_object return xml_object
...@@ -54,9 +54,9 @@ class VideoModule(VideoFields, XModule): ...@@ -54,9 +54,9 @@ class VideoModule(VideoFields, XModule):
def __init__(self, *args, **kwargs): def __init__(self, *args, **kwargs):
XModule.__init__(self, *args, **kwargs) XModule.__init__(self, *args, **kwargs)
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
"""This is not being called right now and we raise 404 error.""" """This is not being called right now and we raise 404 error."""
log.debug(u"GET {0}".format(get)) log.debug(u"GET {0}".format(data))
log.debug(u"DISPATCH {0}".format(dispatch)) log.debug(u"DISPATCH {0}".format(dispatch))
raise Http404() raise Http404()
...@@ -88,6 +88,13 @@ class VideoDescriptor(VideoFields, ...@@ -88,6 +88,13 @@ class VideoDescriptor(VideoFields,
module_class = VideoModule module_class = VideoModule
template_dir_name = "video" template_dir_name = "video"
def __init__(self, *args, **kwargs):
super(VideoDescriptor, self).__init__(*args, **kwargs)
# If we don't have a `youtube_id_1_0`, this is an XML course
# and we parse out the fields.
if self.data and 'youtube_id_1_0' not in self._model_data:
_parse_video_xml(self, self.data)
@property @property
def non_editable_metadata_fields(self): def non_editable_metadata_fields(self):
non_editable_fields = super(MetadataOnlyEditingDescriptor, self).non_editable_metadata_fields non_editable_fields = super(MetadataOnlyEditingDescriptor, self).non_editable_metadata_fields
...@@ -108,47 +115,54 @@ class VideoDescriptor(VideoFields, ...@@ -108,47 +115,54 @@ class VideoDescriptor(VideoFields,
url identifiers url identifiers
""" """
video = super(VideoDescriptor, cls).from_xml(xml_data, system, org, course) video = super(VideoDescriptor, cls).from_xml(xml_data, system, org, course)
xml = etree.fromstring(xml_data) _parse_video_xml(video, xml_data)
display_name = xml.get('display_name')
if display_name:
video.display_name = display_name
youtube = xml.get('youtube')
if youtube:
speeds = _parse_youtube(youtube)
if speeds['0.75']:
video.youtube_id_0_75 = speeds['0.75']
if speeds['1.00']:
video.youtube_id_1_0 = speeds['1.00']
if speeds['1.25']:
video.youtube_id_1_25 = speeds['1.25']
if speeds['1.50']:
video.youtube_id_1_5 = speeds['1.50']
show_captions = xml.get('show_captions')
if show_captions:
video.show_captions = json.loads(show_captions)
source = _get_first_external(xml, 'source')
if source:
video.source = source
track = _get_first_external(xml, 'track')
if track:
video.track = track
start_time = _parse_time(xml.get('from'))
if start_time:
video.start_time = start_time
end_time = _parse_time(xml.get('to'))
if end_time:
video.end_time = end_time
return video return video
def _parse_video_xml(video, xml_data):
"""
Parse video fields out of xml_data. The fields are set if they are
present in the XML.
"""
xml = etree.fromstring(xml_data)
display_name = xml.get('display_name')
if display_name:
video.display_name = display_name
youtube = xml.get('youtube')
if youtube:
speeds = _parse_youtube(youtube)
if speeds['0.75']:
video.youtube_id_0_75 = speeds['0.75']
if speeds['1.00']:
video.youtube_id_1_0 = speeds['1.00']
if speeds['1.25']:
video.youtube_id_1_25 = speeds['1.25']
if speeds['1.50']:
video.youtube_id_1_5 = speeds['1.50']
show_captions = xml.get('show_captions')
if show_captions:
video.show_captions = json.loads(show_captions)
source = _get_first_external(xml, 'source')
if source:
video.source = source
track = _get_first_external(xml, 'track')
if track:
video.track = track
start_time = _parse_time(xml.get('from'))
if start_time:
video.start_time = start_time
end_time = _parse_time(xml.get('to'))
if end_time:
video.end_time = end_time
def _get_first_external(xmltree, tag): def _get_first_external(xmltree, tag):
""" """
Returns the src attribute of the nested `tag` in `xmltree`, if it Returns the src attribute of the nested `tag` in `xmltree`, if it
......
...@@ -125,9 +125,9 @@ class VideoAlphaModule(VideoAlphaFields, XModule): ...@@ -125,9 +125,9 @@ class VideoAlphaModule(VideoAlphaFields, XModule):
return parse_time(xmltree.get('start_time')), parse_time(xmltree.get('end_time')) return parse_time(xmltree.get('start_time')), parse_time(xmltree.get('end_time'))
def handle_ajax(self, dispatch, get): def handle_ajax(self, dispatch, data):
"""This is not being called right now and we raise 404 error.""" """This is not being called right now and we raise 404 error."""
log.debug(u"GET {0}".format(get)) log.debug(u"GET {0}".format(data))
log.debug(u"DISPATCH {0}".format(dispatch)) log.debug(u"DISPATCH {0}".format(dispatch))
raise Http404() raise Http404()
......
...@@ -168,12 +168,12 @@ class WordCloudModule(WordCloudFields, XModule): ...@@ -168,12 +168,12 @@ class WordCloudModule(WordCloudFields, XModule):
)[:amount] )[:amount]
) )
def handle_ajax(self, dispatch, post): def handle_ajax(self, dispatch, data):
"""Ajax handler. """Ajax handler.
Args: Args:
dispatch: string request slug dispatch: string request slug
post: dict request get parameters data: dict request get parameters
Returns: Returns:
json string json string
...@@ -187,7 +187,7 @@ class WordCloudModule(WordCloudFields, XModule): ...@@ -187,7 +187,7 @@ class WordCloudModule(WordCloudFields, XModule):
# Student words from client. # Student words from client.
# FIXME: we must use raw JSON, not a post data (multipart/form-data) # FIXME: we must use raw JSON, not a post data (multipart/form-data)
raw_student_words = post.getlist('student_words[]') raw_student_words = data.getlist('student_words[]')
student_words = filter(None, map(self.good_word, raw_student_words)) student_words = filter(None, map(self.good_word, raw_student_words))
self.student_words = student_words self.student_words = student_words
......
...@@ -272,9 +272,9 @@ class XModule(XModuleFields, HTMLSnippet, XBlock): ...@@ -272,9 +272,9 @@ class XModule(XModuleFields, HTMLSnippet, XBlock):
''' '''
return None return None
def handle_ajax(self, _dispatch, _get): def handle_ajax(self, _dispatch, _data):
''' dispatch is last part of the URL. ''' dispatch is last part of the URL.
get is a dictionary-like object ''' data is a dictionary-like object with the content of the request'''
return "" return ""
......
...@@ -141,9 +141,9 @@ class XmlDescriptor(XModuleDescriptor): ...@@ -141,9 +141,9 @@ class XmlDescriptor(XModuleDescriptor):
# Related: What's the right behavior for clean_metadata? # Related: What's the right behavior for clean_metadata?
metadata_attributes = ('format', 'graceperiod', 'showanswer', 'rerandomize', metadata_attributes = ('format', 'graceperiod', 'showanswer', 'rerandomize',
'start', 'due', 'graded', 'display_name', 'url_name', 'hide_from_toc', 'start', 'due', 'graded', 'display_name', 'url_name', 'hide_from_toc',
'ispublic', # if True, then course is listed for all users; see 'ispublic', # if True, then course is listed for all users; see
'xqa_key', # for xqaa server access 'xqa_key', # for xqaa server access
'giturl', # url of git server for origin of file 'giturl', # url of git server for origin of file
# information about testcenter exams is a dict (of dicts), not a string, # information about testcenter exams is a dict (of dicts), not a string,
# so it cannot be easily exportable as a course element's attribute. # so it cannot be easily exportable as a course element's attribute.
'testcenter_info', 'testcenter_info',
...@@ -347,7 +347,7 @@ class XmlDescriptor(XModuleDescriptor): ...@@ -347,7 +347,7 @@ class XmlDescriptor(XModuleDescriptor):
model_data['children'] = children model_data['children'] = children
model_data['xml_attributes'] = {} model_data['xml_attributes'] = {}
model_data['xml_attributes']['filename'] = definition.get('filename', ['', None]) # for git link model_data['xml_attributes']['filename'] = definition.get('filename', ['', None]) # for git link
for key, value in metadata.items(): for key, value in metadata.items():
if key not in set(f.name for f in cls.fields + cls.lms.fields): if key not in set(f.name for f in cls.fields + cls.lms.fields):
model_data['xml_attributes'][key] = value model_data['xml_attributes'][key] = value
...@@ -409,7 +409,6 @@ class XmlDescriptor(XModuleDescriptor): ...@@ -409,7 +409,6 @@ class XmlDescriptor(XModuleDescriptor):
# don't want e.g. data_dir # don't want e.g. data_dir
if attr not in self.metadata_to_strip and attr not in self.metadata_to_export_to_policy: if attr not in self.metadata_to_strip and attr not in self.metadata_to_export_to_policy:
val = val_for_xml(attr) val = val_for_xml(attr)
#logging.debug('location.category = {0}, attr = {1}'.format(self.location.category, attr))
try: try:
xml_object.set(attr, val) xml_object.set(attr, val)
except Exception, e: except Exception, e:
......
...@@ -3,10 +3,15 @@ describe 'Logger', -> ...@@ -3,10 +3,15 @@ describe 'Logger', ->
expect(window.log_event).toBe Logger.log expect(window.log_event).toBe Logger.log
describe 'log', -> describe 'log', ->
it 'sends an event to Segment.io, if the event is whitelisted', -> it 'sends an event to Segment.io, if the event is whitelisted and the data is not a dictionary', ->
spyOn(analytics, 'track') spyOn(analytics, 'track')
Logger.log 'seq_goto', 'data' Logger.log 'seq_goto', 'data'
expect(analytics.track).toHaveBeenCalledWith 'seq_goto', 'data' expect(analytics.track).toHaveBeenCalledWith 'seq_goto', value: 'data'
it 'sends an event to Segment.io, if the event is whitelisted and the data is a dictionary', ->
spyOn(analytics, 'track')
Logger.log 'seq_goto', value: 'data'
expect(analytics.track).toHaveBeenCalledWith 'seq_goto', value: 'data'
it 'send a request to log event', -> it 'send a request to log event', ->
spyOn $, 'getWithPrefix' spyOn $, 'getWithPrefix'
......
class @Logger class @Logger
# events we want sent to Segment.io for tracking # events we want sent to Segment.io for tracking
SEGMENT_IO_WHITELIST = ["seq_goto", "seq_next", "seq_prev"] SEGMENT_IO_WHITELIST = ["seq_goto", "seq_next", "seq_prev", "problem_check", "problem_reset", "problem_show", "problem_save"]
@log: (event_type, data) -> @log: (event_type, data) ->
# Segment.io event tracking
if event_type in SEGMENT_IO_WHITELIST if event_type in SEGMENT_IO_WHITELIST
# Segment.io event tracking # to avoid changing the format of data sent to our servers, we only massage it here
analytics.track event_type, data if typeof data isnt 'object' or data is null
analytics.track event_type, value: data
else
analytics.track event_type, data
$.getWithPrefix '/event', $.getWithPrefix '/event',
event_type: event_type event_type: event_type
......
...@@ -9,6 +9,6 @@ ...@@ -9,6 +9,6 @@
"display_name": "Overview" "display_name": "Overview"
}, },
"graphical_slider_tool/sample_gst": { "graphical_slider_tool/sample_gst": {
"display_name": "Sample GST", "display_name": "Sample GST"
}, }
} }
...@@ -9,6 +9,6 @@ ...@@ -9,6 +9,6 @@
"display_name": "Overview" "display_name": "Overview"
}, },
"selfassessment/SampleQuestion": { "selfassessment/SampleQuestion": {
"display_name": "Sample Question", "display_name": "Sample Question"
}, }
} }
...@@ -60,10 +60,7 @@ fi ...@@ -60,10 +60,7 @@ fi
export PIP_DOWNLOAD_CACHE=/mnt/pip-cache export PIP_DOWNLOAD_CACHE=/mnt/pip-cache
# Allow django liveserver tests to use a range of ports source $VIRTUALENV_DIR/bin/activate
export DJANGO_LIVE_TEST_SERVER_ADDRESS=${DJANGO_LIVE_TEST_SERVER_ADDRESS-localhost:8000-9000}
source /mnt/virtualenvs/"$JOB_NAME"/bin/activate
bundle install bundle install
......
...@@ -523,10 +523,8 @@ def _adjust_start_date_for_beta_testers(user, descriptor): ...@@ -523,10 +523,8 @@ def _adjust_start_date_for_beta_testers(user, descriptor):
beta_group = course_beta_test_group_name(descriptor.location) beta_group = course_beta_test_group_name(descriptor.location)
if beta_group in user_groups: if beta_group in user_groups:
debug("Adjust start time: user in group %s", beta_group) debug("Adjust start time: user in group %s", beta_group)
start_as_datetime = descriptor.lms.start
delta = timedelta(descriptor.lms.days_early_for_beta) delta = timedelta(descriptor.lms.days_early_for_beta)
effective = start_as_datetime - delta effective = descriptor.lms.start - delta
# ...and back to time_struct
return effective return effective
return descriptor.lms.start return descriptor.lms.start
......
...@@ -12,12 +12,11 @@ from xmodule.modulestore import Location ...@@ -12,12 +12,11 @@ from xmodule.modulestore import Location
from xmodule.modulestore.django import modulestore from xmodule.modulestore.django import modulestore
from xmodule.contentstore.content import StaticContent from xmodule.contentstore.content import StaticContent
from xmodule.modulestore.xml import XMLModuleStore from xmodule.modulestore.xml import XMLModuleStore
from xmodule.modulestore.exceptions import ItemNotFoundError from xmodule.modulestore.exceptions import ItemNotFoundError, InvalidLocationError
from courseware.model_data import ModelDataCache from courseware.model_data import ModelDataCache
from static_replace import replace_static_urls from static_replace import replace_static_urls
from courseware.access import has_access from courseware.access import has_access
import branding import branding
from xmodule.modulestore.exceptions import ItemNotFoundError
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
...@@ -49,7 +48,8 @@ def get_course_by_id(course_id, depth=0): ...@@ -49,7 +48,8 @@ def get_course_by_id(course_id, depth=0):
return modulestore().get_instance(course_id, course_loc, depth=depth) return modulestore().get_instance(course_id, course_loc, depth=depth)
except (KeyError, ItemNotFoundError): except (KeyError, ItemNotFoundError):
raise Http404("Course not found.") raise Http404("Course not found.")
except InvalidLocationError:
raise Http404("Invalid location")
def get_course_with_access(user, course_id, action, depth=0): def get_course_with_access(user, course_id, action, depth=0):
""" """
......
...@@ -2,8 +2,8 @@ ...@@ -2,8 +2,8 @@
Steps for problem.feature lettuce tests Steps for problem.feature lettuce tests
''' '''
#pylint: disable=C0111 # pylint: disable=C0111
#pylint: disable=W0621 # pylint: disable=W0621
from lettuce import world, step from lettuce import world, step
from lettuce.django import django_url from lettuce.django import django_url
...@@ -135,7 +135,7 @@ def action_button_present(_step, buttonname, doesnt_appear): ...@@ -135,7 +135,7 @@ def action_button_present(_step, buttonname, doesnt_appear):
@step(u'the button with the label "([^"]*)" does( not)? appear') @step(u'the button with the label "([^"]*)" does( not)? appear')
def button_with_label_present(step, buttonname, doesnt_appear): def button_with_label_present(_step, buttonname, doesnt_appear):
if doesnt_appear: if doesnt_appear:
assert world.browser.is_text_not_present(buttonname, wait_time=5) assert world.browser.is_text_not_present(buttonname, wait_time=5)
else: else:
......
...@@ -2,8 +2,6 @@ import json ...@@ -2,8 +2,6 @@ import json
import logging import logging
import re import re
import sys import sys
import static_replace
from functools import partial from functools import partial
from django.conf import settings from django.conf import settings
...@@ -15,27 +13,31 @@ from django.http import Http404 ...@@ -15,27 +13,31 @@ from django.http import Http404
from django.http import HttpResponse, HttpResponseBadRequest from django.http import HttpResponse, HttpResponseBadRequest
from django.views.decorators.csrf import csrf_exempt from django.views.decorators.csrf import csrf_exempt
import pyparsing
from requests.auth import HTTPBasicAuth from requests.auth import HTTPBasicAuth
from statsd import statsd
from capa.xqueue_interface import XQueueInterface from capa.xqueue_interface import XQueueInterface
from courseware.masquerade import setup_masquerade
from courseware.access import has_access
from mitxmako.shortcuts import render_to_string from mitxmako.shortcuts import render_to_string
from .models import StudentModule from xblock.runtime import DbModel
from psychometrics.psychoanalyze import make_psychometrics_data_update_handler from xmodule.error_module import ErrorDescriptor, NonStaffErrorDescriptor
from student.models import unique_id_for_user
from xmodule.errortracker import exc_info_to_str from xmodule.errortracker import exc_info_to_str
from xmodule.exceptions import NotFoundError, ProcessingError from xmodule.exceptions import NotFoundError, ProcessingError
from xmodule.modulestore import Location from xmodule.modulestore import Location
from xmodule.modulestore.django import modulestore from xmodule.modulestore.django import modulestore
from xmodule.modulestore.exceptions import ItemNotFoundError
from xmodule.x_module import ModuleSystem from xmodule.x_module import ModuleSystem
from xmodule.error_module import ErrorDescriptor, NonStaffErrorDescriptor
from xblock.runtime import DbModel
from xmodule_modifiers import replace_course_urls, replace_static_urls, add_histogram, wrap_xmodule from xmodule_modifiers import replace_course_urls, replace_static_urls, add_histogram, wrap_xmodule
from .model_data import LmsKeyValueStore, LmsUsage, ModelDataCache
from xmodule.modulestore.exceptions import ItemNotFoundError import static_replace
from statsd import statsd from psychometrics.psychoanalyze import make_psychometrics_data_update_handler
from student.models import unique_id_for_user
from courseware.access import has_access
from courseware.masquerade import setup_masquerade
from courseware.model_data import LmsKeyValueStore, LmsUsage, ModelDataCache
from courseware.models import StudentModule
log = logging.getLogger(__name__) log = logging.getLogger(__name__)
...@@ -221,7 +223,7 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours ...@@ -221,7 +223,7 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours
relative_xqueue_callback_url = reverse('xqueue_callback', relative_xqueue_callback_url = reverse('xqueue_callback',
kwargs=dict(course_id=course_id, kwargs=dict(course_id=course_id,
userid=str(user.id), userid=str(user.id),
id=descriptor.location.url(), mod_id=descriptor.location.url(),
dispatch=dispatch), dispatch=dispatch),
) )
return xqueue_callback_url_prefix + relative_xqueue_callback_url return xqueue_callback_url_prefix + relative_xqueue_callback_url
...@@ -352,7 +354,7 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours ...@@ -352,7 +354,7 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours
system.set('position', position) system.set('position', position)
system.set('DEBUG', settings.DEBUG) system.set('DEBUG', settings.DEBUG)
if settings.MITX_FEATURES.get('ENABLE_PSYCHOMETRICS'): if settings.MITX_FEATURES.get('ENABLE_PSYCHOMETRICS'):
system.set('psychometrics_handler', # set callback for updating PsychometricsData system.set('psychometrics_handler', # set callback for updating PsychometricsData
make_psychometrics_data_update_handler(course_id, user, descriptor.location.url())) make_psychometrics_data_update_handler(course_id, user, descriptor.location.url()))
try: try:
...@@ -397,40 +399,47 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours ...@@ -397,40 +399,47 @@ def get_module_for_descriptor_internal(user, descriptor, model_data_cache, cours
@csrf_exempt @csrf_exempt
def xqueue_callback(request, course_id, userid, id, dispatch): def xqueue_callback(request, course_id, userid, mod_id, dispatch):
''' '''
Entry point for graded results from the queueing system. Entry point for graded results from the queueing system.
''' '''
data = request.POST.copy()
# Test xqueue package, which we expect to be: # Test xqueue package, which we expect to be:
# xpackage = {'xqueue_header': json.dumps({'lms_key':'secretkey',...}), # xpackage = {'xqueue_header': json.dumps({'lms_key':'secretkey',...}),
# 'xqueue_body' : 'Message from grader'} # 'xqueue_body' : 'Message from grader'}
get = request.POST.copy()
for key in ['xqueue_header', 'xqueue_body']: for key in ['xqueue_header', 'xqueue_body']:
if not get.has_key(key): if key not in data:
raise Http404 raise Http404
header = json.loads(get['xqueue_header'])
if not isinstance(header, dict) or not header.has_key('lms_key'): header = json.loads(data['xqueue_header'])
if not isinstance(header, dict) or 'lms_key' not in header:
raise Http404 raise Http404
# Retrieve target StudentModule # Retrieve target StudentModule
user = User.objects.get(id=userid) user = User.objects.get(id=userid)
model_data_cache = ModelDataCache.cache_for_descriptor_descendents(
model_data_cache = ModelDataCache.cache_for_descriptor_descendents(course_id, course_id,
user, modulestore().get_instance(course_id, id), depth=0, select_for_update=True) user,
instance = get_module(user, request, id, model_data_cache, course_id, grade_bucket_type='xqueue') modulestore().get_instance(course_id, mod_id),
depth=0,
select_for_update=True
)
instance = get_module(user, request, mod_id, model_data_cache, course_id, grade_bucket_type='xqueue')
if instance is None: if instance is None:
log.debug("No module {0} for user {1}--access denied?".format(id, user)) msg = "No module {0} for user {1}--access denied?".format(mod_id, user)
log.debug(msg)
raise Http404 raise Http404
# Transfer 'queuekey' from xqueue response header to 'get'. This is required to # Transfer 'queuekey' from xqueue response header to the data.
# use the interface defined by 'handle_ajax' # This is required to use the interface defined by 'handle_ajax'
get.update({'queuekey': header['lms_key']}) data.update({'queuekey': header['lms_key']})
# We go through the "AJAX" path # We go through the "AJAX" path
# So far, the only dispatch from xqueue will be 'score_update' # So far, the only dispatch from xqueue will be 'score_update'
try: try:
# Can ignore the return value--not used for xqueue_callback # Can ignore the return value--not used for xqueue_callback
instance.handle_ajax(dispatch, get) instance.handle_ajax(dispatch, data)
except: except:
log.exception("error processing ajax call") log.exception("error processing ajax call")
raise raise
...@@ -464,23 +473,15 @@ def modx_dispatch(request, dispatch, location, course_id): ...@@ -464,23 +473,15 @@ def modx_dispatch(request, dispatch, location, course_id):
if not request.user.is_authenticated(): if not request.user.is_authenticated():
raise PermissionDenied raise PermissionDenied
# Check for submitted files and basic file size checks # Get the submitted data
p = request.POST.copy() data = request.POST.copy()
if request.FILES:
for fileinput_id in request.FILES.keys():
inputfiles = request.FILES.getlist(fileinput_id)
if len(inputfiles) > settings.MAX_FILEUPLOADS_PER_INPUT: # Get and check submitted files
too_many_files_msg = 'Submission aborted! Maximum %d files may be submitted at once' % \ files = request.FILES or {}
settings.MAX_FILEUPLOADS_PER_INPUT error_msg = _check_files_limits(files)
return HttpResponse(json.dumps({'success': too_many_files_msg})) if error_msg:
return HttpResponse(json.dumps({'success': error_msg}))
for inputfile in inputfiles: data.update(files) # Merge files into data dictionary
if inputfile.size > settings.STUDENT_FILEUPLOAD_MAX_SIZE: # Bytes
file_too_big_msg = 'Submission aborted! Your file "%s" is too large (max size: %d MB)' % \
(inputfile.name, settings.STUDENT_FILEUPLOAD_MAX_SIZE / (1000 ** 2))
return HttpResponse(json.dumps({'success': file_too_big_msg}))
p[fileinput_id] = inputfiles
try: try:
descriptor = modulestore().get_instance(course_id, location) descriptor = modulestore().get_instance(course_id, location)
...@@ -493,8 +494,11 @@ def modx_dispatch(request, dispatch, location, course_id): ...@@ -493,8 +494,11 @@ def modx_dispatch(request, dispatch, location, course_id):
) )
raise Http404 raise Http404
model_data_cache = ModelDataCache.cache_for_descriptor_descendents(course_id, model_data_cache = ModelDataCache.cache_for_descriptor_descendents(
request.user, descriptor) course_id,
request.user,
descriptor
)
instance = get_module(request.user, request, location, model_data_cache, course_id, grade_bucket_type='ajax') instance = get_module(request.user, request, location, model_data_cache, course_id, grade_bucket_type='ajax')
if instance is None: if instance is None:
...@@ -505,7 +509,7 @@ def modx_dispatch(request, dispatch, location, course_id): ...@@ -505,7 +509,7 @@ def modx_dispatch(request, dispatch, location, course_id):
# Let the module handle the AJAX # Let the module handle the AJAX
try: try:
ajax_return = instance.handle_ajax(dispatch, p) ajax_return = instance.handle_ajax(dispatch, data)
# If we can't find the module, respond with a 404 # If we can't find the module, respond with a 404
except NotFoundError: except NotFoundError:
...@@ -527,7 +531,6 @@ def modx_dispatch(request, dispatch, location, course_id): ...@@ -527,7 +531,6 @@ def modx_dispatch(request, dispatch, location, course_id):
return HttpResponse(ajax_return) return HttpResponse(ajax_return)
def get_score_bucket(grade, max_grade): def get_score_bucket(grade, max_grade):
""" """
Function to split arbitrary score ranges into 3 buckets. Function to split arbitrary score ranges into 3 buckets.
...@@ -540,3 +543,30 @@ def get_score_bucket(grade, max_grade): ...@@ -540,3 +543,30 @@ def get_score_bucket(grade, max_grade):
score_bucket = "correct" score_bucket = "correct"
return score_bucket return score_bucket
def _check_files_limits(files):
"""
Check if the files in a request are under the limits defined by
`settings.MAX_FILEUPLOADS_PER_INPUT` and
`settings.STUDENT_FILEUPLOAD_MAX_SIZE`.
Returns None if files are correct or an error messages otherwise.
"""
for fileinput_id in files.keys():
inputfiles = files.getlist(fileinput_id)
# Check number of files submitted
if len(inputfiles) > settings.MAX_FILEUPLOADS_PER_INPUT:
msg = 'Submission aborted! Maximum %d files may be submitted at once' %\
settings.MAX_FILEUPLOADS_PER_INPUT
return msg
# Check file sizes
for inputfile in inputfiles:
if inputfile.size > settings.STUDENT_FILEUPLOAD_MAX_SIZE: # Bytes
msg = 'Submission aborted! Your file "%s" is too large (max size: %d MB)' %\
(inputfile.name, settings.STUDENT_FILEUPLOAD_MAX_SIZE / (1000 ** 2))
return msg
return None
# -*- coding: utf-8 -*-
from django.test import TestCase
from django.http import Http404
from courseware.courses import get_course_by_id
class CoursesTest(TestCase):
def test_get_course_by_id_invalid_chars(self):
"""
Test that `get_course_by_id` throws a 404, rather than
an exception, when faced with unexpected characters
(such as unicode characters, and symbols such as = and ' ')
"""
with self.assertRaises(Http404):
get_course_by_id('MITx/foobar/statistics=introduction')
get_course_by_id('MITx/foobar/business and management')
get_course_by_id('MITx/foobar/NiñøJoséMaríáßç')
import logging import logging
from django.conf import settings
from django.test.utils import override_settings from django.test.utils import override_settings
from django.test.client import Client from django.test.client import Client
from django.contrib.auth.models import User from django.contrib.auth.models import User
...@@ -21,16 +20,13 @@ log = logging.getLogger(__name__) ...@@ -21,16 +20,13 @@ log = logging.getLogger(__name__)
@override_settings(MODULESTORE=TEST_DATA_MONGO_MODULESTORE) @override_settings(MODULESTORE=TEST_DATA_MONGO_MODULESTORE)
@patch('comment_client.utils.requests.request') @patch('comment_client.utils.requests.request')
class ViewsTestCase(UrlResetMixin, ModuleStoreTestCase): class ViewsTestCase(UrlResetMixin, ModuleStoreTestCase):
@patch.dict("django.conf.settings.MITX_FEATURES", {"ENABLE_DISCUSSION_SERVICE": True})
def setUp(self): def setUp(self):
# This feature affects the contents of urls.py, so we change # Patching the ENABLE_DISCUSSION_SERVICE value affects the contents of urls.py,
# it before the call to super.setUp() which reloads urls.py (because # so we need to call super.setUp() which reloads urls.py (because
# of the UrlResetMixin) # of the UrlResetMixin)
# This setting is cleaned up at the end of the test by @override_settings, which
# restores all of the old settings
settings.MITX_FEATURES['ENABLE_DISCUSSION_SERVICE'] = True
super(ViewsTestCase, self).setUp() super(ViewsTestCase, self).setUp()
# create a course # create a course
......
...@@ -2,8 +2,6 @@ import hashlib ...@@ -2,8 +2,6 @@ import hashlib
import json import json
import logging import logging
from django.db import transaction
from celery.result import AsyncResult from celery.result import AsyncResult
from celery.states import READY_STATES, SUCCESS, FAILURE, REVOKED from celery.states import READY_STATES, SUCCESS, FAILURE, REVOKED
...@@ -30,7 +28,6 @@ def _task_is_running(course_id, task_type, task_key): ...@@ -30,7 +28,6 @@ def _task_is_running(course_id, task_type, task_key):
return len(runningTasks) > 0 return len(runningTasks) > 0
@transaction.autocommit
def _reserve_task(course_id, task_type, task_key, task_input, requester): def _reserve_task(course_id, task_type, task_key, task_input, requester):
""" """
Creates a database entry to indicate that a task is in progress. Creates a database entry to indicate that a task is in progress.
...@@ -39,9 +36,9 @@ def _reserve_task(course_id, task_type, task_key, task_input, requester): ...@@ -39,9 +36,9 @@ def _reserve_task(course_id, task_type, task_key, task_input, requester):
Includes the creation of an arbitrary value for task_id, to be Includes the creation of an arbitrary value for task_id, to be
submitted with the task call to celery. submitted with the task call to celery.
Autocommit annotation makes sure the database entry is committed. The InstructorTask.create method makes sure the InstructorTask entry is committed.
When called from any view that is wrapped by TransactionMiddleware, When called from any view that is wrapped by TransactionMiddleware,
and thus in a "commit-on-success" transaction, this autocommit here and thus in a "commit-on-success" transaction, an autocommit buried within here
will cause any pending transaction to be committed by a successful will cause any pending transaction to be committed by a successful
save here. Any future database operations will take place in a save here. Any future database operations will take place in a
separate transaction. separate transaction.
......
...@@ -72,6 +72,16 @@ class InstructorTask(models.Model): ...@@ -72,6 +72,16 @@ class InstructorTask(models.Model):
@classmethod @classmethod
def create(cls, course_id, task_type, task_key, task_input, requester): def create(cls, course_id, task_type, task_key, task_input, requester):
"""
Create an instance of InstructorTask.
The InstructorTask.save_now method makes sure the InstructorTask entry is committed.
When called from any view that is wrapped by TransactionMiddleware,
and thus in a "commit-on-success" transaction, an autocommit buried within here
will cause any pending transaction to be committed by a successful
save here. Any future database operations will take place in a
separate transaction.
"""
# create the task_id here, and pass it into celery: # create the task_id here, and pass it into celery:
task_id = str(uuid4()) task_id = str(uuid4())
...@@ -99,7 +109,16 @@ class InstructorTask(models.Model): ...@@ -99,7 +109,16 @@ class InstructorTask(models.Model):
@transaction.autocommit @transaction.autocommit
def save_now(self): def save_now(self):
"""Writes InstructorTask immediately, ensuring the transaction is committed.""" """
Writes InstructorTask immediately, ensuring the transaction is committed.
Autocommit annotation makes sure the database entry is committed.
When called from any view that is wrapped by TransactionMiddleware,
and thus in a "commit-on-success" transaction, this autocommit here
will cause any pending transaction to be committed by a successful
save here. Any future database operations will take place in a
separate transaction.
"""
self.save() self.save()
@staticmethod @staticmethod
......
...@@ -22,7 +22,7 @@ from instructor_task.tests.test_base import (InstructorTaskTestCase, ...@@ -22,7 +22,7 @@ from instructor_task.tests.test_base import (InstructorTaskTestCase,
class InstructorTaskReportTest(InstructorTaskTestCase): class InstructorTaskReportTest(InstructorTaskTestCase):
""" """
Tests API and view methods that involve the reporting of status for background tasks. Tests API methods that involve the reporting of status for background tasks.
""" """
def test_get_running_instructor_tasks(self): def test_get_running_instructor_tasks(self):
......
""" """
Integration Tests for LMS instructor-initiated background tasks Integration Tests for LMS instructor-initiated background tasks.
Runs tasks on answers to course problems to validate that code Runs tasks on answers to course problems to validate that code
paths actually work. paths actually work.
......
""" """
Unit tests for LMS instructor-initiated background tasks, Unit tests for LMS instructor-initiated background tasks.
Runs tasks on answers to course problems to validate that code Runs tasks on answers to course problems to validate that code
paths actually work. paths actually work.
...@@ -7,6 +7,7 @@ paths actually work. ...@@ -7,6 +7,7 @@ paths actually work.
""" """
import json import json
from uuid import uuid4 from uuid import uuid4
from unittest import skip
from mock import Mock, patch from mock import Mock, patch
...@@ -62,6 +63,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -62,6 +63,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
} }
def _run_task_with_mock_celery(self, task_function, entry_id, task_id, expected_failure_message=None): def _run_task_with_mock_celery(self, task_function, entry_id, task_id, expected_failure_message=None):
"""Submit a task and mock how celery provides a current_task."""
self.current_task = Mock() self.current_task = Mock()
self.current_task.request = Mock() self.current_task.request = Mock()
self.current_task.request.id = task_id self.current_task.request.id = task_id
...@@ -73,7 +75,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -73,7 +75,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
return task_function(entry_id, self._get_xmodule_instance_args()) return task_function(entry_id, self._get_xmodule_instance_args())
def _test_missing_current_task(self, task_function): def _test_missing_current_task(self, task_function):
# run without (mock) Celery running """Check that a task_function fails when celery doesn't provide a current_task."""
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
with self.assertRaises(UpdateProblemModuleStateError): with self.assertRaises(UpdateProblemModuleStateError):
task_function(task_entry.id, self._get_xmodule_instance_args()) task_function(task_entry.id, self._get_xmodule_instance_args())
...@@ -88,7 +90,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -88,7 +90,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self._test_missing_current_task(delete_problem_state) self._test_missing_current_task(delete_problem_state)
def _test_undefined_problem(self, task_function): def _test_undefined_problem(self, task_function):
# run with celery, but no problem defined """Run with celery, but no problem defined."""
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
with self.assertRaises(ItemNotFoundError): with self.assertRaises(ItemNotFoundError):
self._run_task_with_mock_celery(task_function, task_entry.id, task_entry.task_id) self._run_task_with_mock_celery(task_function, task_entry.id, task_entry.task_id)
...@@ -103,7 +105,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -103,7 +105,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self._test_undefined_problem(delete_problem_state) self._test_undefined_problem(delete_problem_state)
def _test_run_with_task(self, task_function, action_name, expected_num_updated): def _test_run_with_task(self, task_function, action_name, expected_num_updated):
# run with some StudentModules for the problem """Run a task and check the number of StudentModules processed."""
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
status = self._run_task_with_mock_celery(task_function, task_entry.id, task_entry.task_id) status = self._run_task_with_mock_celery(task_function, task_entry.id, task_entry.task_id)
# check return value # check return value
...@@ -118,7 +120,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -118,7 +120,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self.assertEquals(entry.task_state, SUCCESS) self.assertEquals(entry.task_state, SUCCESS)
def _test_run_with_no_state(self, task_function, action_name): def _test_run_with_no_state(self, task_function, action_name):
# run with no StudentModules for the problem """Run with no StudentModules defined for the current problem."""
self.define_option_problem(PROBLEM_URL_NAME) self.define_option_problem(PROBLEM_URL_NAME)
self._test_run_with_task(task_function, action_name, 0) self._test_run_with_task(task_function, action_name, 0)
...@@ -185,7 +187,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -185,7 +187,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
module_state_key=self.problem_url) module_state_key=self.problem_url)
def _test_reset_with_student(self, use_email): def _test_reset_with_student(self, use_email):
# run with some StudentModules for the problem """Run a reset task for one student, with several StudentModules for the problem defined."""
num_students = 10 num_students = 10
initial_attempts = 3 initial_attempts = 3
input_state = json.dumps({'attempts': initial_attempts}) input_state = json.dumps({'attempts': initial_attempts})
...@@ -233,8 +235,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -233,8 +235,7 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self._test_reset_with_student(True) self._test_reset_with_student(True)
def _test_run_with_failure(self, task_function, expected_message): def _test_run_with_failure(self, task_function, expected_message):
# run with no StudentModules for the problem, """Run a task and trigger an artificial failure with give message."""
# because we will fail before entering the loop.
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
self.define_option_problem(PROBLEM_URL_NAME) self.define_option_problem(PROBLEM_URL_NAME)
with self.assertRaises(TestTaskFailure): with self.assertRaises(TestTaskFailure):
...@@ -256,8 +257,10 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -256,8 +257,10 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self._test_run_with_failure(delete_problem_state, 'We expected this to fail') self._test_run_with_failure(delete_problem_state, 'We expected this to fail')
def _test_run_with_long_error_msg(self, task_function): def _test_run_with_long_error_msg(self, task_function):
# run with an error message that is so long it will require """
# truncation (as well as the jettisoning of the traceback). Run with an error message that is so long it will require
truncation (as well as the jettisoning of the traceback).
"""
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
self.define_option_problem(PROBLEM_URL_NAME) self.define_option_problem(PROBLEM_URL_NAME)
expected_message = "x" * 1500 expected_message = "x" * 1500
...@@ -282,9 +285,11 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -282,9 +285,11 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self._test_run_with_long_error_msg(delete_problem_state) self._test_run_with_long_error_msg(delete_problem_state)
def _test_run_with_short_error_msg(self, task_function): def _test_run_with_short_error_msg(self, task_function):
# run with an error message that is short enough to fit """
# in the output, but long enough that the traceback won't. Run with an error message that is short enough to fit
# Confirm that the traceback is truncated. in the output, but long enough that the traceback won't.
Confirm that the traceback is truncated.
"""
task_entry = self._create_input_entry() task_entry = self._create_input_entry()
self.define_option_problem(PROBLEM_URL_NAME) self.define_option_problem(PROBLEM_URL_NAME)
expected_message = "x" * 900 expected_message = "x" * 900
...@@ -330,3 +335,43 @@ class TestInstructorTasks(InstructorTaskModuleTestCase): ...@@ -330,3 +335,43 @@ class TestInstructorTasks(InstructorTaskModuleTestCase):
self.assertEquals(output['exception'], 'ValueError') self.assertEquals(output['exception'], 'ValueError')
self.assertTrue("Length of task output is too long" in output['message']) self.assertTrue("Length of task output is too long" in output['message'])
self.assertTrue('traceback' not in output) self.assertTrue('traceback' not in output)
@skip
def test_rescoring_unrescorable(self):
# TODO: this test needs to have Mako templates initialized
# to make sure that the creation of an XModule works.
input_state = json.dumps({'done': True})
num_students = 1
self._create_students_with_state(num_students, input_state)
task_entry = self._create_input_entry()
with self.assertRaises(UpdateProblemModuleStateError):
self._run_task_with_mock_celery(rescore_problem, task_entry.id, task_entry.task_id)
# check values stored in table:
entry = InstructorTask.objects.get(id=task_entry.id)
output = json.loads(entry.task_output)
self.assertEquals(output['exception'], "UpdateProblemModuleStateError")
self.assertEquals(output['message'], "Specified problem does not support rescoring.")
self.assertGreater(len(output['traceback']), 0)
@skip
def test_rescoring_success(self):
# TODO: this test needs to have Mako templates initialized
# to make sure that the creation of an XModule works.
input_state = json.dumps({'done': True})
num_students = 10
self._create_students_with_state(num_students, input_state)
task_entry = self._create_input_entry()
mock_instance = Mock()
mock_instance.rescore_problem = Mock({'success': 'correct'})
# TODO: figure out why this mock is not working....
with patch('courseware.module_render.get_module_for_descriptor_internal') as mock_get_module:
mock_get_module.return_value = mock_instance
self._run_task_with_mock_celery(rescore_problem, task_entry.id, task_entry.task_id)
# check return value
entry = InstructorTask.objects.get(id=task_entry.id)
output = json.loads(entry.task_output)
self.assertEquals(output.get('attempted'), num_students)
self.assertEquals(output.get('updated'), num_students)
self.assertEquals(output.get('total'), num_students)
self.assertEquals(output.get('action_name'), 'rescored')
self.assertGreater('duration_ms', 0)
""" """
Test for LMS instructor background task queue management Test for LMS instructor background task views.
""" """
import json import json
from celery.states import SUCCESS, FAILURE, REVOKED, PENDING from celery.states import SUCCESS, FAILURE, REVOKED, PENDING
...@@ -18,7 +18,7 @@ from instructor_task.views import instructor_task_status, get_task_completion_in ...@@ -18,7 +18,7 @@ from instructor_task.views import instructor_task_status, get_task_completion_in
class InstructorTaskReportTest(InstructorTaskTestCase): class InstructorTaskReportTest(InstructorTaskTestCase):
""" """
Tests API and view methods that involve the reporting of status for background tasks. Tests view methods that involve the reporting of status for background tasks.
""" """
def _get_instructor_task_status(self, task_id): def _get_instructor_task_status(self, task_id):
...@@ -263,4 +263,3 @@ class InstructorTaskReportTest(InstructorTaskTestCase): ...@@ -263,4 +263,3 @@ class InstructorTaskReportTest(InstructorTaskTestCase):
succeeded, message = get_task_completion_info(instructor_task) succeeded, message = get_task_completion_info(instructor_task)
self.assertFalse(succeeded) self.assertFalse(succeeded)
self.assertEquals(message, "Problem rescored for 2 of 3 students (out of 5)") self.assertEquals(message, "Problem rescored for 2 of 3 students (out of 5)")
...@@ -24,7 +24,7 @@ modulestore_options = { ...@@ -24,7 +24,7 @@ modulestore_options = {
'db': 'test_xmodule', 'db': 'test_xmodule',
'collection': 'acceptance_modulestore', 'collection': 'acceptance_modulestore',
'fs_root': TEST_ROOT / "data", 'fs_root': TEST_ROOT / "data",
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
MODULESTORE = { MODULESTORE = {
......
...@@ -21,7 +21,7 @@ modulestore_options = { ...@@ -21,7 +21,7 @@ modulestore_options = {
'db': 'xmodule', 'db': 'xmodule',
'collection': 'modulestore', 'collection': 'modulestore',
'fs_root': DATA_DIR, 'fs_root': DATA_DIR,
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
MODULESTORE = { MODULESTORE = {
......
...@@ -19,7 +19,7 @@ MODULESTORE = { ...@@ -19,7 +19,7 @@ MODULESTORE = {
'db': 'xmodule', 'db': 'xmodule',
'collection': 'modulestore', 'collection': 'modulestore',
'fs_root': GITHUB_REPO_ROOT, 'fs_root': GITHUB_REPO_ROOT,
'render_template': 'mitxmako.shortcuts.render_to_string' 'render_template': 'mitxmako.shortcuts.render_to_string',
} }
} }
} }
...@@ -249,7 +249,7 @@ function goto( mode) ...@@ -249,7 +249,7 @@ function goto( mode)
<p> <p>
Then select an action: Then select an action:
<input type="submit" name="action" value="Reset student's attempts"> <input type="submit" name="action" value="Reset student's attempts">
%if settings.MITX_FEATURES.get('ENABLE_COURSE_BACKGROUND_TASKS'): %if settings.MITX_FEATURES.get('ENABLE_INSTRUCTOR_BACKGROUND_TASKS'):
<input type="submit" name="action" value="Rescore student's problem submission"> <input type="submit" name="action" value="Rescore student's problem submission">
%endif %endif
</p> </p>
...@@ -260,9 +260,9 @@ function goto( mode) ...@@ -260,9 +260,9 @@ function goto( mode)
<input type="submit" name="action" value="Delete student state for module"> <input type="submit" name="action" value="Delete student state for module">
</p> </p>
%endif %endif
%if settings.MITX_FEATURES.get('ENABLE_COURSE_BACKGROUND_TASKS'): %if settings.MITX_FEATURES.get('ENABLE_INSTRUCTOR_BACKGROUND_TASKS'):
<p>Rescoring runs in the background, and status for active tasks will appear in a table below. <p>Rescoring runs in the background, and status for active tasks will appear in a table below.
To see status for all tasks submitted for this course and student, click on this button: To see status for all tasks submitted for this problem and student, click on this button:
</p> </p>
<p> <p>
<input type="submit" name="action" value="Show Background Task History for Student"> <input type="submit" name="action" value="Show Background Task History for Student">
...@@ -382,6 +382,8 @@ function goto( mode) ...@@ -382,6 +382,8 @@ function goto( mode)
<p>Enroll or un-enroll one or many students: enter emails, separated by new lines or commas;</p> <p>Enroll or un-enroll one or many students: enter emails, separated by new lines or commas;</p>
<textarea rows="6" cols="70" name="multiple_students"></textarea> <textarea rows="6" cols="70" name="multiple_students"></textarea>
<p> <p>
<input type="checkbox" name="email_students"> Notify students by email
<p>
<input type="checkbox" name="auto_enroll"> Auto-enroll students when they activate <input type="checkbox" name="auto_enroll"> Auto-enroll students when they activate
<input type="submit" name="action" value="Enroll multiple students"> <input type="submit" name="action" value="Enroll multiple students">
<p> <p>
......
Dear student,
You have been invited to join ${course_id} at ${site_name} by a member of the course staff.
To finish your registration, please visit ${registration_url} and fill out the registration form.
% if auto_enroll:
Once you have registered and activated your account, you will see ${course_id} listed on your dashboard.
% else:
Once you have registered and activated your account, visit ${course_url} to join the course.
% endif
----
This email was automatically sent from ${site_name} to ${email_address}
\ No newline at end of file
You have been invited to register for ${course_id}
\ No newline at end of file
Dear ${first_name} ${last_name}
You have been enrolled in ${course_id} at ${site_name} by a member of the course staff. The course should now appear on your ${site_name} dashboard.
To start accessing course materials, please visit ${course_url}
----
This email was automatically sent from ${site_name} to ${first_name} ${last_name}
\ No newline at end of file
You have been enrolled in ${course_id}
\ No newline at end of file
Dear Student,
You have been un-enrolled from course ${course_id} by a member of the course staff. Please disregard the invitation previously sent.
----
This email was automatically sent from ${site_name} to ${email_address}
\ No newline at end of file
Dear ${first_name} ${last_name}
You have been un-enrolled in ${course_id} at ${site_name} by a member of the course staff. The course will no longer appear on your ${site_name} dashboard.
Your other courses have not been affected.
----
This email was automatically sent from ${site_name} to ${first_name} ${last_name}
\ No newline at end of file
You have been un-enrolled from ${course_id}
\ No newline at end of file
...@@ -21,17 +21,17 @@ ...@@ -21,17 +21,17 @@
<title>Home | class.stanford.edu</title> <title>Home | class.stanford.edu</title>
% else: % else:
<title>edX</title> <title>edX</title>
<script type="text/javascript">
/* immediately break out of an iframe if coming from the marketing website */
(function(window) {
if (window.location !== window.top.location) {
window.top.location = window.location;
}
})(this);
</script>
% endif % endif
</%block> </%block>
<script type="text/javascript">
/* immediately break out of an iframe if coming
from the marketing website */
(function(window) {
if (window.location !== window.top.location) {
window.top.location = window.location;
}
})(this);
</script>
<link rel="icon" type="image/x-icon" href="${static.url(settings.FAVICON_PATH)}" /> <link rel="icon" type="image/x-icon" href="${static.url(settings.FAVICON_PATH)}" />
......
...@@ -3,7 +3,7 @@ ...@@ -3,7 +3,7 @@
{% trans "Please go to the following page and choose a new password:" %} {% trans "Please go to the following page and choose a new password:" %}
{% block reset_link %} {% block reset_link %}
https://{{domain}}{% url 'django.contrib.auth.views.password_reset_confirm' uidb36=uid token=token %} https://{{domain}}{% url 'student.views.password_reset_confirm_wrapper' uidb36=uid token=token %}
{% endblock %} {% endblock %}
If you didn't request this change, you can disregard this email - we have not yet reset your password. If you didn't request this change, you can disregard this email - we have not yet reset your password.
......
...@@ -51,7 +51,7 @@ urlpatterns = ('', # nopep8 ...@@ -51,7 +51,7 @@ urlpatterns = ('', # nopep8
url(r'^password_change_done/$', django.contrib.auth.views.password_change_done, url(r'^password_change_done/$', django.contrib.auth.views.password_change_done,
name='auth_password_change_done'), name='auth_password_change_done'),
url(r'^password_reset_confirm/(?P<uidb36>[0-9A-Za-z]+)-(?P<token>.+)/$', url(r'^password_reset_confirm/(?P<uidb36>[0-9A-Za-z]+)-(?P<token>.+)/$',
django.contrib.auth.views.password_reset_confirm, 'student.views.password_reset_confirm_wrapper',
name='auth_password_reset_confirm'), name='auth_password_reset_confirm'),
url(r'^password_reset_complete/$', django.contrib.auth.views.password_reset_complete, url(r'^password_reset_complete/$', django.contrib.auth.views.password_reset_complete,
name='auth_password_reset_complete'), name='auth_password_reset_complete'),
...@@ -188,7 +188,7 @@ if settings.COURSEWARE_ENABLED: ...@@ -188,7 +188,7 @@ if settings.COURSEWARE_ENABLED:
# into the database. # into the database.
url(r'^software-licenses$', 'licenses.views.user_software_license', name="user_software_license"), url(r'^software-licenses$', 'licenses.views.user_software_license', name="user_software_license"),
url(r'^courses/(?P<course_id>[^/]+/[^/]+/[^/]+)/xqueue/(?P<userid>[^/]*)/(?P<id>.*?)/(?P<dispatch>[^/]*)$', url(r'^courses/(?P<course_id>[^/]+/[^/]+/[^/]+)/xqueue/(?P<userid>[^/]*)/(?P<mod_id>.*?)/(?P<dispatch>[^/]*)$',
'courseware.module_render.xqueue_callback', 'courseware.module_render.xqueue_callback',
name='xqueue_callback'), name='xqueue_callback'),
url(r'^change_setting$', 'student.views.change_setting', url(r'^change_setting$', 'student.views.change_setting',
...@@ -438,5 +438,3 @@ if settings.DEBUG: ...@@ -438,5 +438,3 @@ if settings.DEBUG:
#Custom error pages #Custom error pages
handler404 = 'static_template_view.views.render_404' handler404 = 'static_template_view.views.render_404'
handler500 = 'static_template_view.views.render_500' handler500 = 'static_template_view.views.render_500'
...@@ -16,7 +16,7 @@ def run_tests(system, report_dir, test_id=nil, stop_on_failure=true) ...@@ -16,7 +16,7 @@ def run_tests(system, report_dir, test_id=nil, stop_on_failure=true)
ENV['NOSE_XUNIT_FILE'] = File.join(report_dir, "nosetests.xml") ENV['NOSE_XUNIT_FILE'] = File.join(report_dir, "nosetests.xml")
dirs = Dir["common/djangoapps/*"] + Dir["#{system}/djangoapps/*"] dirs = Dir["common/djangoapps/*"] + Dir["#{system}/djangoapps/*"]
test_id = dirs.join(' ') if test_id.nil? or test_id == '' test_id = dirs.join(' ') if test_id.nil? or test_id == ''
cmd = django_admin(system, :test, 'test', '--logging-clear-handlers', test_id) cmd = django_admin(system, :test, 'test', '--logging-clear-handlers', '--liveserver=localhost:8000-9000', test_id)
test_sh(run_under_coverage(cmd, system)) test_sh(run_under_coverage(cmd, system))
end end
......
...@@ -10,4 +10,4 @@ ...@@ -10,4 +10,4 @@
# Our libraries: # Our libraries:
-e git+https://github.com/edx/XBlock.git@4d8735e883#egg=XBlock -e git+https://github.com/edx/XBlock.git@4d8735e883#egg=XBlock
-e git+https://github.com/edx/codejail.git@0a1b468#egg=codejail -e git+https://github.com/edx/codejail.git@0a1b468#egg=codejail
-e git+https://github.com/edx/diff-cover.git@v0.1.2#egg=diff_cover -e git+https://github.com/edx/diff-cover.git@v0.1.3#egg=diff_cover
...@@ -98,19 +98,23 @@ clone_repos() { ...@@ -98,19 +98,23 @@ clone_repos() {
set_base_default() { # if PROJECT_HOME not set set_base_default() { # if PROJECT_HOME not set
# 2 possibilities: this is from cloned repo, or not # 2 possibilities: this is from cloned repo, or not
# this script is in "./scripts" if a git clone
this_repo=$(cd "${BASH_SOURCE%/*}/.." && pwd) # See if remote's url is named edx-platform (this works for forks too, but
if [[ "${this_repo##*/}" = "edx-platform" && -d "$this_repo/.git" ]]; then # not if the name was changed).
# set BASE one-up from this_repo; cd "$( dirname "${BASH_SOURCE[0]}" )"
echo "${this_repo%/*}" this_repo=$(basename $(git ls-remote --get-url 2>/dev/null) 2>/dev/null) ||
echo -n ""
if [[ "x$this_repo" = "xedx-platform.git" ]]; then
# We are in the edx repo and already have git installed. Let git do the
# work of finding base dir:
echo "$(dirname $(git rev-parse --show-toplevel))"
else else
echo "$HOME/edx_all" echo "$HOME/edx_all"
fi fi
} }
### START ### START
PROG=${0##*/} PROG=${0##*/}
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment