Commit 4d1d35e3 by Lyla Fischer

merge with master

parents 25ffb240 cd024ab3
......@@ -173,7 +173,7 @@ def get_course_tabs(user, course, active_page):
"""
Return the tabs to show a particular user, as a list of CourseTab items.
"""
if not course.tabs:
if not hasattr(course,'tabs') or not course.tabs:
return get_default_tabs(user, course, active_page)
# TODO (vshnayder): There needs to be a place to call this right after course
......
......@@ -105,6 +105,7 @@ def my_sympify(expr, normphase=False, matrix=False, abcsym=False, do_qubit=False
'e': sympy.E, # for exp
'i': sympy.I, # lowercase i is also sqrt(-1)
'Q': sympy.Symbol('Q'), # otherwise it is a sympy "ask key"
'I': sympy.Symbol('I'), # otherwise it is sqrt(-1)
#'X':sympy.sympify('Matrix([[0,1],[1,0]])'),
#'Y':sympy.sympify('Matrix([[0,-I],[I,0]])'),
#'Z':sympy.sympify('Matrix([[1,0],[0,-1]])'),
......@@ -273,11 +274,16 @@ class formula(object):
if not self.is_mathml():
return my_sympify(self.expr)
if self.is_presentation_mathml():
cmml = None
try:
cmml = self.cmathml
xml = etree.fromstring(str(cmml))
except Exception, err:
raise Exception, 'Err %s while converting cmathml to xml; cmml=%s' % (err, cmml)
if 'conversion from Presentation MathML to Content MathML was not successful' in cmml:
msg = "Illegal math expression"
else:
msg = 'Err %s while converting cmathml to xml; cmml=%s' % (err, cmml)
raise Exception, msg
xml = self.fix_greek_in_mathml(xml)
self.the_sympy = self.make_sympy(xml[0])
else:
......@@ -320,6 +326,24 @@ class formula(object):
'power': sympy.Pow,
'sin': sympy.sin,
'cos': sympy.cos,
'tan': sympy.tan,
'cot': sympy.cot,
'sinh': sympy.sinh,
'cosh': sympy.cosh,
'coth': sympy.coth,
'tanh': sympy.tanh,
'asin': sympy.asin,
'acos': sympy.acos,
'atan': sympy.atan,
'atan2': sympy.atan2,
'acot': sympy.acot,
'asinh': sympy.asinh,
'acosh': sympy.acosh,
'atanh': sympy.atanh,
'acoth': sympy.acoth,
'exp': sympy.exp,
'log': sympy.log,
'ln': sympy.ln,
}
# simple sumbols
......@@ -385,8 +409,7 @@ class formula(object):
if 'hat' in usym:
sym = my_sympify(usym)
else:
if usym == 'i': print "options=", self.options
if usym == 'i' and 'imaginary' in self.options: # i = sqrt(-1)
if usym == 'i' and self.options is not None and 'imaginary' in self.options: # i = sqrt(-1)
sym = sympy.I
else:
sym = sympy.Symbol(str(usym))
......
......@@ -141,12 +141,19 @@ def check(expect, given, numerical=False, matrix=False, normphase=False, abcsym=
return {'ok': False, 'msg': msg}
#-----------------------------------------------------------------------------
# helper function to convert all <p> to <span class='inline-error'>
def make_error_message(msg):
# msg = msg.replace('<p>','<p><span class="inline-error">').replace('</p>','</span></p>')
msg = '<div class="capa_alert">%s</div>' % msg
return msg
#-----------------------------------------------------------------------------
# Check function interface, which takes pmathml input
#
# This is one of the main entry points to call.
def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
def symmath_check(expect, ans, dynamath=None, options=None, debug=None, xml=None):
'''
Check a symbolic mathematical expression using sympy.
The input may be presentation MathML. Uses formula.
......@@ -159,17 +166,23 @@ def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
threshold = 1.0e-3
DEBUG = debug
if xml is not None:
DEBUG = xml.get('debug',False) # override debug flag using attribute in symbolicmath xml
if DEBUG in ['0','False']:
DEBUG = False
# options
do_matrix = 'matrix' in (options or '')
do_qubit = 'qubit' in (options or '')
do_imaginary = 'imaginary' in (options or '')
do_numerical = 'numerical' in (options or '')
# parse expected answer
try:
fexpect = my_sympify(str(expect), matrix=do_matrix, do_qubit=do_qubit)
except Exception, err:
msg += '<p>Error %s in parsing OUR expected answer "%s"</p>' % (err, expect)
return {'ok': False, 'msg': msg}
return {'ok': False, 'msg': make_error_message(msg)}
# if expected answer is a number, try parsing provided answer as a number also
try:
......@@ -184,6 +197,13 @@ def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
msg += '<p>You entered: %s</p>' % to_latex(fans)
return {'ok': False, 'msg': msg}
if do_numerical: # numerical answer expected - force numerical comparison
if abs(abs(fans - fexpect) / fexpect) < threshold:
return {'ok': True, 'msg': msg}
else:
msg += '<p>You entered: %s (note that a numerical answer is expected)</p>' % to_latex(fans)
return {'ok': False, 'msg': msg}
if fexpect == fans:
msg += '<p>You entered: %s</p>' % to_latex(fans)
return {'ok': True, 'msg': msg}
......@@ -205,16 +225,18 @@ def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
msg += '<p>You entered: %s</p>' % to_latex(f.sympy)
except Exception, err:
log.exception("Error evaluating expression '%s' as a valid equation" % ans)
msg += "<p>Error %s in evaluating your expression '%s' as a valid equation</p>" % (str(err).replace('<', '&lt;'),
ans)
msg += "<p>Error in evaluating your expression '%s' as a valid equation</p>" % (ans)
if "Illegal math" in str(err):
msg += "<p>Illegal math expression</p>"
if DEBUG:
msg += 'Error: %s' % str(err).replace('<', '&lt;')
msg += '<hr>'
msg += '<p><font color="blue">DEBUG messages:</p>'
msg += "<p><pre>%s</pre></p>" % traceback.format_exc()
msg += '<p>cmathml=<pre>%s</pre></p>' % f.cmathml.replace('<', '&lt;')
msg += '<p>pmathml=<pre>%s</pre></p>' % mmlans.replace('<', '&lt;')
msg += '<hr>'
return {'ok': False, 'msg': msg}
return {'ok': False, 'msg': make_error_message(msg)}
# compare with expected
if hasattr(fexpect, 'is_number') and fexpect.is_number:
......@@ -226,7 +248,7 @@ def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
msg += "<p>given = %s</p>" % repr(ans)
msg += "<p>fsym = %s</p>" % repr(fsym)
# msg += "<p>cmathml = <pre>%s</pre></p>" % str(f.cmathml).replace('<','&lt;')
return {'ok': False, 'msg': msg}
return {'ok': False, 'msg': make_error_message(msg)}
if fexpect == fsym:
return {'ok': True, 'msg': msg}
......@@ -239,11 +261,11 @@ def symmath_check(expect, ans, dynamath=None, options=None, debug=None):
return {'ok': True, 'msg': msg}
except sympy.ShapeError:
msg += "<p>Error - your input vector or matrix has the wrong dimensions"
return {'ok': False, 'msg': msg}
return {'ok': False, 'msg': make_error_message(msg)}
except Exception, err:
msg += "<p>Error %s in comparing expected (a list) and your answer</p>" % str(err).replace('<', '&lt;')
if DEBUG: msg += "<p/><pre>%s</pre>" % traceback.format_exc()
return {'ok': False, 'msg': msg}
return {'ok': False, 'msg': make_error_message(msg)}
#diff = (fexpect-fsym).simplify()
#fsym = fsym.simplify()
......
......@@ -13,7 +13,7 @@
<updated>2012-09-25T14:00:00-07:00</updated>
<link type="text/html" rel="alternate" href="${reverse('press/elsevier-collaborates-with-edx')}"/>
<title>Elsevier collaborates with edX</title>
<content type="html">&lt;img src=&quot;${static.url('images/press/foundations-of-analog-102x84.jpg')}&quot; /&gt;
<content type="html">&lt;img src=&quot;${static.url('images/press/foundations-of-analog-109x84.jpg')}&quot; /&gt;
&lt;p&gt;Free course textbook made available to edX students&lt;/p&gt;</content>
</entry>
<entry>
......@@ -22,7 +22,7 @@
<updated>2012-09-06T14:00:00-07:00</updated>
<link type="text/html" rel="alternate" href="${reverse('press/edX-announces-proctored-exam-testing')}"/>
<title>EdX to offer learners option of taking proctored final exam</title>
<content type="html">&lt;img src=&quot;${static.url('images/press/diploma-102x84.jpg')}&quot; /&gt;</content>
<content type="html">&lt;img src=&quot;${static.url('images/press/diploma-109x84.jpg')}&quot; /&gt;</content>
</entry>
<entry>
<id>tag:www.edx.org,2012:Post/3</id>
......@@ -30,7 +30,7 @@
<updated>2012-07-16T14:08:12-07:00</updated>
<link type="text/html" rel="alternate" href="${reverse('press/uc-berkeley-joins-edx')}"/>
<title>UC Berkeley joins edX</title>
<content type="html">&lt;img src=&quot;${static.url('images/press/edx-102x84.png')}&quot; /&gt;
<content type="html">&lt;img src=&quot;${static.url('images/press/edx-109x84.png')}&quot; /&gt;
&lt;p&gt;edX broadens course offerings&lt;/p&gt;</content>
</entry>
<entry>
......
......@@ -4,5 +4,5 @@
<section class="outside-app">
<h1>Page not found</h1>
<p>The page that you were looking for was not found. Go back to the <a href="/">homepage</a> or let us know about any pages that may have been moved at <a href="mailto:technical@edx.org">technical@edx.edu</a>.</p>
<p>The page that you were looking for was not found. Go back to the <a href="/">homepage</a> or let us know about any pages that may have been moved at <a href="mailto:technical@edx.org">technical@edx.org</a>.</p>
</section>
......@@ -7,59 +7,71 @@
<section class="static-container privacy-policy">
<h1>Privacy Policy</h1>
<hr class="horizontal-divider">
<hr class="horizontal-divider"/>
<div class="inner-wrapper">
<h2>Confidentiality &amp; Security of Personally Identifiable Information</h2>
<p>We care about the confidentiality and security of your personal information. We will use commercially reasonable efforts to keep your Personally Identifiable Information private and will not share it with third parties, except as set forth in this Privacy Policy. However, no method of transmitting or storing electronic data is ever completely secure, and we cannot guarantee that such information will never be accessed, used or released in a manner that is inconsistent with this policy.</p>
<p>This Privacy Policy only applies to information that we collect through the Site and does not apply to information that we may collect from you in other ways (for example, this policy does not apply to information that you may provide to us over the phone, by fax or through conventional mail). In addition, please note your educational records are protected by the Family Educational Rights and Privacy Act ("FERPA") to the extent FERPA applies.</p>
<p><strong>NOTICE: on September 26, 2012 edX adopted an amended Privacy Policy, providing as follows:</strong></p>
<h2>Confidentiality &amp; Security of Personal Information</h2>
<p>We care about the confidentiality and security of your personal information. We will use commercially reasonable efforts to keep your Personal Information secure. (&ldquo;Personal Information&rdquo; is defined below.) However, no method of transmitting or storing electronic data is ever completely secure, and we therefore cannot guarantee the security of information transmitted to or stored by the edX Website. (As used in this Privacy Policy, &ldquo;we,&rdquo; &ldquo;us&rdquo; and &ldquo;our&rdquo; refer to edX.)</p>
<p>This Privacy Policy only applies to information that we collect through the edX Website (the &ldquo;Site,&rdquo; which consists of all content and pages located within the edX.org web domain) and does not apply to information that we may collect from you in other ways (for example, this policy does not apply to information that you may provide to us over the phone, by fax or through conventional mail). In addition, please note that your education records are protected by the Family Educational Rights and Privacy Act (&ldquo;FERPA&rdquo;) to the extent FERPA applies. </p>
<h2>Usernames and Postings</h2>
<p>Comments or other information posted by you to our forums, wikis or other areas of the Site designed for public communications may be viewed and downloaded by others who visit the Site. For this reason, we encourage you to use an anonymous username, and to not post any personally identifiable information to those forums (or other public areas).</p>
<p>Comments or other information posted by you to our forums, wikis or other areas of the Site designed for public communications or communications among registered class members may be viewed and downloaded by others who visit the Site. For this reason, we encourage you to use discretion when deciding whether to post any information that can be used to identify you to those forums (or other public or classwide areas).</p>
<h2>What You Consent to by Using Our Site</h2>
<p>By submitting any Personally Identifiable Information to us, you consent and agree that such Personally Identifiable Information may be collected, used and disclosed in accordance with the Privacy Policy and our Terms of Service (“TOS”) and as permitted or required by law, and that such Personally Identifiable Information may be transferred to, processed in and stored in the United States. If you do not agree with these terms, then please do not provide any Personally Identifiable Information to us. As used herein, ‘Personally Identifiable Information’ means any information about yourself that you may provide to us, including, but not limited to, your name, contact information, gender and date of birth. If you refuse, or if you choose not to provide us with any required Personally Identifiable Information, we may not be able to provide you with the services that can be offered on our Site.</p>
<p>By accessing, browsing, or registering for the Site, you consent and agree that information about you collected through the Site may be used and disclosed in accordance with the Privacy Policy and our Terms of Service and as permitted or required by law, and that such information may be transferred to, processed in and stored in the United States and elsewhere. If you do not agree with these terms, then please do not access, browse, or register for the Site. If you choose not to provide us with certain information required to provide you with various services offered on our Site, you may not be able to establish a user account and we may not be able to provide you with those services.</p>
<p>As used in this Privacy Policy, &ldquo;Personal Information&rdquo; means any information about yourself that you may provide to us when using the Site, such as when you sign up for a user account or enter into a transaction through the Site, which may include (but is not limited to) your name, contact information, gender, date of birth, and occupation.</p>
<h2>Information We Collect and How We Use It</h2>
<p>We collect information, including Personally Identifiable Information, when you sign up for a User Account, participate in online courses, send us email messages and/or participate in our public forums. We collect information about student performance and patterns of learning. We track information indicating, among other things, which pages of our Site were visited, the order in which they were visited, when they were visited and which hyperlinks and other user interface controls were used.</p>
<p>We collect information, including Personal Information, when you sign up for a user account, participate in online courses, send us email messages and/or participate in our public forums. We collect information about student performance and patterns of learning. We track information indicating, among other things, which pages of our Site were visited, the order in which they were visited, when they were visited and which hyperlinks and other user interface controls were used.</p>
<p>We may log the IP address, operating system and browser software used by each user of the Site, and we may be able to determine from an IP address a user's Internet Service Provider and the geographic location of his or her point of connectivity. Various web analysis tools are used to collect this information. Some of the information is collected through cookies (a small text file placed on your computer). You should be able to control how and whether cookies will be accepted by your web browser. Most browsers offer instructions on how to reset the browser to reject cookies in the "Help" section of the toolbar. If you reject our cookies, many functions and conveniences of this Site may not work properly.</p>
<p>We may log the IP address, operating system and browser software used by each user of the Site, and we may be able to determine from an IP address a user's Internet Service Provider and the geographic location of his or her point of connectivity. Various web analytics tools are used to collect this information. Some of the information is collected through cookies (small text files placed on your computer that store information about you, which can be accessed by the Site). You should be able to control how and whether cookies will be accepted by your web browser. Most browsers offer instructions on how to reset the browser to reject cookies in the &ldquo;Help&rdquo; section of the toolbar. If you reject our cookies, many functions and conveniences of this Site may not work properly. </p>
<p>Among other things, we may use the information that you provide (including your Personally Identifiable Information) in connection with the following:</p>
<p>Among other things, we and the educational institutions that provide courses through edX (the &ldquo;Universities&rdquo;) may use the information about you collected through the Site (including your Personal Information) in connection with the following:</p>
<ul>
<li>To help us improve edX offerings, both individually (e.g. by course staff when working with a student) and in aggregate, and to individualize the experience and to evaluate the access and use of the Site and the impact of edX on the worldwide educational community. </li>
<li>To enable the Universities to provide, administer and improve the courses.</li>
<li>To help us and the Universities improve edX offerings, both individually (e.g., by course staff when working with a student) and in aggregate, and to individualize the experience and to evaluate the access and use of the Site and the impact of edX on the worldwide educational community. </li>
<li>For purposes of scientific research, particularly, for example, in the areas of cognitive science and education. </li>
<li>For the purpose for which you specifically provided the personal information, for example, to respond to a specific inquiry or provide you the specific course and/or services you select.</li>
<li>For the purpose for which you specifically provided the information, for example, to respond to a specific inquiry or provide you with access to the specific course content and/or services you select.</li>
<li>To track both individual and aggregate attendance, progress and completion of an online course, and to analyze statistics on student performance and how students learn.</li>
<li>To monitor and detect violations of the Honor Code, the Terms of Service, as well as other misuses and potential misuses of the site. </li>
<li>To publish information gathered about edX access, use, impact and student performance but only as non-personally identifiable data.</li>
<li>To send you updates about online courses offered by edX or other events or to send you email messages about Site maintenance or updates.</li>
<li>To monitor and detect violations of the Honor Code, the Terms of Service, as well as other misuses and potential misuses of the Site. </li>
<li>To publish information, but not Personal Information, gathered about edX access, use, impact and student performance.</li>
<li>To send you updates about online courses offered by edX or other events, to send you communications about products or services of edX, edX affiliates, or selected business partners that may be of interest to you, or to send you email messages about Site maintenance or updates.</li>
<li>To archive this information and/or use it for future communications with you.</li>
<li>As otherwise described to you at the point of collection.</li>
<li>To maintain and improve the functioning and security of the Site and our software, systems and network.</li>
<li>For purposes described elsewhere in this Privacy Policy (including, e.g., Sharing with Third Parties).</li>
<li>As otherwise described to you at the point of collection, pursuant to your consent, or as otherwise permitted by law.</li>
</ul>
<p>In addition to the above situations where your information may be shared with others, there is also the possibility that edX will affiliate with other educational institutions and/or that edX will become a (or part of a) nonprofit entity separate from MIT, Harvard University and UC Berkeley. In those events, the other educational institutions and/or separate entity will have access to the information you provide, to the extent permitted by FERPA.</p>
<h2>Sharing with Third Parties</h2>
<p>We may share the information we collect with third parties as follows:</p>
<p>We will share information we collect with the Universities, and we and the Universities may share this information (including Personal Information) with third parties as follows:</p>
<ul>
<li>With service providers or contractors that perform certain functions on our behalf, including processing information that you provide to us on the Site, operating the Site or portions of it or in connection with other aspects of edX services. These service providers and contractors will be obligated to keep your information confidential.</li>
<li>With all users and other visitors to the Site, to the extent that you submit post comments or other information to a portion of the Site designed for public communications. As provided in the Terms of Service, we may provide those postings to students in future offerings of the course, either within the context of the forums, the courseware or otherwise, for marketing purposes, or in any other way. If we do use your postings, we will use them without your real name and e-mail (except with explicit permission), but we may use your username. </li>
<li>To connect you to other users of the Site. For instance, we may recommend specific study partners or connect potential student mentees and mentors. In such cases, we may use all information collected to determine who to connect you to, but we will only connect you by username, and not disclose your real name or e-mail address to your contact. </li>
<li>To respond to subpoenas, court orders, or other legal process, in response to a request for cooperation from law enforcement or another government agency, to investigate, prevent or take action regarding illegal activities, suspected fraud, or to enforce our user agreement or privacy policy, or to protect our rights or the rights of others.</li>
<li>As otherwise described to you at the point of collection or pursuant to your consent. For example, from time to time, we may ask your permission to use your Personally Identifiable Information in other ways. In the future, edX may have an alumni association, resume book, etc. We may offer services where it is possible to verify edX credentials. </li>
<li>For integration with third party services. Videos and other content may be hosted on YouTube and other web sites not controlled by edX. We may provide links and other integration with social networks and other sites. Those web sites are guided by their own privacy policies. </li>
<li>With service providers or contractors that perform certain functions on our or the Universities' behalf, including processing information that you provide to us on the Site, processing purchases and other transactions through the Site, operating the Site or portions of it, providing or administering courses, or in connection with other aspects of edX or University services.</li>
<li>With other visitors to the Site, to the extent that you submit comments, course work or other information or content (collectively, &ldquo;Postings&rdquo;) to a portion of the Site designed for public communications; and with other members of an edX class of which you are a member, to the extent you submit Postings to a portion of the Site designed for viewing by those class members. We may provide your Postings to students who later enroll in the same classes as you, within the context of the forums, the courseware or otherwise. If we do re-post your Postings originally made to non-public portions of the Site, we will post them without your real name and e-mail (except with explicit permission), but we may use your username. </li>
<li>For purposes of scientific research, particularly, for example, in the areas of cognitive science and education. However, we will only share Personal Information about you for this purpose to the extent doing so complies with applicable law.</li>
<li>To provide opportunities for you to communicate with other users who may have similar interests or educational goals. For instance, we may recommend specific study partners or connect potential student mentees and mentors. In such cases, we may use all information collected about you to determine who might be interested in communicating with you, but we will only provide other users your username, and not disclose your real name or e-mail address to your contact. </li>
<li>To respond to subpoenas, court orders, or other legal process; in response to a request for cooperation from law enforcement or another government agency; to investigate, prevent or take action regarding illegal activities, suspected fraud, security or technical issues, or to enforce our Terms of Service, Honor Code or this Privacy Policy; as otherwise may be required by applicable law; or to protect our rights, property or safety or those of others.</li>
<li>With affiliates of edX or the Universities, or with successors in the event of a merger, acquisition or reorganization, for their use consistent with this Privacy Policy. </li>
<li>As otherwise described to you at the point of collection, pursuant to your consent, or otherwise as permitted by law (e.g., disclosures permitted under FERPA, to the extent FERPA applies to the information).</li>
<li>For integration with third party services. For example, videos and other content may be hosted on YouTube and other websites not controlled by edX.</li>
</ul>
<p>In addition, we may share aggregated information that does not personally identify you with the public and with third parties, including, e.g., researchers and business partners.</p>
<h2>Links to Other Websites</h2>
<p>The Sites may contain links to websites published by other content providers. These other websites are not under our control, and you acknowledge and agree that we are not responsible for the collection and use of your information by such websites. We encourage you to review the privacy policies of each website you visit and use.</p>
<h2>Personalization and Pedagogical Improvements</h2>
<p>Our goal is to provide current and future visitors with the best possible educational experience. To further this goal, we sometimes present different users with different versions of course materials and software. We do this to personalize the experience to the individual learner (assess the learner's level of ability and learning style, and present materials best suited to the learner), to evaluate the effectiveness of our course materials, to improve our understanding of the learning process and to otherwise improve the effectiveness of our offerings. We may publish or otherwise publicize results from this process, but only as non-personally-identifiable data.</p>
<p>Our goal is to provide current and future visitors with the best possible educational experience. To further this goal, we sometimes present different users with different versions of course materials and software. We do this to personalize the experience to the individual learner (assess the learner's level of ability and learning style, and present materials best suited to the learner), to evaluate the effectiveness of our course materials, to improve our understanding of the learning process and to otherwise improve the effectiveness of our offerings. We may publish or otherwise publicize results from this process, but, unless otherwise permitted under this Privacy Policy, those publications or public disclosures will not include Personal Information.</p>
<h2>Changing Our Privacy Policy</h2>
<p>Please note that we review our privacy practices from time to time, and that these practices are subject to change. We will publish notice of any such modifications online on this page for a reasonable period of time following such modifications, and by changing the effective date of this Privacy Policy. By continuing to access the Site after such changes have been posted, you signify your agreement to be bound by them. Be sure to return to this page periodically to ensure familiarity with the most current version of this Privacy Policy.</p>
<p>Please note that we review and may make changes to this Privacy Policy from time to time. Any changes to this Privacy Policy will be effective immediately upon posting on this page, with an updated effective date. By accessing the Site after any changes have been made, you signify your agreement on a prospective basis to the modified Privacy Policy and any changes contained therein. Be sure to return to this page periodically to ensure familiarity with the most current version of this Privacy Policy.</p>
<h2>Privacy Concerns</h2>
<p>If you have privacy concerns, or have disclosed data you would prefer to keep private, please contact us at <a href="mailto:privacy@edx.org">privacy@edx.org</a>.</p>
<p>If you have privacy concerns, have disclosed data you would prefer to keep private, or would like to access the information we maintain about you, please contact us at <a href="mailto:privacy@edx.org">privacy@edx.org</a>.</p>
<p><strong>Effective Date:</strong> February 6, 2012</p>
<p><strong>Effective Date:</strong> September 26, 2012</p>
</div>
</section>
......@@ -7,91 +7,115 @@
<section class="static-container tos">
<h1>edX Terms of Service</h1>
<hr class="horizontal-divider">
<hr class="horizontal-divider"/>
<div class="inner-wrapper">
<p>Welcome to edX. You must read and agree to these Terms of Service ("TOS"), edX's <a href="${reverse('privacy_edx')}">Privacy Policy</a> and <a href="${reverse('honor')}">Honor Code</a> prior to registering for this site or using any portion of this site ("Site"), including accessing any course materials, chat room, mailing list or other electronic service. These TOS, the Privacy Policy and the Honor Code are agreements (the "Agreements") between you and the edX. If you do not understand or do not agree to be bound by the terms of the Agreements, please immediately exit this site.</p>
<p><strong>NOTICE: on September 26, 2012 edX adopted amended Terms of Service, providing as follows:</strong></p>
<p>EdX reserves the right to modify these TOS at any time and will publish notice of any such modifications online on this page for a reasonable period of time following such modifications and by changing the effective date of these TOS. By continuing to access the Site after notice of such changes have been posted, you signify your agreement to be bound by them. Be sure to return to this page periodically to ensure familiarity with the most current version of these TOS.</p>
<p>Welcome to edX. Please read these Terms of Service ("TOS") and edX's <a href="${reverse('privacy_edx')}">Privacy Policy</a> and <a href="${reverse('honor')}">Honor Code</a> prior to registering for edX.org or using any portion of the edX website (the "Site," which consists of all content and pages located within the edX.org web domain), including accessing any course material, chat rooms, or other electronic services. These TOS, the Privacy Policy and the Honor Code are agreements (the "Agreements") between you and edX. By using the Site, you accept and agree to be legally bound by the Agreements, whether or not you are a registered user. If you do not understand or do not wish to be bound by the terms of the Agreements, you should not use the Site.</p>
<p>EdX reserves the right to modify these TOS at any time without advance notice. Any changes to these TOS will be effective immediately upon posting on this page, with an updated effective date. By accessing the Site after any changes have been made, you signify your agreement on a prospective basis to the modified TOS and all of the changes. Be sure to return to this page periodically to ensure familiarity with the most current version of these TOS.</p>
<h2>Description of edX</h2>
<p>EdX offers online courses that include opportunities for professor-to-student and student-to-student interactivity, individual assessment of a student's work and for students who demonstrate their mastery of subjects, a certificate of mastery.</p>
<h2>Rules for Online Conduct</h2>
<p>You agree that you are responsible for your own use of the Site and for your User Postings. "User Postings" include all content submitted, posted, published or distributed on the Site by you or other users of the Site, including but not limited to all forum posts, wiki edits, notes, questions, comments, videos and file uploads. You agree that you will use the Site in compliance with these TOS, the Honor Code and all applicable local, state, national and international laws, rules and regulations, including copyright laws and any laws regarding the transmission of technical data exported from your country of residence and all United States export control laws.</p>
<p>You agree that you are responsible for your own use of the Site and for your User Postings. "User Postings" include all content submitted, posted, published or distributed on the Site by you or other users of the Site, including but not limited to all forum posts, wiki edits, notes, questions, comments, videos and file uploads. You agree that you will use the Site in compliance with these TOS, the Honor Code and all applicable local, state, national and international laws, rules and regulations, including copyright laws, any laws regarding the transmission of technical data exported from your country of residence, and all United States export control laws.</p>
<p>As a condition of your use of the Services, you will not use the Site in any manner intended to damage, disable, overburden or impair any edX server or the network(s) connected to any edX server or interfere with any other party's use and enjoyment of the Site. You may not attempt to gain unauthorized access to the Site, other accounts, computer systems or networks connected to any edX server through hacking, password mining or any other means. You may not obtain or attempt to obtain any materials or information stored on the Site, its servers or associated computers through any means not intentionally made available through the Site.</p>
<p>As a condition of your use of the edX services, you will not use the Site in any manner intended to damage, disable, overburden or impair any edX server or the network(s) connected to any edX server or to interfere with any other party's use and enjoyment of the Site. You may not attempt to gain unauthorized access to the Site, other accounts, computer systems or networks connected to any edX server through hacking, password mining or any other means. You may not obtain or attempt to obtain any materials or information stored on the Site, its servers or associated computers through any means not intentionally made available through the Site.</p>
<h2>The following list of items is strictly prohibited on the Site:</h2>
<ol>
<li>Content that defames, harasses or threatens others</li>
<li>Content that discusses illegal activities with the intent to commit them</li>
<li>Content that infringes another's intellectual property, including, but not limited to, copyrights or trademarks</li>
<li>Any inappropriate, profane, pornographic, obscene, indecent or unlawful content</li>
<li>Advertising or any form of commercial solicitation</li>
<li>Political content or content related to partisan political activities</li>
<li>Viruses, trojan horses, worms, time bombs, corrupted files, malware, spyware or any other similar software that may damage the operation of another's computer or property</li>
<li>Content that contains intentional inaccurate information with the intent of misleading others</li>
<li>You, furthermore, agree not to scrape, or otherwise download in bulk, user-contributed content, a list or directory of users on the system or other material including but not limited to on-line textbooks, User Postings or user information. You agree to not misrepresent or attempt to misrepresent your identity while using the Sites (although you are welcome and encouraged to use an anonymous username in the forums).
<li>Content that defames, harasses or threatens others;</li>
<li>Content that discusses illegal activities with the intent to commit them;</li>
<li>Content that infringes another's intellectual property, including, but not limited to, copyrights or trademarks;</li>
<li>Profane, pornographic, obscene, indecent or unlawful content;</li>
<li>Advertising or any form of commercial solicitation;</li>
<li>Content related to partisan political activities;</li>
<li>Viruses, trojan horses, worms, time bombs, corrupted files, malware, spyware or any other similar software that may damage the operation of another's computer or property; and</li>
<li>Content that contains intentionally inaccurate information or that is posted with the intent of misleading others.</li>
</ol>
<p>Furthermore, you agree not to scrape, or otherwise download in bulk, any Site content, including but not limited to a list or directory of users on the system, on-line textbooks, User Postings or user information. You agree not to misrepresent or attempt to misrepresent your identity while using the Sites (although you are welcome and encouraged to use an anonymous username in the forums and to act in a manner that keeps your identity concealed).</p>
<h2>User Accounts and Authority</h2>
<p>In order to participate in Site activities, you must provide your name, an email address ("Email Address") and a user password ("User Password") in order to create a user account ("User Account"). You agree that you will never divulge or share access or access information to your User Account with any third party for any reason. In setting up your User Account, you may be prompted to enter additional optional information (i.e. your address). You understand and agree that all information provided by you is accurate and current. You agree to maintain and update your information to keep it accurate and current.</p>
<p>In order to participate fully in Site activities, you must provide your name, an email address and a user password in order to create a user account ("User Account"). You agree that you will never divulge or share access or access information to your User Account with any third party for any reason. In setting up your User Account, you may be prompted to enter additional optional information (e.g., your address). You represent that all information provided by you is accurate and current. You agree to maintain and update your information to keep it accurate and current.</p>
<p>We care about the confidentiality and security of your personal information. Please see our <a href="${reverse('privacy_edx')}">Privacy Policy</a> for more information about what information about you edX collects and how edX uses that information.</p>
<h2>Your Right to Use Content on the Site</h2>
<p>Unless indicated as being in the public domain, all content on the Site is protected by United States copyright. The texts, exams and other instructional materials provided with the courses offered on this Site are for your personal use in connection with those courses only. The institutions of MIT, Harvard and the University of California, Berkeley ("UC Berkeley") are planning to make edX course content and software infrastructure available under open source licenses that will help create a vibrant ecosystem of contributors and further edX's goal of making education accessible and affordable to the world.</p>
<p>Unless indicated as being in the public domain, the content on the Site is protected by United States and foreign copyright laws. Unless otherwise expressly stated on the Site, the texts, exams, video, images and other instructional materials provided with the courses offered on this Site are for your personal use in connection with those courses only. MIT and Harvard aim to make much of the edX course content available under more open license terms that will help create a vibrant ecosystem of contributors and further edX's goal of making education accessible and affordable to the world.</p>
<p>Certain reference documents, digital textbooks, articles and other information on the Site are used with the permission of third parties and use of that information is subject to certain rules and conditions, which will be posted along with the information. By using this Site you agree to abide by all such rules and conditions. Due to privacy concerns, User Postings shall be licensed to edX with the terms discussed below.</p>
<p>Certain reference documents, digital textbooks, articles and other information on the Site are used with the permission of third parties, and use of that information is subject to certain rules and conditions, which will be posted along with the information. By using this Site you agree to abide by all such rules and conditions.</p>
<p>You agree to retain all copyright and other notices on any content you obtain from the Site. All rights in the Site and its content, if not expressly granted, are reserved.</p>
<h2>User Postings</h2>
<p><strong>User Postings Representations and Warranties.</strong> By submitting or distributing your User Postings, you affirm, represent and warrant that you are the creator and owner of, or have the necessary licenses, rights, consents and permissions to reproduce and publish the posted information, authorize edX's Users to reproduce, modify, publish and otherwise use that information and distribute your User Postings as necessary to exercise the licenses granted by you below. You, and not edX, are solely responsible for your User Postings and the consequences of posting or publishing them.</p>
<p><strong>Limited License Grant to edX.</strong> By submitting or distributing User Postings to the Site, you hereby grant to edX a worldwide, non-exclusive, transferable, assignable, fully paid-up, royalty-free, perpetual, irrevocable right and license to host, transfer, display, perform, reproduce, modify, distribute, re-distribute, relicense and otherwise exploit your User Postings, in whole or in part, in any form and in any media formats and through any media channels (now known or hereafter developed).</p>
<p><strong>User Postings Representations and Warranties.</strong> By submitting or distributing your User Postings, you affirm, represent and warrant (1) that you have the necessary rights, licenses, consents and/or permissions to reproduce and publish the User Postings and to authorize edX and its users to reproduce, modify, publish and otherwise use and distribute your User Postings in a manner consistent with the licenses granted by you below, and (2) that neither your submission of your User Postings nor the exercise of the licenses granted below will infringe or violate the rights of any third party. You, and not edX, are solely responsible for your User Postings and the consequences of posting or publishing them.</p>
<p><strong>License Grant to edX.</strong> By submitting or distributing User Postings to the Site, you hereby grant to edX a worldwide, non-exclusive, transferable, assignable, sublicensable, fully paid-up, royalty-free, perpetual, irrevocable right and license to host, transfer, display, perform, reproduce, modify, distribute, re-distribute, relicense and otherwise use, make available and exploit your User Postings, in whole or in part, in any form and in any media formats and through any media channels (now known or hereafter developed).</p>
<p><strong>License Grant to edX Users.</strong> By submitting or distributing User Postings to the Site, you hereby grant to each user of the Site a non-exclusive license to access and use your User Postings in connection with their use of the Site for their own personal purposes.</p>
<h2>Certificates, etc.</h2>
<p>EdX and/or the colleges and universities providing courses on the Site may offer a certificate of mastery or other acknowledgment (a "Certificate") for students who, in their judgment, have satisfactorily demonstrated mastery of the course material. Certificates will be issued by edX under the name of the underlying "X University" from where the course originated, i.e. HarvardX, MITx. etc. The decision whether a Certificate will be awarded to a given student will be solely within the discretion of the awarding entity, as will the name and form of any such Certificate. EdX and/or the institutions providing courses on the Site may choose not to offer a Certificate for some courses.</p>
<p>When you take a course through edX, you will not be an applicant for admission to, or enrolled in, any degree program of the institution as a result of registering for or completing a course through edX. You will not be entitled to use any of the resources of the institution beyond the online courses provided on the Site, nor will you be eligible to receive student privileges or benefits provided to students enrolled in degree programs of the institution.</p>
<p><strong>Limited License Grant to edX Users.</strong> By submitting or distributing User Postings to the Site, you hereby grant to each User of the Site a non-exclusive license to access and use your User Postings in connection with their use of the Site for their own personal purposes.</p>
<h2>Trademarks</h2>
<p><strong>Use of edX, MIT, Harvard University and UC Berkeley Names, Trademarks and Service Marks.</strong> The "edX," "MIT," "Harvard University" and "UC Berkeley" names, logos and seals are trademarks ("Trademarks") of the respective universities. You may not use these institutions' Trademarks, or any variations thereof, without their prior written consent. You may not use their Trademarks, or any variations thereof, for promotional purposes, or in any way that deliberately or inadvertently claims, suggests or, in these institutions' sole judgment, gives the appearance or impression of a relationship with or endorsement by these institutions.</p>
<p><strong>Use of edX, MIT, Harvard University and X University Names, Trademarks and Service Marks.</strong> The "edX," "MIT," and "Harvard University" names, logos and seals are trademarks ("Trademarks") of the respective entities. Likewise, the names, logos, and seals of the other colleges and universities providing courses on the Site (the "X Universities") are Trademarks owned by the X Universities. You may not use any of these Trademarks, or any variations thereof, without the owner's prior written consent. You may not use any of these Trademarks, or any variations thereof, for promotional purposes, or in any way that deliberately or inadvertently claims, suggests or, in these institutions' sole judgment, gives the appearance or impression of a relationship with or endorsement by these institutions.</p>
<p>All Trademarks not owned by these institutions that appear on the Site or on or through the services made available on or through the Site, if any, are the property of their respective owners. Nothing contained on the Site should be construed as granting, by implication, estoppel or otherwise, any license or right to use any such Trademark displayed on the Site without the written permission of the third party that may own the applicable Trademark.</p>
<p>All Trademarks not owned by these institutions that appear on the Site or on or through the services made available on or through the Site, if any, are the property of their respective owners.</p>
<p>Nothing contained on the Site should be construed as granting, by implication, estoppel or otherwise, any license or right to use any Trademark displayed on the Site without the written permission of the owner of the applicable Trademark.</p>
<h2>Digital Millennium Copyright Act</h2>
<p>Copyright owners who believe their material has been infringed on the Site should contact edX's designated copyright agent at <a href="mailto:dcma-agent@mit.edu">dcma-agent@mit.edu</a> or at 77 Massachusetts Avenue, Cambridge, MA 02138-4307 Attention: MIT DCMA Agent, W92-263A.</p>
<p>Notification must include:</p>
<ul>
<li>Identification of the copyrighted work, or, in the case of multiple works at the same location, a representative list of such works at that site.</li>
<li>Identification of the material that is claimed to be infringing or to be the subject of infringing activity. You must include sufficient information for us to locate the material (e.g., url, ip address, computer name).</li>
<li>Identification of the material that is claimed to be infringing or to be the subject of infringing activity. You must include sufficient information for us to locate the material (e.g., URL, IP address, computer name).</li>
<li>Information for us to be able to contact the complaining party (e.g., email address, phone number).</li>
<li>A statement that the complaining party believes that the use of the material has not been authorized by the copyright owner or an authorized agent.</li>
<li>A statement that the information in the notification is accurate and that the complaining party is authorized to act on behalf of the copyright owner.</li>
</ul>
<h2>Disclaimer of Warranty / Indemnification/Limitation of Liabilities</h2>
<p>THE SITE IS PROVIDED "AS IS" AND "AS AVAILABLE" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESS OR IMPLIED, INCLUDING WITHOUT LIMITATION, THE IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR USE FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT. EdX does not warrant the Site will operate in an uninterrupted or error-free manner or that the Site is free of viruses or other harmful components. Use of information obtained from or through this Site is at your own risk. Your access to or download of information, materials or data through the Site or any reference sites is at your own discretion and risk and that you will be solely responsible for any damage to your property (including your computer system) or loss of data that results from the download or use of such material or data. We may close or limit enrollment for pedagogical or technological reasons.</p>
<p><strong>User Postings Disclaimer.</strong> You understand that when using the Site you will be exposed to User Postings from a variety of sources and that edX is not responsible for the accuracy, usefulness, reliability or intellectual property rights of or relating to such User Postings. You further understand and acknowledge that you may be exposed to User Postings that are inaccurate, offensive, defamatory, indecent or objectionable and you agree to waive, and hereby do waive, any legal or equitable rights or remedies you have or may have against edX with respect thereto. EdX does not endorse any User Postings or any opinion, recommendation or advice expressed therein. EdX has no obligation to monitor any User Postings or any other user communications through the Site.</p>
<p>However, edX reserves the right to review User Postings and to edit or remove, in whole or in part, such User Postings in its sole discretion. If notified by a User or a content owner of a User Posting that allegedly does not conform to the TOS, edX may investigate the allegation and determine in its sole discretion whether to remove the User Posting, which it reserves the right to do at any time and without notice.</p>
<h2>Disclaimers of Warranty / Limitations of Liabilities</h2>
<p><strong>THE SITE AND ANY INFORMATION, CONTENT OR SERVICES MADE AVAILABLE ON OR THROUGH THE SITE ARE PROVIDED "AS IS" AND "AS AVAILABLE" WITHOUT WARRANTY OF ANY KIND (EXPRESS, IMPLIED OR OTHERWISE), INCLUDING, WITHOUT LIMITATION, ANY IMPLIED WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NON-INFRINGEMENT, EXCEPT INSOFAR AS ANY SUCH IMPLIED WARRANTIES MAY NOT BE DISCLAIMED UNDER APPLICABLE LAW.</strong></p>
<p><strong>EDX AND THE EDX PARTICIPANTS (AS HERINAFTER DEFINED) DO NOT WARRANT THAT THE SITE WILL OPERATE IN AN UNINTERRUPTED OR ERROR-FREE MANNER, THAT THE SITE IS FREE OF VIRUSES OR OTHER HARMFUL COMPONENTS, OR THAT THE COURSES OR CONTENT PROVIDED WILL MEET YOUR NEEDS OR EXPECTATIONS. EDX AND THE EDX PARTICIPANTS ALSO MAKE NO WARRANTY ABOUT THE ACCURACY, COMPLETENESS, TIMELINESS, OR QUALITY OF THE SITE OR ANY COURSES OR CONTENT, OR THAT ANY PARTICULAR COURSES OR CONTENT WILL CONTINUE TO BE MADE AVAILABLE. &ldquo;EDX PARTICIPANTS&rdquo; MEANS MIT, HARVARD, X UNIVERSITIES, THE ENTITIES PROVIDING INFORMATION, CONTENT OR SERVICES FOR THE SITE, THE COURSE INSTRUCTORS AND THEIR STAFFS.</strong></p>
<p><strong>USE OF THE SITE, AND THE CONTENT AND SERVICES OBTAINED FROM OR THROUGH THE SITE, IS AT YOUR OWN RISK. YOUR ACCESS TO OR DOWNLOAD OF INFORMATION, MATERIALS OR DATA THROUGH THE SITE OR ANY REFERENCE SITES IS AT YOUR OWN DISCRETION AND RISK, AND YOU WILL BE SOLELY RESPONSIBLE FOR ANY DAMAGE TO YOUR PROPERTY (INCLUDING YOUR COMPUTER SYSTEM) OR LOSS OF DATA THAT RESULTS FROM THE DOWNLOAD OR USE OF SUCH MATERIAL OR DATA.</strong></p>
<p><strong>Links to Other Sites.</strong> The Site may include hyperlinks to sites maintained or controlled by others. EdX is not responsible for and does not routinely screen, approve, review or endorse the contents of or use of any of the products or services that may be offered at these sites. If you decide to access linked third party web sites, you do so at your own risk.</p>
<p><strong>User Postings Disclaimer.</strong> You understand that when using the Site you will be exposed to User Postings from a variety of sources and that neither edX nor the edX Participants are responsible for the accuracy, usefulness, reliability or intellectual property rights of or relating to such User Postings. You further understand and acknowledge that you may be exposed to User Postings that are inaccurate, offensive, defamatory, indecent or objectionable and you agree to waive, and hereby do waive, any legal or equitable rights or remedies you have or may have against edX or any of the edX Participants with respect thereto. Neither edX nor the edX Participants endorse any User Postings or any opinion, recommendation or advice expressed therein. Neither edX nor the edX Participants have any obligation to monitor any User Postings or any other user communications through the Site.</p>
<p><strong>YOU AGREE THAT MIT WILL NOT BE LIABLE TO YOU FOR ANY LOSS OR DAMAGES, EITHER ACTUAL OR CONSEQUENTIAL, ARISING OUT OF OR RELATING TO THESE TERMS OF SERVICE, OR TO YOUR (OR ANY THIRD PARTY'S) USE OR INABILITY TO USE THE SITE, OR TO YOUR PLACEMENT OF CONTENT ON THE SITE, OR TO YOUR RELIANCE UPON INFORMATION OBTAINED FROM OR THROUGH THE SITE WHETHER BASED IN CONTRACT, TORT, STATUTORY OR OTHER LAW, EXCEPT ONLY IN THE CASE OF DEATH OR PERSONAL INJURY WHERE AND ONLY TO THE EXTENT THAT APPLICABLE LAW REQUIRES SUCH LIABILITY.</strong></p>
<p>However, edX reserves the right to review User Postings and to exercise its sole discretion to edit or remove, in whole or in part, any User Posting at any time or for any reason, or to allow the edX Participants to do so. Without limiting the foregoing, upon receiving notice from a user or a content owner that a User Posting allegedly does not conform to these TOS, edX may investigate the allegation and determine in its sole discretion whether to remove the User Posting, which it reserves the right to do at any time and without notice.</p>
<p><strong>IN PARTICULAR, MIT WILL HAVE NO LIABILTY FOR ANY CONSEQUENTIAL, INDIRECT, PUNITIVE, SPECIAL, EXEMPLARY OR INCIDENTAL DAMAGES, WHETHER FORESEEABLE OR UNFORESEEABLE, (INCLUDING, BUT NOT LIMITED TO, CLAIMS FOR DEFAMATION, ERRORS, LOSS OF DATA OR INTERRUPTION IN AVAILABILITY OF DATA).</strong></p>
<p><strong>Links to Other Sites.</strong> The Site may include hyperlinks to sites maintained or controlled by others. EdX and the edX Participants are not responsible for and do not routinely screen, approve, review or endorse the contents of or use of any of the products or services that may be offered at these sites. If you decide to access linked third party web sites, you do so at your own risk.</p>
<p><strong>TO THE FULLEST EXTENT PERMITTED BY APPLICABLE LAW, YOU AGREE THAT NEITHER EDX NOR ANY OF THE EDX PARTICIPANTS WILL BE LIABLE TO YOU FOR ANY LOSS OR DAMAGES, EITHER ACTUAL OR CONSEQUENTIAL, ARISING OUT OF OR RELATING TO THESE TERMS OF SERVICE, OR YOUR (OR ANY THIRD PARTY'S) USE OF OR INABILITY TO USE THE SITE, OR YOUR PLACEMENT OF CONTENT ON THE SITE, OR YOUR RELIANCE UPON INFORMATION OBTAINED FROM OR THROUGH THE SITE, WHETHER YOUR CLAIM IS BASED IN CONTRACT, TORT, STATUTORY OR OTHER LAW.</strong></p>
<p><strong>IN PARTICULAR, TO THE FULLEST EXTENT PERMITTED BY APPLICABLE LAW, NEITHER EDX NOR ANY OF THE EDX PARTICIPANTS WILL HAVE ANY LIABILITY FOR ANY CONSEQUENTIAL, INDIRECT, PUNITIVE, SPECIAL, EXEMPLARY OR INCIDENTAL DAMAGES, WHETHER FORESEEABLE OR UNFORESEEABLE AND WHETHER OR NOT EDX OR ANY OF THE EDX PARTICIPANTS HAS BEEN NEGLIGENT OR OTHERWISE AT FAULT (INCLUDING, BUT NOT LIMITED TO, CLAIMS FOR DEFAMATION, ERRORS, LOSS OF PROFITS, LOSS OF DATA OR INTERRUPTION IN AVAILABILITY OF DATA).</strong></p>
<h2>Indemnification</h2>
<p>You agree to defend, hold harmless and indemnify edX and its subsidiaries, affiliates, officers, agents and employees from and against any third-party claims, actions or demands arising out of, resulting from or in any way related to your use of the Site, including any liability or expense arising from any and all claims, losses, damages (actual and consequential), suits, judgments, litigation costs and attorneys' fees, of every kind and nature. In such a case, edX will provide you with written notice of such claim, suit or action.</p>
<p>You agree to defend, hold harmless and indemnify edX and the edX Participants, and their respective subsidiaries, affiliates, officers, faculty, students, fellows, governing board members, agents and employees from and against any third-party claims, actions or demands arising out of, resulting from or in any way related to your use of the Site, including any liability or expense arising from any and all claims, losses, damages (actual and consequential), suits, judgments, litigation costs and attorneys' fees, of every kind and nature. In such a case, edX or one of the edX Participants will provide you with written notice of such claim, suit or action.</p>
<h2>Miscellaneous</h2>
<p><strong>Termination Rights.</strong> You agree that edX, in its sole discretion, may terminate your use of the Site or your participation in it thereof, for any reason or no reason. If you no longer desire to participate in the Site, you may terminate your participation therein upon notice to edX.</p>
<p><strong>Entire Agreement.</strong> This Agreement constitutes the entire agreement between you and edX with respect to your use of the Site, superseding any prior agreements between you and edX regarding your use of the Site.</p>
<p><strong>Termination Rights; Discontinuation of Courses and Content.</strong> You agree that edX, in its sole discretion, may terminate your use of the Site or your participation in it, for any reason or no reason, upon notice to you. It is edX's policy to terminate in appropriate circumstances users of the Site who are repeat copyright infringers. EdX and the edX Participants reserve the right at any time in their sole discretion to cancel, delay, reschedule or alter the format of any course offered through edX, or to cease providing any part or all of the Site content or related services, and you agree that neither edX nor any of the edX Participants will have any liability to you for such an action. If you no longer desire to participate in the Site, you may terminate your participation at any time. The rights granted to you hereunder will terminate upon any termination of your right to use the Site, but the other provisions of these TOS will survive any such termination. </p>
<p><strong>Waiver and Severability of TOS.</strong> The failure of edX to exercise or enforce any right or provision of the TOS of Site shall not constitute a waiver of such right or provision. If any provision of the TOS is found by a court of competent jurisdiction to be invalid, the parties nevertheless agree that the court should endeavor to give effect to the parties' intentions as reflected in the provision and the other provisions of the TOS remain in full force and effect.</p>
<p><strong>Entire Agreement.</strong> These TOS, the Honor Code, and the Privacy Policy together constitute the entire agreement between you and edX with respect to your use of the Site, superseding any prior agreements between you and edX regarding your use of the Site.</p>
<p><strong>Choice of Law/Forum Selection.</strong> You agree that any dispute arising out of or relating to these Terms or any content posted to a Site will be governed by the laws of the Commonwealth of Massachusetts, excluding its conflicts of law provisions. You further consent to the personal jurisdiction of and exclusive venue in the federal and state courts located in and serving Boston, Massachusetts as the legal forum for any such dispute.</p>
<p><strong>Waiver and Severability of TOS.</strong> The failure of edX to exercise or enforce any right or provision of these TOS shall not constitute a waiver of such right or provision. If any provision of these TOS is found by a court of competent jurisdiction to be invalid, the parties nevertheless agree that the court should endeavor to give effect to the parties' intentions as reflected in the provision and the other provisions of these TOS shall remain in full force and effect.</p>
<p><strong>Effective Date:</strong> July 24, 2012</p>
<p><strong>Choice of Law/Forum Selection.</strong> You agree that these TOS and any claim or dispute arising out of or relating to these TOS or any content or service obtained from or through the Site will be governed by the laws of the Commonwealth of Massachusetts, excluding its conflicts of law provisions. You agree that all such claims and disputes will be heard and resolved exclusively in the federal or state courts located in and serving Cambridge, Massachusetts, U.S.A. You consent to the personal jurisdiction of those courts over you for this purpose, and you waive and agree not to assert any objection to such proceedings in those courts (including any defense or objection of lack of proper jurisdiction or venue or inconvenience of forum).</p>
<p><strong>Effective Date:</strong> September 26, 2012</p>
</div>
</section>
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