freeCodeCamp/curriculum/challenges/spanish/06-information-security-and.../advanced-node-and-express/registration-of-new-users.s...

5.3 KiB

id title challengeType videoUrl localeTitle
58966a17f9fc0f352b528e6d Registration of New Users 2 Registro de nuevos usuarios

Description

Como recordatorio, este proyecto se está construyendo sobre el siguiente proyecto de inicio en Glitch , o clonado desde GitHub . Ahora debemos permitir que un nuevo usuario en nuestro sitio registre una cuenta. En el res.render para la página de inicio, agregue una nueva variable al objeto pasado a lo showRegistration: true . Cuando actualice su página, debería ver el formulario de registro que ya se creó en su archivo index.pug. Este formulario está configurado para POST on / register, de modo que aquí es donde debemos configurar para aceptar el POST y crear el objeto de usuario en la base de datos. La lógica de la ruta de registro debe ser la siguiente: Registrar el nuevo usuario> Autenticar el nuevo usuario> Redirigir a / perfil La lógica del paso 1, registrar al nuevo usuario, debe ser la siguiente: Consultar la base de datos con un comando findOne> if user se devuelve, entonces existe y se redirige a casa O si el usuario no está definido y no se produce ningún error, 'insertOne' en la base de datos con el nombre de usuario y la contraseña, y mientras no se produzcan errores, llame al siguiente paso para autenticar el nuevo usuario, para lo cual ya hemos escrito la lógica en nuestra ruta POST / login.
 app.route ('/ register')
  .post ((req, res, next) => {
      db.collection ('usuarios'). findOne ({username: req.body.username}, función (err, usuario) {
          if (err) {
              siguiente (err);
          } else if (usuario) {
              res.redirect ('/');
          } else {
              db.collection ('usuarios'). insertOne (
                {username: req.body.username,
                 contraseña: req.body.password},
                (err, doc) => {
                    if (err) {
                        res.redirect ('/');
                    } else {
                        siguiente (nulo, usuario);
                    }
                }
              )
          }
      })},
    passport.authenticate ('local', {failureRedirect: '/'}),
    (req, res, next) => {
        res.redirect ('/ profile');
    }
); 
Envía tu página cuando creas que lo has hecho bien. Si está teniendo errores, puede consultar el proyecto completado hasta este punto aquí .

Instructions

Tests

tests:
  - text: Registrar ruta y mostrar en casa
    testString: 'getUserInput => $.get(getUserInput("url")+ "/_api/server.js") .then(data => { assert.match(data, /showRegistration:( |)true/gi, "You should be passing the variable "showRegistration" as true to your render function for the homepage"); assert.match(data, /register[^]*post[^]*findOne[^]*username:( |)req.body.username/gi, "You should have a route accepted a post request on register that querys the db with findone and the query being "username: req.body.username""); }, xhr => { throw new Error(xhr.statusText); })'
  - text: El registro debería funcionar
    testString: 'getUserInput => $.ajax({url: getUserInput("url")+ "/register",data: {username: "freeCodeCampTester", password: "freeCodeCampTester"},crossDomain: true, type: "POST", xhrFields: { withCredentials: true }}) .then(data => { assert.match(data, /Profile/gi, "I should be able to register and it direct me to my profile. CLEAR YOUR DATABASE if this test fails (each time until its right!)"); }, xhr => { throw new Error(xhr.statusText); })'
  - text: El inicio de sesión debería funcionar
    testString: 'getUserInput => $.ajax({url: getUserInput("url")+ "/login",data: {username: "freeCodeCampTester", password: "freeCodeCampTester"}, type: "POST", xhrFields: { withCredentials: true }}) .then(data => { assert.match(data, /Profile/gi, "Login should work if previous test was done successfully and redirect successfully to the profile. Check your work and clear your DB"); assert.match(data, /freeCodeCampTester/gi, "The profile should properly display the welcome to the user logged in"); }, xhr => { throw new Error(xhr.statusText); })'
  - text: Cerrar sesión debería funcionar
    testString: 'getUserInput => $.ajax({url: getUserInput("url")+ "/logout", type: "GET", xhrFields: { withCredentials: true }}) .then(data => { assert.match(data, /Home/gi, "Logout should redirect to home"); }, xhr => { throw new Error(xhr.statusText); })'
  - text: El perfil ya no debería funcionar después de cerrar sesión
    testString: 'getUserInput => $.ajax({url: getUserInput("url")+ "/profile", type: "GET", crossDomain: true, xhrFields: { withCredentials: true }}) .then(data => { assert.match(data, /Home/gi, "Profile should redirect to home when we are logged out now again"); }, xhr => { throw new Error(xhr.statusText); })'

Challenge Seed

Solution

// solution required