views.py 10 KB
Newer Older
1 2
""" Views for a student's account information. """

3
import logging
4
import json
5 6
from ipware.ip import get_ip

7 8
from django.conf import settings
from django.http import (
9
    HttpResponse, HttpResponseBadRequest, HttpResponseForbidden
10
)
11
from django.shortcuts import redirect
12 13
from django.http import HttpRequest
from django.core.urlresolvers import reverse, resolve
14
from django.core.mail import send_mail
15
from django.utils.translation import ugettext as _
16 17 18
from django_future.csrf import ensure_csrf_cookie
from django.contrib.auth.decorators import login_required
from django.views.decorators.http import require_http_methods
19 20 21

from opaque_keys.edx.keys import CourseKey
from opaque_keys import InvalidKeyError
22 23
from edxmako.shortcuts import render_to_response, render_to_string
from microsite_configuration import microsite
24
from embargo import api as embargo_api
25
import third_party_auth
26 27 28 29 30 31 32 33
from external_auth.login_and_register import (
    login as external_auth_login,
    register as external_auth_register
)
from student.views import (
    signin_user as old_login_view,
    register_user as old_register_view
)
34

35 36
from openedx.core.djangoapps.user_api.api import account as account_api
from openedx.core.djangoapps.user_api.api import profile as profile_api
37 38
from util.bad_request_rate_limiter import BadRequestRateLimiter

39 40
from student_account.helpers import auth_pipeline_urls

41 42

AUDIT_LOG = logging.getLogger("audit")
43 44


45
@require_http_methods(['GET'])
46
@ensure_csrf_cookie
47 48 49 50 51 52 53
def login_and_registration_form(request, initial_mode="login"):
    """Render the combined login/registration form, defaulting to login

    This relies on the JS to asynchronously load the actual form from
    the user_api.

    Keyword Args:
54
        initial_mode (string): Either "login" or "register".
55 56

    """
57 58 59 60
    # If we're already logged in, redirect to the dashboard
    if request.user.is_authenticated():
        return redirect(reverse('dashboard'))

61 62 63
    # Retrieve the form descriptions from the user API
    form_descriptions = _get_form_descriptions(request)

64 65 66 67 68 69 70 71 72 73 74 75 76
    # If this is a microsite, revert to the old login/registration pages.
    # We need to do this for now to support existing themes.
    if microsite.is_request_in_microsite():
        if initial_mode == "login":
            return old_login_view(request)
        elif initial_mode == "register":
            return old_register_view(request)

    # Allow external auth to intercept and handle the request
    ext_auth_response = _external_auth_intercept(request, initial_mode)
    if ext_auth_response is not None:
        return ext_auth_response

77
    # Otherwise, render the combined login/registration page
78 79 80
    context = {
        'disable_courseware_js': True,
        'initial_mode': initial_mode,
81
        'third_party_auth': json.dumps(_third_party_auth_context(request)),
Renzo Lucioni committed
82
        'platform_name': settings.PLATFORM_NAME,
83 84 85 86 87 88 89 90 91
        'responsive': True,

        # Include form descriptions retrieved from the user API.
        # We could have the JS client make these requests directly,
        # but we include them in the initial page load to avoid
        # the additional round-trip to the server.
        'login_form_desc': form_descriptions['login'],
        'registration_form_desc': form_descriptions['registration'],
        'password_reset_form_desc': form_descriptions['password_reset'],
92 93 94 95 96

        # We need to pass these parameters so that the header's
        # "Sign In" button preserves the querystring params.
        'enrollment_action': request.GET.get('enrollment_action'),
        'course_id': request.GET.get('course_id')
97 98 99 100 101
    }

    return render_to_response('student_account/login_and_register.html', context)


102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144
@require_http_methods(['POST'])
def password_change_request_handler(request):
    """Handle password change requests originating from the account page.

    Uses the Account API to email the user a link to the password reset page.

    Note:
        The next step in the password reset process (confirmation) is currently handled
        by student.views.password_reset_confirm_wrapper, a custom wrapper around Django's
        password reset confirmation view.

    Args:
        request (HttpRequest)

    Returns:
        HttpResponse: 200 if the email was sent successfully
        HttpResponse: 400 if there is no 'email' POST parameter, or if no user with
            the provided email exists
        HttpResponse: 403 if the client has been rate limited
        HttpResponse: 405 if using an unsupported HTTP method

    Example usage:

        POST /account/password

    """
    limiter = BadRequestRateLimiter()
    if limiter.is_rate_limit_exceeded(request):
        AUDIT_LOG.warning("Password reset rate limit exceeded")
        return HttpResponseForbidden()

    user = request.user
    # Prefer logged-in user's email
    email = user.email if user.is_authenticated() else request.POST.get('email')

    if email:
        try:
            account_api.request_password_change(email, request.get_host(), request.is_secure())
        except account_api.AccountUserNotFound:
            AUDIT_LOG.info("Invalid password reset attempt")
            # Increment the rate limit counter
            limiter.tick_bad_request_counter(request)

