WebAuthn Demo

Welcome, !

You are now logged in.

So, we\\'ve just added a simple login and registration form for users to sign in with WebAuthn. Also, if you check the element, we\\'ve included the link to the Inter font using Google Fonts, Tailwind CSS for styling, and the SimpleWebAuthn browser package.

SimpleWebAuthn is an easy-to-use library for integrating WebAuthn into your web applications, as the name suggests. It offers a client and server library to reduce the hassle of implementing Webauthn in your projects.

When you visit http://localhost:8010, the port will be what you\\'re using, you should see a form like the one below: \\\"Implementing  

Let\\'s create a script.js file that\\'ll store all the code for handling form submissions and interacting with the browser\\'s Web Authentication API for registration and authentication. Users must register on a website before logging in, so we must implement the registration functionality first.

Head to the script.js file and include the following code:

const { startRegistration, browserSupportsWebAuthn } = SimpleWebAuthnBrowser;document.addEventListener(\\\"DOMContentLoaded\\\", function () {  const usernameInput = document.getElementById(\\\"username\\\");  const registerBtn = document.getElementById(\\\"registerBtn\\\");  const loginBtn = document.getElementById(\\\"loginBtn\\\");  const errorDiv = document.getElementById(\\\"error\\\");  const loginForm = document.getElementById(\\\"loginForm\\\");  const welcomeMessage = document.getElementById(\\\"welcomeMessage\\\");  const usernameDisplay = document.getElementById(\\\"usernameDisplay\\\");  registerBtn.addEventListener(\\\"click\\\", handleRegister);  loginBtn.addEventListener(\\\"click\\\", handleLogin);});

At the start of the code above, we import the necessary functions to work with WebAuthn. The document.addEventListener(\\\"DOMContentLoaded\\\", function () { ... }) part ensures that the code inside the curly braces ({...}) executes after the web page is loaded.

It is important to avoid errors that might occur if you try to access elements that haven\\'t been loaded yet.

Within the DOMContentLoaded event handler, we\\'re initializing variables to store specific HTML elements we\\'ll be working with and event listeners for the login and registration buttons.

Next, let\\'s add the handleRegister() function. Inside the DOMContentLoaded event handler, add the code below:

async function handleRegister(evt) {  errorDiv.textContent = \\\"\\\";  errorDiv.style.display = \\\"none\\\";  const userName = usernameInput.value;  if (!browserSupportsWebAuthn()) {    return alert(\\\"This browser does not support WebAuthn\\\");  }  const resp = await fetch(`/api/register/start?username=${userName}`, {    credentials: \\\"include\\\"  });  const registrationOptions = await resp.json();  let authResponse;  try {    authResponse = await startRegistration(registrationOptions);  } catch (error) {    if (error.name === \\\"InvalidStateError\\\") {      errorDiv.textContent =        \\\"Error: Authenticator was probably already registered by user\\\";    } else {      errorDiv.textContent = error.message;    }  }  if (!authResponse) {    errorDiv.textContent = \\\"Failed to connect with your device\\\";    return;  }  const verificationResp = await fetch(    `/api/register/verify?username=${userName}`,    {      credentials: \\\"include\\\",      method: \\\"POST\\\",      headers: {        \\\"Content-Type\\\": \\\"application/json\\\",      },      body: JSON.stringify(authResponse),    }  );  if (!verificationResp.ok) {    errorDiv.textContent = \\\"Oh no, something went wrong!\\\";    return;  }  const verificationJSON = await verificationResp.json();  if (verificationJSON && verificationJSON.verified) {    alert(\\\"Registration successful! You can now login\\\");  } else {    errorDiv.textContent = \\\"Oh no, something went wrong!\\\";  }}

The handleRegister() function initiates the registration process by retrieving the username entered by the user from an input field. If the browser supports WebAuthn, it sends a request to the /api/register/start endpoint to initiate the registration process.

Once the registration options are retrieved, the startRegistration() method initiates the registration process with the received options. If the registration process is successful, it sends a verification request to another API endpoint /api/register/verify with the obtained authentication response and alerts the user that the registration was successful.

Since we haven\\'t built the API endpoint for handling user registration yet, it won\\'t function as expected, so let\\'s head back to the codebase and create it.

Building the registration API endpoints

To finish the registration functionality, we\\'ll need two API endpoints: one for generating the registration options that\\'ll be passed to the authenticator and the other for verifying the response from the authenticator. Then, we\\'ll store the credential data from the authenticator and user data in the database.

Let\\'s start by creating the MongoDB database models to store user data and passkey. At the project\\'s root, create a new folder called models and within that same folder, create two new files: User.js for the user data and PassKey.js for the passkey.

In the User.js file, add the following code:

import mongoose from \\\"mongoose\\\";const UserSchema = new mongoose.Schema(  {    username: {      type: String,      unique: true,      required: true,    },    authenticators: [],  },  { timestamps: true });const User = mongoose.model(\\\"User\\\", UserSchema);export default User;

We\\'re defining a simple schema for the user model that\\'ll store the data of registered users. Next, in the PassKey.js file, add the following code:

import mongoose from \\\"mongoose\\\";const PassKeySchema = new mongoose.Schema(  {    user: {      type: mongoose.Schema.ObjectId,      ref: \\\"User\\\",      required: true,    },    webAuthnUserID: {      type: String,      required: true,    },    credentialID: {      type: String,      required: true,    },    publicKey: {      type: String,      required: true,    },    counter: {      type: Number,      required: true,    },    deviceType: {      type: String,      enum: [\\\"singleDevice\\\", \\\"multiDevice\\\"],      required: true,    },    backedUp: {      type: Boolean,      required: true,    },    authenticators: [],    transports: [],  },  { timestamps: true });const PassKey = mongoose.model(\\\"PassKey\\\", PassKeySchema);export default PassKey;

We have created a schema for the PassKey model that stores all the necessary data of the authenticator after a successful registration. This schema will be used to identify the authenticator for all future authentications.

Having defined our data models, we can now set up the registration API endpoints. Within the root of the project, create two new folders: routes and controllers. Within each of the newly created folders, add a file named index.js. Within the routes/index.js file, add the code below:

import express from \\\"express\\\";import {  generateRegistrationOptionsCtrl,  verifyRegistrationCtrl,} from \\\"../controllers/index.js\\\";const router = express.Router();router.get(\\\"/register/start\\\", generateRegistrationOptionsCtrl);router.post(\\\"/register/verify\\\", verifyRegistrationCtrl);export default router;

We\\'re defining the routes we used earlier for user registration using Express.js. It imports two controller functions for generating registration options and verifying the response from the startRegistration() method that\\'ll be called in the browser.

Let\\'s start by adding the generateRegistrationOptionsCtrl() controller to generate the registration options. In the controllers/index.js file, add the following code:

// Import necessary modules and functionsimport {  generateRegistrationOptions,  verifyRegistrationResponse,} from \\\"@simplewebauthn/server\\\";import {  bufferToBase64URLString,  base64URLStringToBuffer,} from \\\"@simplewebauthn/browser\\\";import { v4 } from \\\"uuid\\\";import User from \\\"../models/User.js\\\";import PassKey from \\\"../models/PassKey.js\\\";// Human-readable title for your websiteconst relyingPartyName = \\\"WebAuthn Demo\\\";// A unique identifier for your websiteconst relyingPartyID = \\\"localhost\\\";// The URL at which registrations and authentications should occurconst origin = `http://${relyingPartyID}`;// Controller function to generate registration optionsexport const generateRegistrationOptionsCtrl = async (req, res) => {  const { username } = req.query;  const user = await User.findOne({ username });  let userAuthenticators = [];  // Retrieve authenticators used by the user before, if any  if (user) {    userAuthenticators = [...user.authenticators];  }  // Generate a unique ID for the current user session  let currentUserId;  if (!req.session.currentUserId) {    currentUserId = v4();    req.session.currentUserId = currentUserId;  } else {    currentUserId = req.session.currentUserId;  }  // Generate registration options  const options = await generateRegistrationOptions({    rpName: relyingPartyName,    rpID: relyingPartyID,    userID: currentUserId,    userName: username,    timeout: 60000,    attestationType: \\\"none\\\", // Don\\'t prompt users for additional information    excludeCredentials: userAuthenticators.map((authenticator) => ({      id: authenticator.credentialID,      type: \\\"public-key\\\",      transports: authenticator.transports,    })),    supportedAlgorithmIDs: [-7, -257],    authenticatorSelection: {      residentKey: \\\"preferred\\\",      userVerification: \\\"preferred\\\",    },  });  // Save the challenge to the session  req.session.challenge = options.challenge;  res.send(options);};

First, we import the necessary functions and modules from libraries like @simplewebauthn/server and uuid. These help us handle the authentication process smoothly.

Next, we define some constants. relyingPartyName is a friendly name for our website. In this case, it\\'s set to \\\"WebAuthn Demo.\\\" relyingPartyID is a unique identifier for our website. Here, it\\'s set to \\\"localhost\\\". Then, we construct the origin variable, the URL where registrations and authentications will happen. In this case, it\\'s constructed using the relying party ID.

Moving on to the main part of the code, we have the controller generateRegistrationOptionsCtrl(). It\\'s responsible for generating user registration options.

Inside this function, we first extract the username from the request. Then, we try to find the user in our database using this username. If we find the user, we retrieve the authenticators they\\'ve used before. Otherwise, we initialize an empty array for user authenticators.

Next, we generate a unique ID for the current user session. If there\\'s no ID stored in the session yet, we generate a new one using the v4 function from the uuid library and store it in the session. Otherwise, we retrieve the ID from the session.

Then, we use the generateRegistrationOptions() function to create user registration options. After generating these options, we save the challenge to the session and send the options back as a response.

Next, we\\'ll need to add the verifyRegistrationCtrl() controller to handle verifying the response sent from the browser after the user has initiated the registration:

// Controller function to verify registrationexport const verifyRegistrationCtrl = async (req, res) => {  const body = req.body;  const { username } = req.query;  const user = await User.findOne({ username });  const expectedChallenge = req.session.challenge;  // Check if the expected challenge exists  if (!expectedChallenge) {    return res.status(400).send({ error: \\\"Failed: No challenge found\\\" });  }  let verification;  try {    const verificationOptions = {      response: body,      expectedChallenge: `${expectedChallenge}`,      expectedOrigin: origin,      expectedRPID: relyingPartyID,      requireUserVerification: false,    };    verification = await verifyRegistrationResponse(verificationOptions);  } catch (error) {    console.error(error);    return res.status(400).send({ error: error.message });  }  const { verified, registrationInfo } = verification;  // If registration is verified, update user data  if (verified && registrationInfo) {    const {      credentialPublicKey,      credentialID,      counter,      credentialBackedUp,      credentialDeviceType,    } = registrationInfo;    const credId = bufferToBase64URLString(credentialID);    const credPublicKey = bufferToBase64URLString(credentialPublicKey);    const newDevice = {      credentialPublicKey: credPublicKey,      credentialID: credId,      counter,      transports: body.response.transports,    };    // Check if the device already exists for the user    const existingDevice = user?.authenticators.find(      (authenticator) => authenticator.credentialID === credId    );    if (!existingDevice && user) {      // Add the new device to the user\\'s list of devices      await User.updateOne(        { _id: user._id },        { $push: { authenticators: newDevice } }      );      await PassKey.create({        counter,        credentialID: credId,        user: user._id,        webAuthnUserID: req.session.currentUserId,        publicKey: credPublicKey,        backedUp: credentialBackedUp,        deviceType: credentialDeviceType,        transports: body.response.transports,        authenticators: [newDevice],      });    } else {      const newUser = await User.create({        username,        authenticators: [newDevice],      });      await PassKey.create({        counter,        credentialID: credId,        user: newUser._id,        webAuthnUserID: req.session.currentUserId,        publicKey: credPublicKey,        backedUp: credentialBackedUp,        deviceType: credentialDeviceType,        transports: body.response.transports,        authenticators: [newDevice],      });    }  }  // Clear the challenge from the session  req.session.challenge = undefined;  res.send({ verified });};

The verifyRegistrationCtrl() controller searches for a user in the database based on the provided username. If found, it retrieves the expected challenge from the session data. If there\\'s no expected challenge, the function returns an error. It then sets up verification options and calls a function named verifyRegistrationResponse.

If an error occurs, it logs the error and sends a response with the error message. If the registration is successfully verified, the function updates the user\\'s data with the information provided in the registration response. It adds the new device to the user\\'s list of devices if it does not exist.

Finally, the challenge is cleared from the session, and a response indicates whether the registration was successfully verified.

Before we head back to the browser to test what we\\'ve done so far, return to the app.js file and add the following code to register the routes:

import router from \\\"./routes/index.js\\\"; // place this at the start of the fileapp.use(\\\"/api\\\", router); // place this before the call to `app.listen()`

Now that we\\'ve assembled all the pieces for the registration functionality, we can return to the browser to test it out.

When you enter a username and click the \\\"register\\\" button, you should see a prompt similar to the one shown below:  

\\\"Implementing   To create a new passkey, you can now scan the QR code with your Android or iOS device. Upon successfully creating the passkey, a response is sent from the startRegistration() method to the /register/verify endpoint. Still, you\\'ll notice it fails because of the error sent from the API:

{    \\\"error\\\": \\\"Unexpected registration response origin \\\\\\\"http://localhost:8030\\\\\\\", expected \\\\\\\"http://localhost\\\\\\\"\\\"}

Why this is happening is because the origin that the verifyRegistrationResponse() method expected, which is http://localhost, is different from http://localhost:8010, was sent.

So, you might wonder why we can\\'t just change it to http://localhost:8010. That’s because when we defined the origin in the controllers/index.js file, the relyingPartyID was set to \\\"localhost\\\", and we can\\'t explicitly specify the port for the relying party ID.

An approach to get around this issue is to use a web tunneling service like tunnelmole or ngrok to expose our local server to the internet with a publicly accessible URL so we don\\'t have to specify the port when defining the relyingPartyID.

Exposing your local server to the internet

Let\\'s quickly set up tunnelmole to share the server on our local machine to a live URL.

First, let\\'s install tunnelmole by entering the command below in your terminal:

sudo npm install -g tunnelmole

Next, enter the command below to make the server running locally available on the internet:

tmole 

You should see an output like this from your terminal if it was successful: \\\"Implementing You can now use the tunnelmole URL as the origin:

const relyingPartyID = \\\"randomstring.tunnelmole.net\\\"; // use output from your terminalconst origin = `https://${relyingPartyID}`; // webauthn only works with https

Everything should work as expected, so head back to your browser to start the registration process. Once you\\'re done, an alert should pop up informing you that the registration was successful and that you can now log in: \\\"Implementing  

We\\'ve successfully set up the user registration feature. The only thing left to do is implement the logging-in functionality.

Building the login functionality

The login process will follow a similar flow to the registration process. First, we’ll request authentication options from the server to be passed to the authenticator on your device.

Afterward, a request will be sent to the server to verify the authenticator\\'s response. If all the criteria are met, the user can log in successfully.

Head back to the public/script.js file, and include the function to handle when the \\\"login\\\" button is clicked:

async function handleLogin(evt) {  errorDiv.textContent = \\\"\\\";  errorDiv.style.display = \\\"none\\\";  const userName = usernameInput.value;  if (!browserSupportsWebAuthn()) {    return alert(\\\"This browser does not support WebAuthn\\\");  }  const resp = await fetch(`/api/login/start?username=${userName}`, {    credentials: \\\"include\\\",    headers: {      \\\"ngrok-skip-browser-warning\\\": \\\"69420\\\",    },  });  if (!resp.ok) {    const error = (await resp.json()).error;    errorDiv.textContent = error;    errorDiv.style.display = \\\"block\\\";    return;  }  let asseResp;  try {    asseResp = await startAuthentication(await resp.json());  } catch (error) {    errorDiv.textContent = error.message;    errorDiv.style.display = \\\"block\\\";  }  if (!asseResp) {    errorDiv.textContent = \\\"Failed to connect with your device\\\";    errorDiv.style.display = \\\"block\\\";    return;  }  const verificationResp = await fetch(    `/api/login/verify?username=${userName}`,    {      credentials: \\\"include\\\",      method: \\\"POST\\\",      headers: {        \\\"Content-Type\\\": \\\"application/json\\\",        \\\"ngrok-skip-browser-warning\\\": \\\"69420\\\",      },      body: JSON.stringify(asseResp),    }  );  const verificationJSON = await verificationResp.json();  if (verificationJSON && verificationJSON.verified) {    const userName = verificationJSON.username;    // Hide login form and show welcome message    loginForm.style.display = \\\"none\\\";    welcomeMessage.style.display = \\\"block\\\";    usernameDisplay.textContent = userName;  } else {    errorDiv.textContent = \\\"Oh no, something went wrong!\\\";    errorDiv.style.display = \\\"block\\\";  }}

The function starts by clearing error messages and retrieving the user\\'s username from the form. It checks if the browser supports WebAuthn; if it does, it sends a request to the server to initiate the login process.

If the response from the server is successful, it attempts to authenticate the user. Upon successful authentication, it hides the login form and displays a welcome message with the user\\'s name. Otherwise, it displays an error message to the user.

Next, head back to the routes/index.js file and add the routes for logging in:

router.get(\\\"/login/start\\\", generateAuthenticationOptionsCtrl);router.post(\\\"/login/verify\\\", verifyAuthenticationCtrl);

Don\\'t forget to update the imports, as you\\'re including the code above. Let\\'s continue by adding the code to generate the authentication options. Go to the controllers/index.js file and add the following code:

// Controller function to generate authentication optionsexport const generateAuthenticationOptionsCtrl = async (req, res) => {  const { username } = req.query;  const user = await User.findOne({ username });  if (!user) {    return res      .status(404)      .send({ error: \\\"User with this username does not exist\\\" });  }  const options = await generateAuthenticationOptions({    rpID: relyingPartyID,    timeout: 60000,    allowCredentials: user.authenticators.map((authenticator) => ({      id: base64URLStringToBuffer(authenticator.credentialID),      transports: authenticator.transports,      type: \\\"public-key\\\",    })),    userVerification: \\\"preferred\\\",  });  req.session.challenge = options.challenge;  res.send(options);};

The generateAuthenticationOptionsCtrl() controller starts by extracting the username from the request query and searching for the user in the database. If found, it proceeds to generate authentication options crucial for the process.

These options include the relying party ID (rpID), timeout, allowed credentials derived from stored authenticators, and user verification option set to preferred. Then, it stores the challenge from the options in the session for authentication verification and sends them as a response to the browser.

Let\\'s add the controller for verifying the authenticator\\'s response for the final part of the auth flow:

// Controller function to verify authenticationexport const verifyAuthenticationCtrl = async (req, res) => {  const body = req.body;  const { username } = req.query;  const user = await User.findOne({ username });  if (!user) {    return res      .status(404)      .send({ error: \\\"User with this username does not exist\\\" });  }  const passKey = await PassKey.findOne({    user: user._id,    credentialID: body.id,  });  if (!passKey) {    return res      .status(400)      .send({ error: \\\"Could not find passkey for this user\\\" });  }  const expectedChallenge = req.session.challenge;  let dbAuthenticator;  // Check if the authenticator exists in the user\\'s data  for (const authenticator of user.authenticators) {    if (authenticator.credentialID === body.id) {      dbAuthenticator = authenticator;      dbAuthenticator.credentialPublicKey = base64URLStringToBuffer(        authenticator.credentialPublicKey      );      break;    }  }  // If the authenticator is not found, return an error  if (!dbAuthenticator) {    return res.status(400).send({      error: \\\"This authenticator is not registered with this site\\\",    });  }  let verification;  try {    const verificationOptions = {      response: body,      expectedChallenge: `${expectedChallenge}`,      expectedOrigin: origin,      expectedRPID: relyingPartyID,      authenticator: dbAuthenticator,      requireUserVerification: false,    };    verification = await verifyAuthenticationResponse(verificationOptions);  } catch (error) {    console.error(error);    return res.status(400).send({ error: error.message });  }  const { verified, authenticationInfo } = verification;  if (verified) {    // Update the authenticator\\'s counter in the DB to the newest count in the authentication    dbAuthenticator.counter = authenticationInfo.newCounter;    const filter = { username };    const update = {      $set: {        \\\"authenticators.$[element].counter\\\": authenticationInfo.newCounter,      },    };    const options = {      arrayFilters: [{ \\\"element.credentialID\\\": dbAuthenticator.credentialID }],    };    await User.updateOne(filter, update, options);  }  // Clear the challenge from the session  req.session.challenge = undefined;  res.send({ verified, username: user.username });};

The verifyAuthenticationCtrl() controller first extracts data from the request body and query, including the username and authentication details. It then searches for the user in the database. If not found, it returns a 404 error.

Assuming the user exists, it proceeds to find the passkey associated with the user and provides authentication details. If no passkey is found, it returns a 400 error.

Then, the expected challenge value is retrieved from the session data and iterates over the user\\'s authenticators to find a match.

After attempting the verification, if an error occurs, the error is logged to the console and a 400 error is returned. If the verification is successful, the authenticator\\'s counter is updated in the database, and the challenge is cleared from the session. Finally, the response includes the verification status and the username.

Return to your browser to ensure that everything functions as expected. Below is a GIF demonstrating the entire authentication process: \\\"Implementing  

We\\'ve successfully implemented the WebAuthn authentication, providing our users with a fast, secure, and password-less way to authenticate themselves. With biometric information or physical security keys, users can access their accounts securely.

Benefits and limitations of WebAuthn

While WebAuthn presents a solution to modern authentication challenges, it\\'s essential to understand its strengths and weaknesses. Below, we highlight the key advantages and potential drawbacks of adopting WebAuthn in your authentication strategy.

Benefits of WebAuthn

WebAuthn offers a higher security level than traditional password-based authentication methods because of how it leverages public key cryptography to mitigate the risks associated with password breaches and phishing attacks.

So, even in the event of a cyber attack, perpetrators will only have access to your public key which, on its own, is insufficient to gain access to your account.

Support for various authentication factors like biometric data and physical security keys provides the kind of flexibility that allows you to implement multi-factor authentication for added security.

Since WebAuthn is currently supported by most modern web browsers and platforms, this makes it accessible to many users. The authentication experience is also the same across various devices and operating systems to ensure consistency.

Limitations of WebAuthn

Integrating WebAuthn can be technically challenging for organizations with complex or legacy systems. Then imagine all of the types of devices your users may be using and any other associated technical limitations.

Another important limitation is the human aspect — how accessible is the authentication process for your users? Unfamiliarity with the technology can either put users off or require creating education and instructional resources.

Conclusion

In this article, we\\'ve seen how WebAuthn provides a passwordless authentication process that uses public-key cryptography under the hood for a secure and convenient login experience. With a practical example and clear explanations, we\\'ve covered how to set up WebAuthn in a web application to enjoy a smoother and safer way to authenticate in our apps.


LogRocket: Debug JavaScript errors more easily by understanding the context

Debugging code is always a tedious task. But the more you understand your errors, the easier it is to fix them.

LogRocket allows you to understand these errors in new and unique ways. Our frontend monitoring solution tracks user engagement with your JavaScript frontends to give you the ability to see exactly what the user did that led to an error.

\\\"Implementing

LogRocket records console logs, page load times, stack traces, slow network requests/responses with headers bodies, browser metadata, and custom logs. Understanding the impact of your JavaScript code will never be easier!

Try it for free.

","image":"http://www.luping.net/uploads/20241011/17286278456708c485bdf7d.png","datePublished":"2024-11-08T22:00:47+08:00","dateModified":"2024-11-08T22:00:47+08:00","author":{"@type":"Person","name":"luping.net","url":"https://www.luping.net/articlelist/0_1.html"}}
」工欲善其事,必先利其器。「—孔子《論語.錄靈公》
首頁 > 程式設計 > 實作 WebAuthn 以實現無密碼登入

實作 WebAuthn 以實現無密碼登入

發佈於2024-11-08
瀏覽:716

Written by Oghenetega Denedo✏️

Remembering and storing passwords can be such a hassle for our users — imagine if logging in was overall easier for everyone. That's where WebAuthn, or Web Authentication API, comes in. WebAuthn aims to offer a future without passwords.

In this article, we'll cover what makes WebAuthn work, breaking down how it uses public key cryptography to keep things secure. We'll also guide you through integrating WebAuthn for a simple web app to learn how to use the API practically.

Like any solution, WebAuthn has its good and not-so-great sides. We'll review its advantages and disadvantages so you can determine if it's the best fit for your authentication needs. Come along as we attempt to say goodbye to password headaches and explore the promise of a seamless login experience with WebAuthn.

Things to know before learning about WebAuthn

Before we walk through implementing passwordless logins with WebAuthn, it's essential that you have the following prerequisites in place:

  • Node.js installed on your machine
  • An Android or iOS device that is compatible with WebAuthn for testing purposes
  • Basic familiarity with Node.js and Express.js
  • MongoDB database to store user credentials and passkeys

If you’re already familiar with what WebAuthn is and how it works, feel free to skip to the implementation section. If you feel like you need a refresher, then the below should help set the foundation straight.

What is WebAuthn?

WebAuthn is a web standard initiated out of the need for secure and passwordless authentication in web applications to tackle the major shortcomings of using passwords.

The project was published by the World Wide Web Consortium (W3C) in collaboration with the FIDO (Fast Identity Online) with the aim of creating a standardized interface that works across devices and operating systems for authenticating users.

On a practical level, WebAuthn is made up of three essential components: the relying party, the WebAuthn client, and the authenticator.

The relying party is the online service or application that requests authentication for the user.

The WebAuthn client acts as an intermediary between the user and the relying party — it’s embedded in any compatible web browser or mobile app that supports WebAuthn.

The authenticator is the device or method used to verify the user's identity, such as a fingerprint scanner, a facial recognition system, or a hardware security key.

How does WebAuthn work?

When registering for an account on a website supporting WebAuthn, you start a signup process that involves using an authenticator such as your fingerprint scanner on your phone. This results in generating a public key stored in the relying party’s database and a private key safely stored on your device via a secure hardware layer.

Since the website won’t request a password when attempting to log in. What really happens is that after initiating the log in a challenge is sent to your device. This challenge usually contains information like the website address to confirm that you are logging in from the website the relying party expects.

After receiving the challenge from the website, your device uses your private key to create a signed response. This response shows that you own the corresponding public key stored by the website without disclosing the private key itself.

The relying party validates the stored public key upon receiving your signed response. If the signature aligns, the website can ascertain that you are the real user and grants you access. No passwords were exchanged, and your private key remained securely on your device.

How to implement passwordless authentication with WebAuthn

Now that we've covered the fundamental concepts of WebAuthn, we can see how all this plays out in practice. The application we'll be building will be a simple Express.js app with a couple of API endpoints to handle the registration and login, a basic HTML page containing the login and registration form.

Project Setup

First, you'll need to clone the project from GitHub, which contains the starter code so we don't have much scaffolding to do.

In your terminal, enter the commands below:

git clone https://github.com/josephden16/webauthn-demo.git

git checkout start-here # note: make sure you're on the starter branch

If you want to view the final solution, check into the final-solution or main branch.

Next, install the project dependencies:

npm install

Next, create a new file, .env, at the project's root. Copy the contents of the .env.sample into it, and supply the appropriate values:

# .env
PORT=8000
MONGODB_URL=

After following these steps, the project should run without throwing errors, but to confirm, enter the command below to start the development server:

npm run dev

With that, we've set up the project. In the next section, we'll add the login and registration form.

Creating the login and registration form

The next step in our process is creating a single form that can handle registration and logging in. To do this, we must create a new directory in our codebase called public. Inside this directory, we will create a new file called index.html. This file will contain the necessary code to build the form we need.

Inside the index.html file, add the following code:




  
  
  WebAuthn Demo
  
  
  
  
  
  



  

WebAuthn Demo

So, we've just added a simple login and registration form for users to sign in with WebAuthn. Also, if you check the

element, we've included the link to the Inter font using Google Fonts, Tailwind CSS for styling, and the SimpleWebAuthn browser package.

SimpleWebAuthn is an easy-to-use library for integrating WebAuthn into your web applications, as the name suggests. It offers a client and server library to reduce the hassle of implementing Webauthn in your projects.

When you visit http://localhost:8010, the port will be what you're using, you should see a form like the one below: Implementing WebAuthn for passwordless logins  

Let's create a script.js file that'll store all the code for handling form submissions and interacting with the browser's Web Authentication API for registration and authentication. Users must register on a website before logging in, so we must implement the registration functionality first.

Head to the script.js file and include the following code:

const { startRegistration, browserSupportsWebAuthn } = SimpleWebAuthnBrowser;

document.addEventListener("DOMContentLoaded", function () {
  const usernameInput = document.getElementById("username");
  const registerBtn = document.getElementById("registerBtn");
  const loginBtn = document.getElementById("loginBtn");
  const errorDiv = document.getElementById("error");
  const loginForm = document.getElementById("loginForm");
  const welcomeMessage = document.getElementById("welcomeMessage");
  const usernameDisplay = document.getElementById("usernameDisplay");

  registerBtn.addEventListener("click", handleRegister);
  loginBtn.addEventListener("click", handleLogin);
});

At the start of the code above, we import the necessary functions to work with WebAuthn. The document.addEventListener("DOMContentLoaded", function () { ... }) part ensures that the code inside the curly braces ({...}) executes after the web page is loaded.

It is important to avoid errors that might occur if you try to access elements that haven't been loaded yet.

Within the DOMContentLoaded event handler, we're initializing variables to store specific HTML elements we'll be working with and event listeners for the login and registration buttons.

Next, let's add the handleRegister() function. Inside the DOMContentLoaded event handler, add the code below:

async function handleRegister(evt) {
  errorDiv.textContent = "";
  errorDiv.style.display = "none";
  const userName = usernameInput.value;

  if (!browserSupportsWebAuthn()) {
    return alert("This browser does not support WebAuthn");
  }

  const resp = await fetch(`/api/register/start?username=${userName}`, {
    credentials: "include"
  });
  const registrationOptions = await resp.json();
  let authResponse;
  try {
    authResponse = await startRegistration(registrationOptions);
  } catch (error) {
    if (error.name === "InvalidStateError") {
      errorDiv.textContent =
        "Error: Authenticator was probably already registered by user";
    } else {
      errorDiv.textContent = error.message;
    }
  }
  if (!authResponse) {
    errorDiv.textContent = "Failed to connect with your device";
    return;
  }
  const verificationResp = await fetch(
    `/api/register/verify?username=${userName}`,
    {
      credentials: "include",
      method: "POST",
      headers: {
        "Content-Type": "application/json",
      },
      body: JSON.stringify(authResponse),
    }
  );
  if (!verificationResp.ok) {
    errorDiv.textContent = "Oh no, something went wrong!";
    return;
  }
  const verificationJSON = await verificationResp.json();
  if (verificationJSON && verificationJSON.verified) {
    alert("Registration successful! You can now login");
  } else {
    errorDiv.textContent = "Oh no, something went wrong!";
  }
}

The handleRegister() function initiates the registration process by retrieving the username entered by the user from an input field. If the browser supports WebAuthn, it sends a request to the /api/register/start endpoint to initiate the registration process.

Once the registration options are retrieved, the startRegistration() method initiates the registration process with the received options. If the registration process is successful, it sends a verification request to another API endpoint /api/register/verify with the obtained authentication response and alerts the user that the registration was successful.

Since we haven't built the API endpoint for handling user registration yet, it won't function as expected, so let's head back to the codebase and create it.

Building the registration API endpoints

To finish the registration functionality, we'll need two API endpoints: one for generating the registration options that'll be passed to the authenticator and the other for verifying the response from the authenticator. Then, we'll store the credential data from the authenticator and user data in the database.

Let's start by creating the MongoDB database models to store user data and passkey. At the project's root, create a new folder called models and within that same folder, create two new files: User.js for the user data and PassKey.js for the passkey.

In the User.js file, add the following code:

import mongoose from "mongoose";

const UserSchema = new mongoose.Schema(
  {
    username: {
      type: String,
      unique: true,
      required: true,
    },
    authenticators: [],
  },
  { timestamps: true }
);

const User = mongoose.model("User", UserSchema);

export default User;

We're defining a simple schema for the user model that'll store the data of registered users. Next, in the PassKey.js file, add the following code:

import mongoose from "mongoose";

const PassKeySchema = new mongoose.Schema(
  {
    user: {
      type: mongoose.Schema.ObjectId,
      ref: "User",
      required: true,
    },
    webAuthnUserID: {
      type: String,
      required: true,
    },
    credentialID: {
      type: String,
      required: true,
    },
    publicKey: {
      type: String,
      required: true,
    },
    counter: {
      type: Number,
      required: true,
    },
    deviceType: {
      type: String,
      enum: ["singleDevice", "multiDevice"],
      required: true,
    },
    backedUp: {
      type: Boolean,
      required: true,
    },
    authenticators: [],
    transports: [],
  },
  { timestamps: true }
);
const PassKey = mongoose.model("PassKey", PassKeySchema);

export default PassKey;

We have created a schema for the PassKey model that stores all the necessary data of the authenticator after a successful registration. This schema will be used to identify the authenticator for all future authentications.

Having defined our data models, we can now set up the registration API endpoints. Within the root of the project, create two new folders: routes and controllers. Within each of the newly created folders, add a file named index.js. Within the routes/index.js file, add the code below:

import express from "express";
import {
  generateRegistrationOptionsCtrl,
  verifyRegistrationCtrl,
} from "../controllers/index.js";

const router = express.Router();

router.get("/register/start", generateRegistrationOptionsCtrl);
router.post("/register/verify", verifyRegistrationCtrl);

export default router;

We're defining the routes we used earlier for user registration using Express.js. It imports two controller functions for generating registration options and verifying the response from the startRegistration() method that'll be called in the browser.

Let's start by adding the generateRegistrationOptionsCtrl() controller to generate the registration options. In the controllers/index.js file, add the following code:

// Import necessary modules and functions
import {
  generateRegistrationOptions,
  verifyRegistrationResponse,
} from "@simplewebauthn/server";
import {
  bufferToBase64URLString,
  base64URLStringToBuffer,
} from "@simplewebauthn/browser";
import { v4 } from "uuid";
import User from "../models/User.js";
import PassKey from "../models/PassKey.js";

// Human-readable title for your website
const relyingPartyName = "WebAuthn Demo";
// A unique identifier for your website
const relyingPartyID = "localhost";
// The URL at which registrations and authentications should occur
const origin = `http://${relyingPartyID}`;

// Controller function to generate registration options
export const generateRegistrationOptionsCtrl = async (req, res) => {
  const { username } = req.query;
  const user = await User.findOne({ username });
  let userAuthenticators = [];

  // Retrieve authenticators used by the user before, if any
  if (user) {
    userAuthenticators = [...user.authenticators];
  }

  // Generate a unique ID for the current user session
  let currentUserId;
  if (!req.session.currentUserId) {
    currentUserId = v4();
    req.session.currentUserId = currentUserId;
  } else {
    currentUserId = req.session.currentUserId;
  }

  // Generate registration options
  const options = await generateRegistrationOptions({
    rpName: relyingPartyName,
    rpID: relyingPartyID,
    userID: currentUserId,
    userName: username,
    timeout: 60000,
    attestationType: "none", // Don't prompt users for additional information
    excludeCredentials: userAuthenticators.map((authenticator) => ({
      id: authenticator.credentialID,
      type: "public-key",
      transports: authenticator.transports,
    })),
    supportedAlgorithmIDs: [-7, -257],
    authenticatorSelection: {
      residentKey: "preferred",
      userVerification: "preferred",
    },
  });

  // Save the challenge to the session
  req.session.challenge = options.challenge;
  res.send(options);
};

First, we import the necessary functions and modules from libraries like @simplewebauthn/server and uuid. These help us handle the authentication process smoothly.

Next, we define some constants. relyingPartyName is a friendly name for our website. In this case, it's set to "WebAuthn Demo." relyingPartyID is a unique identifier for our website. Here, it's set to "localhost". Then, we construct the origin variable, the URL where registrations and authentications will happen. In this case, it's constructed using the relying party ID.

Moving on to the main part of the code, we have the controller generateRegistrationOptionsCtrl(). It's responsible for generating user registration options.

Inside this function, we first extract the username from the request. Then, we try to find the user in our database using this username. If we find the user, we retrieve the authenticators they've used before. Otherwise, we initialize an empty array for user authenticators.

Next, we generate a unique ID for the current user session. If there's no ID stored in the session yet, we generate a new one using the v4 function from the uuid library and store it in the session. Otherwise, we retrieve the ID from the session.

Then, we use the generateRegistrationOptions() function to create user registration options. After generating these options, we save the challenge to the session and send the options back as a response.

Next, we'll need to add the verifyRegistrationCtrl() controller to handle verifying the response sent from the browser after the user has initiated the registration:

// Controller function to verify registration
export const verifyRegistrationCtrl = async (req, res) => {
  const body = req.body;
  const { username } = req.query;
  const user = await User.findOne({ username });
  const expectedChallenge = req.session.challenge;

  // Check if the expected challenge exists
  if (!expectedChallenge) {
    return res.status(400).send({ error: "Failed: No challenge found" });
  }

  let verification;

  try {
    const verificationOptions = {
      response: body,
      expectedChallenge: `${expectedChallenge}`,
      expectedOrigin: origin,
      expectedRPID: relyingPartyID,
      requireUserVerification: false,
    };
    verification = await verifyRegistrationResponse(verificationOptions);
  } catch (error) {
    console.error(error);
    return res.status(400).send({ error: error.message });
  }

  const { verified, registrationInfo } = verification;

  // If registration is verified, update user data
  if (verified && registrationInfo) {
    const {
      credentialPublicKey,
      credentialID,
      counter,
      credentialBackedUp,
      credentialDeviceType,
    } = registrationInfo;

    const credId = bufferToBase64URLString(credentialID);
    const credPublicKey = bufferToBase64URLString(credentialPublicKey);

    const newDevice = {
      credentialPublicKey: credPublicKey,
      credentialID: credId,
      counter,
      transports: body.response.transports,
    };

    // Check if the device already exists for the user
    const existingDevice = user?.authenticators.find(
      (authenticator) => authenticator.credentialID === credId
    );

    if (!existingDevice && user) {
      // Add the new device to the user's list of devices
      await User.updateOne(
        { _id: user._id },
        { $push: { authenticators: newDevice } }
      );
      await PassKey.create({
        counter,
        credentialID: credId,
        user: user._id,
        webAuthnUserID: req.session.currentUserId,
        publicKey: credPublicKey,
        backedUp: credentialBackedUp,
        deviceType: credentialDeviceType,
        transports: body.response.transports,
        authenticators: [newDevice],
      });
    } else {
      const newUser = await User.create({
        username,
        authenticators: [newDevice],
      });
      await PassKey.create({
        counter,
        credentialID: credId,
        user: newUser._id,
        webAuthnUserID: req.session.currentUserId,
        publicKey: credPublicKey,
        backedUp: credentialBackedUp,
        deviceType: credentialDeviceType,
        transports: body.response.transports,
        authenticators: [newDevice],
      });
    }
  }

  // Clear the challenge from the session
  req.session.challenge = undefined;
  res.send({ verified });
};

The verifyRegistrationCtrl() controller searches for a user in the database based on the provided username. If found, it retrieves the expected challenge from the session data. If there's no expected challenge, the function returns an error. It then sets up verification options and calls a function named verifyRegistrationResponse.

If an error occurs, it logs the error and sends a response with the error message. If the registration is successfully verified, the function updates the user's data with the information provided in the registration response. It adds the new device to the user's list of devices if it does not exist.

Finally, the challenge is cleared from the session, and a response indicates whether the registration was successfully verified.

Before we head back to the browser to test what we've done so far, return to the app.js file and add the following code to register the routes:

import router from "./routes/index.js"; // place this at the start of the file

app.use("/api", router); // place this before the call to `app.listen()`

Now that we've assembled all the pieces for the registration functionality, we can return to the browser to test it out.

When you enter a username and click the "register" button, you should see a prompt similar to the one shown below:  

Implementing WebAuthn for passwordless logins   To create a new passkey, you can now scan the QR code with your Android or iOS device. Upon successfully creating the passkey, a response is sent from the startRegistration() method to the /register/verify endpoint. Still, you'll notice it fails because of the error sent from the API:

{
    "error": "Unexpected registration response origin \"http://localhost:8030\", expected \"http://localhost\""
}

Why this is happening is because the origin that the verifyRegistrationResponse() method expected, which is http://localhost, is different from http://localhost:8010, was sent.

So, you might wonder why we can't just change it to http://localhost:8010. That’s because when we defined the origin in the controllers/index.js file, the relyingPartyID was set to "localhost", and we can't explicitly specify the port for the relying party ID.

An approach to get around this issue is to use a web tunneling service like tunnelmole or ngrok to expose our local server to the internet with a publicly accessible URL so we don't have to specify the port when defining the relyingPartyID.

Exposing your local server to the internet

Let's quickly set up tunnelmole to share the server on our local machine to a live URL.

First, let's install tunnelmole by entering the command below in your terminal:

sudo npm install -g tunnelmole

Next, enter the command below to make the server running locally available on the internet:

tmole 

You should see an output like this from your terminal if it was successful: Implementing WebAuthn for passwordless logins You can now use the tunnelmole URL as the origin:

const relyingPartyID = "randomstring.tunnelmole.net"; // use output from your terminal
const origin = `https://${relyingPartyID}`; // webauthn only works with https

Everything should work as expected, so head back to your browser to start the registration process. Once you're done, an alert should pop up informing you that the registration was successful and that you can now log in: Implementing WebAuthn for passwordless logins  

We've successfully set up the user registration feature. The only thing left to do is implement the logging-in functionality.

Building the login functionality

The login process will follow a similar flow to the registration process. First, we’ll request authentication options from the server to be passed to the authenticator on your device.

Afterward, a request will be sent to the server to verify the authenticator's response. If all the criteria are met, the user can log in successfully.

Head back to the public/script.js file, and include the function to handle when the "login" button is clicked:

async function handleLogin(evt) {
  errorDiv.textContent = "";
  errorDiv.style.display = "none";
  const userName = usernameInput.value;
  if (!browserSupportsWebAuthn()) {
    return alert("This browser does not support WebAuthn");
  }
  const resp = await fetch(`/api/login/start?username=${userName}`, {
    credentials: "include",
    headers: {
      "ngrok-skip-browser-warning": "69420",
    },
  });
  if (!resp.ok) {
    const error = (await resp.json()).error;
    errorDiv.textContent = error;
    errorDiv.style.display = "block";
    return;
  }
  let asseResp;
  try {
    asseResp = await startAuthentication(await resp.json());
  } catch (error) {
    errorDiv.textContent = error.message;
    errorDiv.style.display = "block";
  }
  if (!asseResp) {
    errorDiv.textContent = "Failed to connect with your device";
    errorDiv.style.display = "block";
    return;
  }
  const verificationResp = await fetch(
    `/api/login/verify?username=${userName}`,
    {
      credentials: "include",
      method: "POST",
      headers: {
        "Content-Type": "application/json",
        "ngrok-skip-browser-warning": "69420",
      },
      body: JSON.stringify(asseResp),
    }
  );
  const verificationJSON = await verificationResp.json();
  if (verificationJSON && verificationJSON.verified) {
    const userName = verificationJSON.username;
    // Hide login form and show welcome message
    loginForm.style.display = "none";
    welcomeMessage.style.display = "block";
    usernameDisplay.textContent = userName;
  } else {
    errorDiv.textContent = "Oh no, something went wrong!";
    errorDiv.style.display = "block";
  }
}

The function starts by clearing error messages and retrieving the user's username from the form. It checks if the browser supports WebAuthn; if it does, it sends a request to the server to initiate the login process.

If the response from the server is successful, it attempts to authenticate the user. Upon successful authentication, it hides the login form and displays a welcome message with the user's name. Otherwise, it displays an error message to the user.

Next, head back to the routes/index.js file and add the routes for logging in:

router.get("/login/start", generateAuthenticationOptionsCtrl);
router.post("/login/verify", verifyAuthenticationCtrl);

Don't forget to update the imports, as you're including the code above. Let's continue by adding the code to generate the authentication options. Go to the controllers/index.js file and add the following code:

// Controller function to generate authentication options
export const generateAuthenticationOptionsCtrl = async (req, res) => {
  const { username } = req.query;
  const user = await User.findOne({ username });
  if (!user) {
    return res
      .status(404)
      .send({ error: "User with this username does not exist" });
  }
  const options = await generateAuthenticationOptions({
    rpID: relyingPartyID,
    timeout: 60000,
    allowCredentials: user.authenticators.map((authenticator) => ({
      id: base64URLStringToBuffer(authenticator.credentialID),
      transports: authenticator.transports,
      type: "public-key",
    })),
    userVerification: "preferred",
  });
  req.session.challenge = options.challenge;
  res.send(options);
};

The generateAuthenticationOptionsCtrl() controller starts by extracting the username from the request query and searching for the user in the database. If found, it proceeds to generate authentication options crucial for the process.

These options include the relying party ID (rpID), timeout, allowed credentials derived from stored authenticators, and user verification option set to preferred. Then, it stores the challenge from the options in the session for authentication verification and sends them as a response to the browser.

Let's add the controller for verifying the authenticator's response for the final part of the auth flow:

// Controller function to verify authentication
export const verifyAuthenticationCtrl = async (req, res) => {
  const body = req.body;
  const { username } = req.query;
  const user = await User.findOne({ username });
  if (!user) {
    return res
      .status(404)
      .send({ error: "User with this username does not exist" });
  }
  const passKey = await PassKey.findOne({
    user: user._id,
    credentialID: body.id,
  });
  if (!passKey) {
    return res
      .status(400)
      .send({ error: "Could not find passkey for this user" });
  }
  const expectedChallenge = req.session.challenge;
  let dbAuthenticator;
  // Check if the authenticator exists in the user's data
  for (const authenticator of user.authenticators) {
    if (authenticator.credentialID === body.id) {
      dbAuthenticator = authenticator;
      dbAuthenticator.credentialPublicKey = base64URLStringToBuffer(
        authenticator.credentialPublicKey
      );
      break;
    }
  }
  // If the authenticator is not found, return an error
  if (!dbAuthenticator) {
    return res.status(400).send({
      error: "This authenticator is not registered with this site",
    });
  }
  let verification;
  try {
    const verificationOptions = {
      response: body,
      expectedChallenge: `${expectedChallenge}`,
      expectedOrigin: origin,
      expectedRPID: relyingPartyID,
      authenticator: dbAuthenticator,
      requireUserVerification: false,
    };
    verification = await verifyAuthenticationResponse(verificationOptions);
  } catch (error) {
    console.error(error);
    return res.status(400).send({ error: error.message });
  }
  const { verified, authenticationInfo } = verification;
  if (verified) {
    // Update the authenticator's counter in the DB to the newest count in the authentication
    dbAuthenticator.counter = authenticationInfo.newCounter;
    const filter = { username };
    const update = {
      $set: {
        "authenticators.$[element].counter": authenticationInfo.newCounter,
      },
    };
    const options = {
      arrayFilters: [{ "element.credentialID": dbAuthenticator.credentialID }],
    };
    await User.updateOne(filter, update, options);
  }
  // Clear the challenge from the session
  req.session.challenge = undefined;
  res.send({ verified, username: user.username });
};

The verifyAuthenticationCtrl() controller first extracts data from the request body and query, including the username and authentication details. It then searches for the user in the database. If not found, it returns a 404 error.

Assuming the user exists, it proceeds to find the passkey associated with the user and provides authentication details. If no passkey is found, it returns a 400 error.

Then, the expected challenge value is retrieved from the session data and iterates over the user's authenticators to find a match.

After attempting the verification, if an error occurs, the error is logged to the console and a 400 error is returned. If the verification is successful, the authenticator's counter is updated in the database, and the challenge is cleared from the session. Finally, the response includes the verification status and the username.

Return to your browser to ensure that everything functions as expected. Below is a GIF demonstrating the entire authentication process: Implementing WebAuthn for passwordless logins  

We've successfully implemented the WebAuthn authentication, providing our users with a fast, secure, and password-less way to authenticate themselves. With biometric information or physical security keys, users can access their accounts securely.

Benefits and limitations of WebAuthn

While WebAuthn presents a solution to modern authentication challenges, it's essential to understand its strengths and weaknesses. Below, we highlight the key advantages and potential drawbacks of adopting WebAuthn in your authentication strategy.

Benefits of WebAuthn

WebAuthn offers a higher security level than traditional password-based authentication methods because of how it leverages public key cryptography to mitigate the risks associated with password breaches and phishing attacks.

So, even in the event of a cyber attack, perpetrators will only have access to your public key which, on its own, is insufficient to gain access to your account.

Support for various authentication factors like biometric data and physical security keys provides the kind of flexibility that allows you to implement multi-factor authentication for added security.

Since WebAuthn is currently supported by most modern web browsers and platforms, this makes it accessible to many users. The authentication experience is also the same across various devices and operating systems to ensure consistency.

Limitations of WebAuthn

Integrating WebAuthn can be technically challenging for organizations with complex or legacy systems. Then imagine all of the types of devices your users may be using and any other associated technical limitations.

Another important limitation is the human aspect — how accessible is the authentication process for your users? Unfamiliarity with the technology can either put users off or require creating education and instructional resources.

Conclusion

In this article, we've seen how WebAuthn provides a passwordless authentication process that uses public-key cryptography under the hood for a secure and convenient login experience. With a practical example and clear explanations, we've covered how to set up WebAuthn in a web application to enjoy a smoother and safer way to authenticate in our apps.


LogRocket: Debug JavaScript errors more easily by understanding the context

Debugging code is always a tedious task. But the more you understand your errors, the easier it is to fix them.

LogRocket allows you to understand these errors in new and unique ways. Our frontend monitoring solution tracks user engagement with your JavaScript frontends to give you the ability to see exactly what the user did that led to an error.

Implementing WebAuthn for passwordless logins

LogRocket records console logs, page load times, stack traces, slow network requests/responses with headers bodies, browser metadata, and custom logs. Understanding the impact of your JavaScript code will never be easier!

Try it for free.

版本聲明 本文轉載於:https://dev.to/logrocket/implementing-webauthn-for-passwordless-logins-50o0?1如有侵犯,請聯絡[email protected]刪除
最新教學 更多>
  • 如何將MySQL數據庫添加到Visual Studio 2012中的數據源對話框中?
    如何將MySQL數據庫添加到Visual Studio 2012中的數據源對話框中?
    在Visual Studio 2012 儘管已安裝了MySQL Connector v.6.5.4,但無法將MySQL數據庫添加到實體框架的“ DataSource對話框”中。為了解決這一問題,至關重要的是要了解MySQL連接器v.6.5.5及以後的6.6.x版本將提供MySQL的官方Visual...
    程式設計 發佈於2025-05-05
  • 如何在JavaScript對像中動態設置鍵?
    如何在JavaScript對像中動態設置鍵?
    在嘗試為JavaScript對象創建動態鍵時,如何使用此Syntax jsObj['key' i] = 'example' 1;不工作。正確的方法採用方括號: jsobj ['key''i] ='example'1; 在JavaScript中,數組是一...
    程式設計 發佈於2025-05-05
  • 如何使用PHP從XML文件中有效地檢索屬性值?
    如何使用PHP從XML文件中有效地檢索屬性值?
    從php $xml = simplexml_load_file($file); foreach ($xml->Var[0]->attributes() as $attributeName => $attributeValue) { echo $attributeName,...
    程式設計 發佈於2025-05-05
  • Python中嵌套函數與閉包的區別是什麼
    Python中嵌套函數與閉包的區別是什麼
    嵌套函數與python 在python中的嵌套函數不被考慮閉合,因為它們不符合以下要求:不訪問局部範圍scliables to incling scliables在封裝範圍外執行範圍的局部範圍。 make_printer(msg): DEF打印機(): 打印(味精) ...
    程式設計 發佈於2025-05-05
  • 解決Spring Security 4.1及以上版本CORS問題指南
    解決Spring Security 4.1及以上版本CORS問題指南
    彈簧安全性cors filter:故障排除常見問題 在將Spring Security集成到現有項目中時,您可能會遇到與CORS相關的錯誤,如果像“訪問Control-allo-allow-Origin”之類的標頭,則無法設置在響應中。為了解決此問題,您可以實現自定義過濾器,例如代碼段中的MyFi...
    程式設計 發佈於2025-05-05
  • 在程序退出之前,我需要在C ++中明確刪除堆的堆分配嗎?
    在程序退出之前,我需要在C ++中明確刪除堆的堆分配嗎?
    在C中的顯式刪除 在C中的動態內存分配時,開發人員通常會想知道是否需要手動調用“ delete”操作員在heap-exprogal exit exit上。本文深入研究了這個主題。 在C主函數中,使用了動態分配變量(HEAP內存)的指針。當應用程序退出時,此內存是否會自動發布?通常,是。但是,即使在...
    程式設計 發佈於2025-05-05
  • Python中何時用"try"而非"if"檢測變量值?
    Python中何時用"try"而非"if"檢測變量值?
    使用“ try“ vs.” if”來測試python 在python中的變量值,在某些情況下,您可能需要在處理之前檢查變量是否具有值。在使用“如果”或“ try”構建體之間決定。 “ if” constructs result = function() 如果結果: 對於結果: ...
    程式設計 發佈於2025-05-05
  • 同實例無需轉儲複製MySQL數據庫方法
    同實例無需轉儲複製MySQL數據庫方法
    在同一實例上複製一個MySQL數據庫而無需轉儲在同一mySQL實例上複製數據庫,而無需創建InterMediate sqql script。以下方法為傳統的轉儲和IMPORT過程提供了更簡單的替代方法。 直接管道數據 MySQL手動概述了一種允許將mysqldump直接輸出到MySQL cli...
    程式設計 發佈於2025-05-05
  • CSS強類型語言解析
    CSS強類型語言解析
    您可以通过其强度或弱输入的方式对编程语言进行分类的方式之一。在这里,“键入”意味着是否在编译时已知变量。一个例子是一个场景,将整数(1)添加到包含整数(“ 1”)的字符串: result = 1 "1";包含整数的字符串可能是由带有许多运动部件的复杂逻辑套件无意间生成的。它也可以是故意从单个真理...
    程式設計 發佈於2025-05-05
  • 為什麼使用固定定位時,為什麼具有100%網格板柱的網格超越身體?
    為什麼使用固定定位時,為什麼具有100%網格板柱的網格超越身體?
    網格超過身體,用100%grid-template-columns 為什麼在grid-template-colms中具有100%的顯示器,當位置設置為設置的位置時,grid-template-colly修復了? 問題: 考慮以下CSS和html: class =“ snippet-code”> ...
    程式設計 發佈於2025-05-05
  • Java開發者如何保護數據庫憑證免受反編譯?
    Java開發者如何保護數據庫憑證免受反編譯?
    在java 在單獨的配置文件保護數據庫憑證的最有效方法中存儲憑據是將它們存儲在單獨的配置文件中。該文件可以在運行時加載,從而使登錄數據從編譯的二進製文件中遠離。 使用prevereness class import java.util.prefs.preferences; 公共類示例{ 首選...
    程式設計 發佈於2025-05-05
  • 如何使用Python的請求和假用戶代理繞過網站塊?
    如何使用Python的請求和假用戶代理繞過網站塊?
    如何使用Python的請求模擬瀏覽器行為,以及偽造的用戶代理提供了一個用戶 - 代理標頭一個有效方法是提供有效的用戶式header,以提供有效的用戶 - 設置,該標題可以通過browser和Acterner Systems the equestersystermery和操作系統。通過模仿像Chro...
    程式設計 發佈於2025-05-05
  • 反射動態實現Go接口用於RPC方法探索
    反射動態實現Go接口用於RPC方法探索
    在GO 使用反射來實現定義RPC式方法的界面。例如,考慮一個接口,例如:鍵入myService接口{ 登錄(用戶名,密碼字符串)(sessionId int,錯誤錯誤) helloworld(sessionid int)(hi String,錯誤錯誤) } 替代方案而不是依靠反射...
    程式設計 發佈於2025-05-05
  • 解決MySQL錯誤1153:數據包超出'max_allowed_packet'限制
    解決MySQL錯誤1153:數據包超出'max_allowed_packet'限制
    mysql錯誤1153:故障排除比“ max_allowed_pa​​cket” bytes 更大的數據包,用於面對陰謀mysql錯誤1153,同時導入數據capase doft a Database dust?讓我們深入研究罪魁禍首並探索解決方案以糾正此問題。 理解錯誤此錯誤表明在導入過程中...
    程式設計 發佈於2025-05-05
  • 如何有效地轉換PHP中的時區?
    如何有效地轉換PHP中的時區?
    在PHP 利用dateTime對象和functions DateTime對象及其相應的功能別名為時區轉換提供方便的方法。例如: //定義用戶的時區 date_default_timezone_set('歐洲/倫敦'); //創建DateTime對象 $ dateTime = ne...
    程式設計 發佈於2025-05-05

免責聲明: 提供的所有資源部分來自互聯網,如果有侵犯您的版權或其他權益,請說明詳細緣由並提供版權或權益證明然後發到郵箱:[email protected] 我們會在第一時間內為您處理。

Copyright© 2022 湘ICP备2022001581号-3