Generate captcha image in javascript

Hey everyone! Welcome to today’s tutorial. In today’s tutorial, we will be creating a captcha generator. To build this captcha generator, we need HTML, CSS and Javascript.

This project is suited for javascript intermediates and people with basic knowledge of canvas. If you are looking for more javascript tutorials to practice your skills, you can check out this playlist here. This playlist consists of a variety of javascript projects with difficulty ranging from beginner level to advanced. All of these tutorials come along with source code.

The captcha generator consists of a canvas that generates an image. This image consists of random letters and numbers. Following this image is a reload button that outputs a new code every time the user clicks on it. The user has to enter the code produced in the image into the provided text box.

After entering the code into the input box, the user has to click on the submit button. When the user clicks on submit, a validation takes place. If the user enters the captcha code correctly, the user sees a success alert. In case the user enters a wrong code, the user sees an error alert. Let us get started with the tutorial.

Video Tutorial:

If you would prefer watching a video tutorial rather than reading this blog post, you can check out the video here down below. I post new tutorials, tricks and tips on my channel regularly. Subscribe to my channel so that you do not miss any of these.

Project Folder Structure:

Before we start the coding, let us create the project folder structure. We create a folder called – ‘Captcha generator’. Inside this folder, we have three files. These files are index.html, style.css and script.js. They are the HTML document, the stylesheet and the script file respectively.

HTML:

We begin with the HTML code. This creates the element structure needed for our project. First, copy the code provided to you below and paste it into your HTML document.

<!DOCTYPE html>
<html lang="en">
  <head>
    <meta name="viewport" content="width=device-width, initial-scale=1.0" />
    <title>Captcha Generator</title>
    <!-- Font Awesome Icons -->
    <link
      rel="stylesheet"
      href="https://cdnjs.cloudflare.com/ajax/libs/font-awesome/6.0.0/css/all.min.css"
    />
    <!-- Google Fonts -->
    <link
      href="https://fonts.googleapis.com/css2?family=Roboto+Mono:wght@500&display=swap"
      rel="stylesheet"
    />
    <!-- Stylesheet -->
    <link rel="stylesheet" href="style.css" />
  </head>
  <body>
    <div class="container">
      <div class="wrapper">
        <canvas id="canvas" width="200" height="70"></canvas>
        <button id="reload-button">
          <i class="fa-solid fa-arrow-rotate-right"></i>
        </button>
      </div>
      <input
        type="text"
        id="user-input"
        placeholder="Enter the text in the image"
      />
      <button id="submit-button">Submit</button>
    </div>
    <!-- Script -->
    <script src="script.js"></script>
  </body>
</html>

CSS:

We now style the captcha generator using CSS. For this, copy the code below and paste it into your stylesheet.

* {
  padding: 0;
  margin: 0;
  box-sizing: border-box;
}
body {
  height: 100vh;
  background: linear-gradient(135deg, #8052ec, #d161ff);
}
.container {
  width: 32em;
  background-color: #ffffff;
  padding: 5em;
  border-radius: 0.6em;
  position: absolute;
  transform: translate(-50%, -50%);
  top: 50%;
  left: 50%;
  box-shadow: 0 1em 2em rgba(0, 0, 0, 0.25);
}
.wrapper {
  display: flex;
  align-content: center;
  justify-content: space-between;
  margin: 1em 0;
}
canvas {
  border: 1px solid #000000;
  border-radius: 0.4em;
}
button#reload-button {
  font-size: 26px;
  width: 4.6em;
  background-color: #8052ec;
  border: none;
  border-radius: 0.4em;
  color: #ffffff;
}
input[type="text"] {
  font-family: "Roboto Mono", monospace;
  font-size: 1.05em;
  width: 100%;
  padding: 1em 0.7em;
  border: 1px solid #000000;
  border-radius: 0.4em;
}
button#submit-button {
  width: 100%;
  background-color: #8052ec;
  color: #ffffff;
  font-size: 1.5em;
  border: none;
  margin-top: 1em;
  padding: 0.8em 0;
  border-radius: 0.4em;
  font-family: "Roboto Mono", monospace;
}

