How to POST Data from an HTML Form to an API URL Using JavaScript

Learn how to send data from an HTML form to an API URL using JavaScript with the POST method. Includes detailed code and explanation on how to use Fetch API to handle form data and send POST requests.

Here is the JavaScript code to send data from an HTML form to an API URL using the POST method:

<form id="myForm">
    <input type="text" name="username" placeholder="Enter your username" required />
    <input type="email" name="email" placeholder="Enter your email" required />
    <button type="submit">Submit</button>
</form>
document.getElementById('myForm').addEventListener('submit', async function (event) {
    event.preventDefault();  // Prevent default form submission

    const formData = new FormData(this);  // Collect data from the form

    const data = Object.fromEntries(formData);  // Convert form data to a JSON object

    try {
        const response = await fetch('https://api.example.com/submit', {
            method: 'POST',  // Use POST method
            headers: {
                'Content-Type': 'application/json'  // Content type sent is JSON
            },
            body: JSON.stringify(data)  // Convert data to JSON and send
        });

        if (response.ok) {
            const result = await response.json();  // Process the API response
            console.log('Success:', result);  // Handle success
        } else {
            console.error('Error:', response.statusText);  // Handle errors
        }
    } catch (error) {
        console.error('Fetch error:', error);  // Handle connection errors
    }
});

Explanation of Each Line of Code:

  1. HTML Form:

    • form id="myForm": Defines a form with an id of myForm.
    • <input>: Input fields where users can enter data.
    • <button>: Button to submit the form.
  2. document.getElementById('myForm').addEventListener('submit', ...)

    • Listens for the form submit event.
  3. event.preventDefault();

    • Prevents the default browser action of submitting the form, so we can handle it with JavaScript.
  4. const formData = new FormData(this);

    • Creates a FormData object from the form, containing all input data.
  5. const data = Object.fromEntries(formData);

    • Converts the form data from FormData format to a JSON object for sending to the API.
  6. const response = await fetch('https://api.example.com/submit', { ... });

    • Uses fetch to make a POST request to the API URL.
  7. method: 'POST'

    • Specifies that the HTTP method is POST to send data.
  8. headers: { 'Content-Type': 'application/json' }

    • Sets the request header to specify that the content type being sent is JSON.
  9. body: JSON.stringify(data)

    • Converts the data object into a JSON string and sends it in the request body.
  10. if (response.ok)

    • Checks if the response was successful (status in the 2xx range).
  11. const result = await response.json();

    • Converts the API response to JSON format.
  12. console.log('Success:', result);

    • Logs the success result to the console.
  13. console.error('Error:', response.statusText);

    • Logs any errors if the request was unsuccessful.
  14. catch (error)

    • Handles connection errors or any exceptions that occur.

JavaScript Version:

The provided code is compatible with modern browsers that support ES8 (ECMAScript 2017) and later versions. Ensure your browser supports async/await



Related

JavaScript Program to Pass Parameter to a setTimeout() Method Using an Anonymous Function

A guide on how to pass parameters to the `setTimeout()` method using an anonymous function in JavaScript. This approach helps developers delay code execution while passing specific parameters.
Convert accented Unicode characters to non-accented in JavaScript

A guide on how to convert accented Unicode characters in the Vietnamese alphabet to non-accented letters using JavaScript's normalize method. This JavaScript code efficiently handles Vietnamese text processing.
How to pass an array as a function parameter in JavaScript using the call() method

A guide on how to pass an array as a function parameter in JavaScript using the `call()` method. The article explains how to utilize the `call()` method to change the context and manually pass parameters from an array.
Appending HTML to a div using innerHTML in JavaScript

This article guides how to append HTML code to a `div` element using the `innerHTML` property in JavaScript. Readers will learn how to work with the DOM to add new HTML content to a specific `div`.
How to pass an array as a function parameter in JavaScript using the apply() method

A guide on using the `apply()` method in JavaScript to pass an array as a function parameter. This method allows you to convert an array into individual arguments when calling a function.
How to convert 3-digit color code to 6-digit color code using JavaScript

A guide on converting 3-digit color codes (#RGB) to 6-digit color codes (#RRGGBB) using JavaScript. This ensures consistent color representation in web pages.
How to convert Color Names to Hexcode using JavaScript

A guide on how to convert color names (e.g., "red", "blue") into Hex color codes (#RRGGBB) using JavaScript. This method helps manipulate colors efficiently in web development.
How to Fetch JSON Data from an API URL Using JavaScript

Learn how to fetch JSON data from an API URL using JavaScript. Includes detailed code and explanations for each line to help you understand how to use Fetch API for making GET requests and handling JSON data.
How to pass an array as a function parameter in JavaScript using the spread syntax

A guide on how to use the spread syntax (`...`) to pass an array as a parameter to a function in JavaScript. The article will show how to pass array elements as individual function arguments.
How to append HTML code to a div using appendChild in JavaScript

A guide on using `appendChild` to append HTML code to a `div` in JavaScript. This approach ensures DOM integrity and allows you to dynamically add HTML elements.

main.add_cart_success