""" Django module container for classes and operations related to the "Course Block" content type """ import json import logging from datetime import datetime, timedelta from zoneinfo import ZoneInfo import dateutil.parser import requests from django.conf import settings from django.core.validators import validate_email from edx_toggles.toggles import SettingToggle from lazy import lazy from lxml import etree from path import Path as path from xblock.fields import Boolean, Date, Dict, Float, Integer, List, Scope, String from openedx.core.djangoapps.video_pipeline.models import VideoUploadsEnabledByDefault from openedx.core.djangoapps.video_config.sharing import ( COURSE_VIDEO_SHARING_ALL_VIDEOS, COURSE_VIDEO_SHARING_NONE, COURSE_VIDEO_SHARING_PER_VIDEO, ) from openedx.core.lib.license import LicenseMixin from openedx.core.lib.teams_config import TeamsConfig # lint-amnesty, pylint: disable=unused-import from xmodule import course_metadata_utils from xmodule.course_metadata_utils import DEFAULT_GRADING_POLICY, DEFAULT_START_DATE from xmodule.data import CertificatesDisplayBehaviors from xmodule.graders import grader_from_conf from xmodule.seq_block import SequenceBlock from xmodule.tabs import CourseTabList, InvalidTabsException from .modulestore.exceptions import InvalidProctoringProvider log = logging.getLogger(__name__) # Make '_' a no-op so we can scrape strings. Using lambda instead of # `django.utils.translation.ugettext_noop` because Django cannot be imported in this file _ = lambda text: text CATALOG_VISIBILITY_CATALOG_AND_ABOUT = "both" CATALOG_VISIBILITY_ABOUT = "about" CATALOG_VISIBILITY_NONE = "none" DEFAULT_COURSE_VISIBILITY_IN_CATALOG = getattr( settings, 'DEFAULT_COURSE_VISIBILITY_IN_CATALOG', 'both' ) DEFAULT_MOBILE_AVAILABLE = getattr(settings, 'DEFAULT_MOBILE_AVAILABLE', False) # Note: updating assets does not have settings defined, so using `getattr`. EXAM_SETTINGS_HTML_VIEW_ENABLED = getattr(settings, 'FEATURES', {}).get('ENABLE_EXAM_SETTINGS_HTML_VIEW', False) SPECIAL_EXAMS_ENABLED = getattr(settings, 'FEATURES', {}).get('ENABLE_SPECIAL_EXAMS', False) COURSE_VISIBILITY_PRIVATE = 'private' COURSE_VISIBILITY_PUBLIC_OUTLINE = 'public_outline' COURSE_VISIBILITY_PUBLIC = 'public' # .. toggle_name: CREATE_COURSE_WITH_DEFAULT_ENROLLMENT_START_DATE # .. toggle_implementation: SettingToggle # .. toggle_default: False # .. toggle_description: The default behavior, when this is disabled, is that a newly created course has no # enrollment_start date set. When the feature is enabled - the newly created courses will have the # enrollment_start_date set to DEFAULT_START_DATE. This is intended to be a permanent option. # This toggle affects the course listing pages (platform's index page, /courses page) when course search is # performed using the `lms.djangoapp.branding.get_visible_courses` method and the # COURSE_CATALOG_VISIBILITY_PERMISSION setting is set to 'see_exists'. Switching the toggle to True will prevent # the newly created (empty) course from appearing in the course listing. # .. toggle_use_cases: open_edx # .. toggle_creation_date: 2023-06-22 CREATE_COURSE_WITH_DEFAULT_ENROLLMENT_START_DATE = SettingToggle( "CREATE_COURSE_WITH_DEFAULT_ENROLLMENT_START_DATE", default=False, module_name=__name__ ) class StringOrDate(Date): # lint-amnesty, pylint: disable=missing-class-docstring def from_json(self, value): # lint-amnesty, pylint: disable=arguments-differ """ Parse an optional metadata key containing a time or a string: if present, assume it's a string if it doesn't parse. """ try: result = super().from_json(value) except ValueError: return value if result is None: return value else: return result def to_json(self, value): """ Convert a time struct or string to a string. """ try: result = super().to_json(value) except: # lint-amnesty, pylint: disable=bare-except return value if result is None: return value else: return result class EmailString(String): """ Parse String with email validation """ def from_json(self, value): if value: validate_email(value) return value else: return None edx_xml_parser = etree.XMLParser(dtd_validation=False, load_dtd=False, remove_comments=True, remove_blank_text=True) _cached_toc = {} class Textbook: # lint-amnesty, pylint: disable=missing-class-docstring def __init__(self, title, book_url): self.title = title self.book_url = book_url @lazy def start_page(self): return int(self.table_of_contents[0].attrib['page']) @lazy def end_page(self): # lint-amnesty, pylint: disable=missing-function-docstring # The last page should be the last element in the table of contents, # but it may be nested. So recurse all the way down the last element last_el = self.table_of_contents[-1] while last_el.getchildren(): last_el = last_el[-1] return int(last_el.attrib['page']) @lazy def table_of_contents(self): """ Accesses the textbook's table of contents (default name "toc.xml") at the URL self.book_url Returns XML tree representation of the table of contents """ toc_url = self.book_url + 'toc.xml' # cdodge: I've added this caching of TOC because in Mongo-backed instances (but not Filesystem stores) # course blocks have a very short lifespan and are constantly being created and torn down. # Since this module in the __init__() method does a synchronous call to AWS to get the TOC # this is causing a big performance problem. So let's be a bit smarter about this and cache # each fetch and store in-mem for 10 minutes. # NOTE: I have to get this onto sandbox ASAP as we're having runtime failures. I'd like to swing back and # rewrite to use the traditional Django in-memory cache. try: # see if we already fetched this if toc_url in _cached_toc: (table_of_contents, timestamp) = _cached_toc[toc_url] age = datetime.now(ZoneInfo("UTC")) - timestamp # expire every 10 minutes if age.seconds < 600: return table_of_contents except Exception as err: # lint-amnesty, pylint: disable=broad-except, unused-variable pass # Get the table of contents from S3 log.info("Retrieving textbook table of contents from %s", toc_url) try: r = requests.get(toc_url) except Exception as err: msg = f'Error {err}: Unable to retrieve textbook table of contents at {toc_url}' log.error(msg) raise Exception(msg) # lint-amnesty, pylint: disable=raise-missing-from # TOC is XML. Parse it try: table_of_contents = etree.fromstring(r.text) except Exception as err: msg = f'Error {err}: Unable to parse XML for textbook table of contents at {toc_url}' log.error(msg) raise Exception(msg) # lint-amnesty, pylint: disable=raise-missing-from return table_of_contents def __eq__(self, other): return (self.title == other.title and self.book_url == other.book_url) def __ne__(self, other): return not self == other class TextbookList(List): # lint-amnesty, pylint: disable=missing-class-docstring def from_json(self, values): # lint-amnesty, pylint: disable=arguments-differ textbooks = [] for title, book_url in values: try: textbooks.append(Textbook(title, book_url)) except: # lint-amnesty, pylint: disable=bare-except # If we can't get to S3 (e.g. on a train with no internet), don't break # the rest of the courseware. log.exception(f"Couldn't load textbook ({title}, {book_url})") continue return textbooks def to_json(self, values): # lint-amnesty, pylint: disable=arguments-differ json_data = [] for val in values: if isinstance(val, Textbook): json_data.append((val.title, val.book_url)) elif isinstance(val, tuple): json_data.append(val) else: continue return json_data class ProctoringProvider(String): """ ProctoringProvider field, which includes validation of the provider and default that pulls from edx platform settings. """ def from_json(self, value, validate_providers=False): """ Return ProctoringProvider as full featured Python type. Perform validation on the provider and include any inherited values from the platform default. """ value = super().from_json(value) if settings.FEATURES.get('ENABLE_PROCTORED_EXAMS'): # Only validate the provider value if ProctoredExams are enabled on the environment # Otherwise, the passed in provider does not matter. We should always return default if validate_providers: self._validate_proctoring_provider(value) value = self._get_proctoring_value(value) return value else: return self.default def _get_proctoring_value(self, value): """ Return a proctoring value that includes any inherited attributes from the platform defaults for the provider. """ # if provider is missing from the value, return the default if value is None: return self.default return value def _validate_proctoring_provider(self, value): """ Validate the value for the proctoring provider. If the proctoring provider value is specified, and it is not one of the providers configured at the platform level, return a list of error messages to the caller. """ available_providers = get_available_providers() if value is not None and value not in available_providers: raise InvalidProctoringProvider(value, available_providers) @property def default(self): """ Return default value for ProctoringProvider. """ default = super().default proctoring_backend_settings = getattr(settings, 'PROCTORING_BACKENDS', None) if proctoring_backend_settings: return proctoring_backend_settings.get('DEFAULT', None) return default def get_available_providers() -> list[str]: """ Return list of available proctoring providers. """ proctoring_backend_settings = getattr( settings, 'PROCTORING_BACKENDS', {} ) available_providers = [provider for provider in proctoring_backend_settings if provider != 'DEFAULT'] available_providers.append('lti_external') available_providers.sort() return available_providers def get_requires_escalation_email_providers() -> list[str]: """ Return list of available proctoring providers that require an escalation email. """ requires_escalation_email_providers = [ provider for provider in settings.PROCTORING_BACKENDS if provider != "DEFAULT" and settings.PROCTORING_BACKENDS[provider].get( "requires_escalation_email", False ) ] # Add lti_external unconditionally since it always requires an escalation email requires_escalation_email_providers.append('lti_external') requires_escalation_email_providers.sort() return requires_escalation_email_providers class TeamsConfigField(Dict): """ XBlock field for teams configuration, including definitions for teamsets. Serializes to JSON dictionary. """ _default = TeamsConfig({}) def from_json(self, value): """ Return a TeamsConfig instance from a dict. """ return TeamsConfig(value) def to_json(self, value): """ Convert a TeamsConfig instance back to a dict. If we have the data that was used to build the TeamsConfig instance, return that instead of `value.cleaned_data`, thus preserving the data in the form that the user entered it. """ if value.source_data is not None: return value.source_data return value.cleaned_data class CourseFields: # lint-amnesty, pylint: disable=missing-class-docstring lti_passports = List( display_name=_("LTI Passports"), help=_('Enter the passports for course LTI tools in the following format: "id:client_key:client_secret".'), scope=Scope.settings ) textbooks = TextbookList( help=_("List of Textbook objects with (title, url) for textbooks used in this course"), default=[], scope=Scope.content ) wiki_slug = String(help=_("Slug that points to the wiki for this course"), scope=Scope.content) enrollment_start = Date( help=_("Date that enrollment for this class is opened"), default=DEFAULT_START_DATE if CREATE_COURSE_WITH_DEFAULT_ENROLLMENT_START_DATE.is_enabled() else None, scope=Scope.settings ) enrollment_end = Date(help=_("Date that enrollment for this class is closed"), scope=Scope.settings) start = Date( help=_("Start time when this block is visible"), default=DEFAULT_START_DATE, scope=Scope.settings ) end = Date(help=_("Date that this class ends"), scope=Scope.settings) certificate_available_date = Date( help=_("Date that certificates become available to learners"), scope=Scope.content ) cosmetic_display_price = Integer( display_name=_("Cosmetic Course Display Price"), help=_( "The cost displayed to students for enrolling in the course. If a paid course registration price is " "set by an administrator in the database, that price will be displayed instead of this one." ), default=0, scope=Scope.settings, ) advertised_start = String( display_name=_("Course Advertised Start"), help=_( "Enter the text that you want to use as the advertised starting time frame for the course, " "such as \"Winter 2018\". If you enter null for this value, the start date that you have set " "for this course is used." ), scope=Scope.settings ) pre_requisite_courses = List( display_name=_("Pre-Requisite Courses"), help=_("Pre-Requisite Course key if this course has a pre-requisite course"), scope=Scope.settings ) grading_policy = Dict( help=_("Grading policy definition for this class"), default=DEFAULT_GRADING_POLICY, scope=Scope.content ) show_calculator = Boolean( display_name=_("Show Calculator"), help=_("Enter true or false. When true, students can see the calculator in the course."), default=False, scope=Scope.settings ) display_name = String( help=_("Enter the name of the course as it should appear in the course list."), default="Empty", display_name=_("Course Display Name"), scope=Scope.settings, ) course_edit_method = String( display_name=_("Course Editor"), help=_('Enter the method by which this course is edited ("XML" or "Studio").'), default="Studio", scope=Scope.settings, deprecated=True # Deprecated because someone would not edit this value within Studio. ) tabs = CourseTabList(help="List of tabs to enable in this course", scope=Scope.settings, default=[]) end_of_course_survey_url = String( display_name=_("Course Survey URL"), help=_("Enter the URL for the end-of-course survey. If your course does not have a survey, enter null."), scope=Scope.settings, deprecated=True # We wish to remove this entirely, TNL-3399 ) discussion_blackouts = List( display_name=_("Discussion Blackout Dates"), help=_( 'Enter pairs of dates between which students cannot post to discussion forums. Inside the provided ' 'brackets, enter an additional set of square brackets surrounding each pair of dates you add. ' 'Format each pair of dates as ["YYYY-MM-DD", "YYYY-MM-DD"]. To specify times as well as dates, ' 'format each pair as ["YYYY-MM-DDTHH:MM", "YYYY-MM-DDTHH:MM"]. Be sure to include the "T" between ' 'the date and time. For example, an entry defining two blackout periods looks like this, including ' 'the outer pair of square brackets: [["2015-09-15", "2015-09-21"], ["2015-10-01", "2015-10-08"]] ' ), scope=Scope.settings ) discussion_topics = Dict( display_name=_("Discussion Topic Mapping"), help=_( 'Enter discussion categories in the following format: "CategoryName": ' '{"id": "i4x-InstitutionName-CourseNumber-course-CourseRun"}. For example, one discussion ' 'category may be "Lydian Mode": {"id": "i4x-UniversityX-MUS101-course-2015_T1"}. The "id" ' 'value for each category must be unique. In "id" values, the only special characters that are ' 'supported are underscore, hyphen, and period. You can also specify a category as the default ' 'for new posts in the Discussion page by setting its "default" attribute to true. For example, ' '"Lydian Mode": {"id": "i4x-UniversityX-MUS101-course-2015_T1", "default": true}.' ), scope=Scope.settings ) discussions_settings = Dict( display_name=_("Discussions Plugin Settings"), scope=Scope.settings, help=_("Settings for discussions plugins."), default={ "enable_in_context": True, "enable_graded_units": False, "unit_level_visibility": True, } ) announcement = Date( display_name=_("Course Announcement Date"), help=_("Enter the date to announce your course."), scope=Scope.settings ) cohort_config = Dict( display_name=_("Cohort Configuration"), help=_( "Enter policy keys and values to enable the cohort feature, define automated student assignment to " "groups, or identify any course-wide discussion topics as private to cohort members." ), scope=Scope.settings ) is_new = Boolean( display_name=_("Course Is New"), help=_( "Enter true or false. If true, the course appears in the list of new courses, and a New! " "badge temporarily appears next to the course image." ), scope=Scope.settings ) mobile_available = Boolean( display_name=_("Mobile Course Available"), help=_("Enter true or false. If true, the course will be available to mobile devices."), default=DEFAULT_MOBILE_AVAILABLE, scope=Scope.settings ) video_upload_pipeline = Dict( display_name=_("Video Upload Credentials"), help=_( "Enter the unique identifier for your course's video files provided by {platform_name}." ).format(platform_name=settings.PLATFORM_NAME), scope=Scope.settings ) no_grade = Boolean( display_name=_("Course Not Graded"), help=_("Enter true or false. If true, the course will not be graded."), default=False, scope=Scope.settings ) disable_progress_graph = Boolean( display_name=_("Disable Progress Graph"), help=_("Enter true or false. If true, students cannot view the progress graph."), default=False, scope=Scope.settings ) pdf_textbooks = List( display_name=_("PDF Textbooks"), help=_("List of dictionaries containing pdf_textbook configuration"), scope=Scope.settings ) html_textbooks = List( display_name=_("HTML Textbooks"), help=_( "For HTML textbooks that appear as separate tabs in the course, enter the name of the tab (usually " "the title of the book) as well as the URLs and titles of each chapter in the book." ), scope=Scope.settings ) remote_gradebook = Dict( display_name=_("Remote Gradebook"), help=_( "Enter the remote gradebook mapping. Only use this setting when " "REMOTE_GRADEBOOK_URL has been specified." ), scope=Scope.settings ) enable_ccx = Boolean( # Translators: Custom Courses for edX (CCX) is an edX feature for re-using course content. CCX Coach is # a role created by a course Instructor to enable a person (the "Coach") to manage the custom course for # his students. display_name=_("Enable CCX"), help=_( # Translators: Custom Courses for edX (CCX) is an edX feature for re-using course content. CCX Coach is # a role created by a course Instructor to enable a person (the "Coach") to manage the custom course for # his students. "Allow course instructors to assign CCX Coach roles, and allow coaches to manage " "Custom Courses on {platform_name}. When false, Custom Courses cannot be created, " "but existing Custom Courses will be preserved." ).format(platform_name=settings.PLATFORM_NAME), default=False, scope=Scope.settings ) ccx_connector = String( # Translators: Custom Courses for edX (CCX) is an edX feature for re-using course content. display_name=_("CCX Connector URL"), # Translators: Custom Courses for edX (CCX) is an edX feature for re-using course content. help=_( "URL for CCX Connector application for managing creation of CCXs. (optional)." " Ignored unless 'Enable CCX' is set to 'true'." ), scope=Scope.settings, default="" ) allow_anonymous = Boolean( display_name=_("Allow Anonymous Discussion Posts"), help=_("Enter true or false. If true, students can create discussion posts that are anonymous to all users."), scope=Scope.settings, default=True ) allow_anonymous_to_peers = Boolean( display_name=_("Allow Anonymous Discussion Posts to Peers"), help=_( "Enter true or false. If true, students can create discussion posts that are anonymous to other " "students. This setting does not make posts anonymous to course staff." ), scope=Scope.settings, default=False ) advanced_modules = List( display_name=_("Advanced Module List"), help=_("Enter the names of the advanced modules to use in your course."), scope=Scope.settings ) has_children = True show_timezone = Boolean( help=_( "True if timezones should be shown on dates in the course. " "Deprecated in favor of due_date_display_format." ), scope=Scope.settings, default=True ) due_date_display_format = String( display_name=_("Due Date Display Format"), help=_( "Enter the format for due dates. The default is Mon DD, YYYY. Enter \"%m-%d-%Y\" for MM-DD-YYYY, " "\"%d-%m-%Y\" for DD-MM-YYYY, \"%Y-%m-%d\" for YYYY-MM-DD, or \"%Y-%d-%m\" for YYYY-DD-MM." ), scope=Scope.settings, default=None ) enrollment_domain = String( display_name=_("External Login Domain"), help=_("Enter the external login method students can use for the course."), scope=Scope.settings ) certificates_show_before_end = Boolean( display_name=_("Certificates Downloadable Before End"), help=_( "Enter true or false. If true, students can download certificates before the course ends, if they've " "met certificate requirements." ), scope=Scope.settings, default=False, deprecated=True ) certificates_display_behavior = String( display_name=_("Certificates Display Behavior"), help=_( "This field, together with certificate_available_date will determine when a " "user can see their certificate for the course" ), scope=Scope.settings, default=CertificatesDisplayBehaviors.END.value, ) course_image = String( display_name=_("Course About Page Image"), help=_( "Edit the name of the course image file. You must upload this file on the Files & Uploads page. " "You can also set the course image on the Settings & Details page." ), scope=Scope.settings, # Ensure that courses imported from XML keep their image default="images_course_image.jpg", hide_on_enabled_publisher=True ) banner_image = String( display_name=_("Course Banner Image"), help=_( "Edit the name of the banner image file. " "You can set the banner image on the Settings & Details page." ), scope=Scope.settings, # Ensure that courses imported from XML keep their image default="images_course_image.jpg" ) video_thumbnail_image = String( display_name=_("Course Video Thumbnail Image"), help=_( "Edit the name of the video thumbnail image file. " "You can set the video thumbnail image on the Settings & Details page." ), scope=Scope.settings, # Ensure that courses imported from XML keep their image default="images_course_image.jpg" ) ## Course level Certificate Name overrides. cert_name_short = String( help=_( 'Use this setting only when generating PDF certificates. ' 'Between quotation marks, enter the short name of the type of certificate that ' 'students receive when they complete the course. For instance, "Certificate".' ), display_name=_("Certificate Name (Short)"), scope=Scope.settings, default="" ) cert_name_long = String( help=_( 'Use this setting only when generating PDF certificates. ' 'Between quotation marks, enter the long name of the type of certificate that students ' 'receive when they complete the course. For instance, "Certificate of Achievement".' ), display_name=_("Certificate Name (Long)"), scope=Scope.settings, default="" ) cert_html_view_enabled = Boolean( display_name=_("Certificate Web/HTML View Enabled"), help=_("If true, certificate Web/HTML views are enabled for the course."), scope=Scope.settings, default=True, deprecated=True ) cert_html_view_overrides = Dict( # Translators: This field is the container for course-specific certificate configuration values display_name=_("Certificate Web/HTML View Overrides"), # Translators: These overrides allow for an alternative configuration of the certificate web view help=_("Enter course-specific overrides for the Web/HTML template parameters here (JSON format)"), scope=Scope.settings, ) # Specific certificate information managed via Studio (should eventually fold other cert settings into this) certificates = Dict( # Translators: This field is the container for course-specific certificate configuration values display_name=_("Certificate Configuration"), # Translators: These overrides allow for an alternative configuration of the certificate web view help=_("Enter course-specific configuration information here (JSON format)"), scope=Scope.settings, ) # An extra property is used rather than the wiki_slug/number because # there are courses that change the number for different runs. This allows # courses to share the same css_class across runs even if they have # different numbers. # # TODO get rid of this as soon as possible or potentially build in a robust # way to add in course-specific styling. There needs to be a discussion # about the right way to do this, but arjun will address this ASAP. Also # note that the courseware template needs to change when this is removed. css_class = String( display_name=_("CSS Class for Course Reruns"), help=_("Allows courses to share the same css class across runs even if they have different numbers."), scope=Scope.settings, default="", deprecated=True ) # TODO: This is a quick kludge to allow CS50 (and other courses) to # specify their own discussion forums as external links by specifying a # "discussion_link" in their policy JSON file. This should later get # folded in with Syllabus, Course Info, and additional Custom tabs in a # more sensible framework later. discussion_link = String( display_name=_("Discussion Forum External Link"), help=_("Allows specification of an external link to replace discussion forums."), scope=Scope.settings, deprecated=True ) # TODO: same as above, intended to let internal CS50 hide the progress tab # until we get grade integration set up. # Explicit comparison to True because we always want to return a bool. hide_progress_tab = Boolean( display_name=_("Hide Progress Tab"), help=_("Allows hiding of the progress tab."), scope=Scope.settings, deprecated=True ) display_organization = String( display_name=_("Course Organization Display String"), help=_( "Enter the course organization that you want to appear in the course. This setting overrides the " "organization that you entered when you created the course. To use the organization that you entered " "when you created the course, enter null." ), scope=Scope.settings ) display_coursenumber = String( display_name=_("Course Number Display String"), help=_( "Enter the course number that you want to appear in the course. This setting overrides the course " "number that you entered when you created the course. To use the course number that you entered when " "you created the course, enter null." ), scope=Scope.settings, default="" ) max_student_enrollments_allowed = Integer( display_name=_("Course Maximum Student Enrollment"), help=_( "Enter the maximum number of students that can enroll in the course. To allow an unlimited number of " "students, enter null." ), scope=Scope.settings ) allow_public_wiki_access = Boolean( display_name=_("Allow Public Wiki Access"), help=_( "Enter true or false. If true, students can view the course wiki even " "if they're not enrolled in the course." ), default=False, scope=Scope.settings ) invitation_only = Boolean( display_name=_("Invitation Only"), help=_("Whether to restrict enrollment to invitation by the course staff."), default=False, scope=Scope.settings ) course_survey_name = String( display_name=_("Pre-Course Survey Name"), help=_("Name of SurveyForm to display as a pre-course survey to the user."), default=None, scope=Scope.settings, deprecated=True ) course_survey_required = Boolean( display_name=_("Pre-Course Survey Required"), help=_( "Specify whether students must complete a survey before they can view your course content. If you " "set this value to true, you must add a name for the survey to the Course Survey Name setting above." ), default=False, scope=Scope.settings, deprecated=True ) catalog_visibility = String( display_name=_("Course Visibility In Catalog"), help=_( # Translators: the quoted words 'both', 'about', and 'none' must be # left untranslated. Leave them as English words. "Defines the access permissions for showing the course in the course catalog. This can be set to one " "of three values: 'both' (show in catalog and allow access to about page), 'about' (only allow access " "to about page), 'none' (do not show in catalog and do not allow access to an about page)." ), default=DEFAULT_COURSE_VISIBILITY_IN_CATALOG, scope=Scope.settings, values=[ {"display_name": "Both", "value": CATALOG_VISIBILITY_CATALOG_AND_ABOUT}, {"display_name": "About", "value": CATALOG_VISIBILITY_ABOUT}, {"display_name": "None", "value": CATALOG_VISIBILITY_NONE}, ], ) entrance_exam_enabled = Boolean( display_name=_("Entrance Exam Enabled"), help=_( "Specify whether students must complete an entrance exam before they can view your course content. " "Note, you must enable Entrance Exams for this course setting to take effect." ), default=False, scope=Scope.settings, ) # Note: Although users enter the entrance exam minimum score # as a percentage value, it is internally converted and stored # as a decimal value less than 1. entrance_exam_minimum_score_pct = Float( display_name=_("Entrance Exam Minimum Score (%)"), help=_( "Specify a minimum percentage score for an entrance exam before students can view your course content. " "Note, you must enable Entrance Exams for this course setting to take effect." ), default=65, scope=Scope.settings, ) entrance_exam_id = String( display_name=_("Entrance Exam ID"), help=_("Content block identifier (location) of entrance exam."), default=None, scope=Scope.settings, ) social_sharing_url = String( display_name=_("Social Media Sharing URL"), help=_( "If dashboard social sharing and custom course URLs are enabled, you can provide a URL " "(such as the URL to a course About page) that social media sites can link to. URLs must " "be fully qualified. For example: http://www.edx.org/course/Introduction-to-MOOCs-ITM001" ), default=None, scope=Scope.settings, ) language = String( display_name=_("Course Language"), help=_("Specify the language of your course."), default=None, scope=Scope.settings ) teams_configuration = TeamsConfigField( display_name=_("Teams Configuration"), # Translators: please don't translate "id". help=_( 'Configure team sets, limit team sizes, and set visibility settings using JSON. See ' '