145
            return HttpResponseBadRequest(_("No user with the provided email address exists."))
146 147 148

        return HttpResponse(status=200)
    else:
149
        return HttpResponseBadRequest(_("No email address provided."))
150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167


def _third_party_auth_context(request):
    """Context for third party auth providers and the currently running pipeline.

    Arguments:
        request (HttpRequest): The request, used to determine if a pipeline
            is currently running.

    Returns:
        dict

    """
    context = {
        "currentProvider": None,
        "providers": []
    }

168
    course_id = request.GET.get("course_id")
169
    email_opt_in = request.GET.get('email_opt_in')
170
    redirect_to = request.GET.get("next")
171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200

    # Check if the user is trying to enroll in a course
    # that they don't have access to based on country
    # access rules.
    #
    # If so, set the redirect URL to the blocked page.
    # We need to set it here, rather than redirecting
    # from within the pipeline, because a redirect
    # from the pipeline can prevent users
    # from completing the authentication process.
    #
    # Note that we can't check the user's country
    # profile at this point, since the user hasn't
    # authenticated.  If the user ends up being blocked
    # by their country preference, we let them enroll;
    # they'll still be blocked when they try to access
    # the courseware.
    if course_id:
        try:
            course_key = CourseKey.from_string(course_id)
            redirect_url = embargo_api.redirect_if_blocked(
                course_key,
                ip_address=get_ip(request),
                url=request.path
            )
            if redirect_url:
                redirect_to = embargo_api.message_url_path(course_key, "enrollment")
        except InvalidKeyError:
            pass

201
    login_urls = auth_pipeline_urls(
202
        third_party_auth.pipeline.AUTH_ENTRY_LOGIN,
203
        course_id=course_id,
204 205
        email_opt_in=email_opt_in,
        redirect_url=redirect_to
206 207
    )
    register_urls = auth_pipeline_urls(
208
        third_party_auth.pipeline.AUTH_ENTRY_REGISTER,
209
        course_id=course_id,
210 211
        email_opt_in=email_opt_in,
        redirect_url=redirect_to
212 213
    )

214 215 216 217 218
    if third_party_auth.is_enabled():
        context["providers"] = [
            {
                "name": enabled.NAME,
                "iconClass": enabled.ICON_CLASS,
219 220
                "loginUrl": login_urls[enabled.NAME],
                "registerUrl": register_urls[enabled.NAME]
221 222 223 224 225 226 227 228 229 230 231 232
            }
            for enabled in third_party_auth.provider.Registry.enabled()
        ]

        running_pipeline = third_party_auth.pipeline.get(request)
        if running_pipeline is not None:
            current_provider = third_party_auth.provider.Registry.get_by_backend_name(
                running_pipeline.get('backend')
            )
            context["currentProvider"] = current_provider.NAME

    return context
233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280


def _get_form_descriptions(request):
    """Retrieve form descriptions from the user API.

    Arguments:
        request (HttpRequest): The original request, used to retrieve session info.

    Returns:
        dict: Keys are 'login', 'registration', and 'password_reset';
            values are the JSON-serialized form descriptions.

    """
    return {
        'login': _local_server_get('/user_api/v1/account/login_session/', request.session),
        'registration': _local_server_get('/user_api/v1/account/registration/', request.session),
        'password_reset': _local_server_get('/user_api/v1/account/password_reset/', request.session)
    }


def _local_server_get(url, session):
    """Simulate a server-server GET request for an in-process API.

    Arguments:
        url (str): The URL of the request (excluding the protocol and domain)
        session (SessionStore): The session of the original request,
            used to get past the CSRF checks.

    Returns:
        str: The content of the response

    """
    # Since the user API is currently run in-process,
    # we simulate the server-server API call by constructing
    # our own request object.  We don't need to include much
    # information in the request except for the session
    # (to get past through CSRF validation)
    request = HttpRequest()
    request.method = "GET"
    request.session = session

    # Call the Django view function, simulating
    # the server-server API call
    view, args, kwargs = resolve(url)
    response = view(request, *args, **kwargs)

    # Return the content of the response
    return response.content
281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297


def _external_auth_intercept(request, mode):
    """Allow external auth to intercept a login/registration request.

    Arguments:
        request (Request): The original request.
        mode (str): Either "login" or "register"

    Returns:
        Response or None

    """
    if mode == "login":
        return external_auth_login(request)
    elif mode == "register":
        return external_auth_register(request)