Javascript:

Lastly, to implement the functionality in the project, we use Javascript. Now copy the code below and paste it into your script file.

//Initial References
let submitButton = document.getElementById("submit-button");
let userInput = document.getElementById("user-input");
let canvas = document.getElementById("canvas");
let reloadButton = document.getElementById("reload-button");
let text = "";

//Generate Text
const textGenerator = () => {
  let generatedText = "";
  /* String.fromCharCode gives ASCII value from a given number */
  // total 9 letters hence loop of 3
  for (let i = 0; i < 3; i++) {
    //65-90 numbers are capital letters
    generatedText += String.fromCharCode(randomNumber(65, 90));
    //97-122 are small letters
    generatedText += String.fromCharCode(randomNumber(97, 122));
    //48-57 are numbers from 0-9
    generatedText += String.fromCharCode(randomNumber(48, 57));
  }
  return generatedText;
};

//Generate random numbers between a given range
const randomNumber = (min, max) =>
  Math.floor(Math.random() * (max - min + 1) + min);

//Canvas part
function drawStringOnCanvas(string) {
  //The getContext() function returns the drawing context that has all the drawing properties and functions needed to draw on canvas
  let ctx = canvas.getContext("2d");
  //clear canvas
  ctx.clearRect(0, 0, ctx.canvas.width, ctx.canvas.height);
  //array of text color
  const textColors = ["rgb(0,0,0)", "rgb(130,130,130)"];
  //space between letters
  const letterSpace = 150 / string.length;
  //loop through string
  for (let i = 0; i < string.length; i++) {
    //Define initial space on X axis
    const xInitialSpace = 25;
    //Set font for canvas element
    ctx.font = "20px Roboto Mono";
    //set text color
    ctx.fillStyle = textColors[randomNumber(0, 1)];
    ctx.fillText(
      string[i],
      xInitialSpace + i * letterSpace,
      randomNumber(25, 40),
      100
    );
  }
}

//Initial Function
function triggerFunction() {
  //clear Input
  userInput.value = "";
  text = textGenerator();
  console.log(text);
  //Randomize the text so that everytime the position of numbers and small letters is random
  text = [...text].sort(() => Math.random() - 0.5).join("");
  drawStringOnCanvas(text);
}

//call triggerFunction for reload button
reloadButton.addEventListener("click", triggerFunction);

//call triggerFunction when page loads
window.onload = () => triggerFunction();

//When user clicks on submit
submitButton.addEventListener("click", () => {
  //check if user input  == generated text
  if (userInput.value === text) {
    alert("Success");
  } else {
    alert("Incorrect");
    triggerFunction();
  }
});

Your captcha generator is now ready. If you have any issues while creating this code you can download the source code by clicking on the download button below. Also, if you have any doubts, suggestions or feedback, you can drop them in the comments below.
Happy Coding!

How do you make a CAPTCHA in JavaScript?

Here is the code snippet to create Captcha in JavaScript..
<! DOCTYPE html>.
<html>.
<head>.
<title>Using JavaScript how to Create Captcha</title>.
<script type="text/javascript">.
/* Function to Generat Captcha */.
function GenerateCaptcha() {.
var chr1 = Math.ceil(Math.random() * 10) + '';.

How do you add a CAPTCHA to an image in HTML?

Example: First, create a section for Captcha with HTML. The below code will generate a design for a captcha and from the CSS file we will add style and on the image(refresh) click, we will generate a new captcha by calling generate() method from JavaScript.

How do I add CAPTCHA to an image?

Internet Explorer - Click the Refresh button in your browser and try again. You should see the CAPTCHA image. Firefox - If you are using Firefox with Add-ons enabled, then disable the Add-ons, restart your browser and reload the web page. You should then be able to view the CAPTCHA.

What is CAPTCHA JS?

Captcha is a type of challenge-response test to check the user is human or robot. In this article, i want to build simple captcha verification method using JavaScript. As we know, captcha is work in website, so a bit understanding of DOM will really helpful for reading this article.