Debug School

rakesh kumar
rakesh kumar

Posted on

How to perform validation Using Alpine js directive

Let's create a form with real-time validation using Alpine.js directives. We'll include input fields and a dropdown menu, and validate them as the user types or selects options.

Set up HTML Structure:
Create an HTML structure for the form with input fields and a dropdown menu. We'll include Alpine.js directives for real-time validation.

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Real-time Validation with Alpine.js</title>
    <script src="https://cdn.jsdelivr.net/npm/alpinejs@2.8.2/dist/alpine.js" defer></script>
</head>
<body>
    <div x-data="{ email: '', password: '', country: '', errors: [] }">
        <form @submit.prevent="submitForm">
            <div>
                <label for="email">Email:</label>
                <input type="email" id="email" x-model="email" @input="validateEmail">
                <span x-show="errors.includes('email')" style="color: red;">Invalid email address</span>
            </div>
            <div>
                <label for="password">Password:</label>
                <input type="password" id="password" x-model="password" @input="validatePassword">
                <span x-show="errors.includes('password')" style="color: red;">Password is required</span>
            </div>
            <div>
                <label for="country">Country:</label>
                <select id="country" x-model="country" @input="validateCountry">
                    <option value="">Select a country</option>
                    <option value="USA">USA</option>
                    <option value="UK">UK</option>
                    <option value="Canada">Canada</option>
                </select>
                <span x-show="errors.includes('country')" style="color: red;">Country is required</span>
            </div>
            <button type="submit">Submit</button>
        </form>
    </div>
</body>
</html>
Enter fullscreen mode Exit fullscreen mode

Add Alpine.js Directives:

<script>
    document.addEventListener('alpine:init', () => {
        Alpine.data('formValidation', () => ({
            email: '',
            password: '',
            errors: [],
            submitForm() {
                this.errors = [];

                if (!this.email.includes('@')) {
                    this.errors.push('email');
                }
                if (this.password === '') {
                    this.errors.push('password');
                }

                if (this.errors.length === 0) {
                    // Form is valid, submit it
                    console.log('Form submitted successfully');
                }
            },
        }));
    });
</script>
Enter fullscreen mode Exit fullscreen mode

Explanation:

  1. We define an Alpine data object formValidation with properties for email, password, and errors.
  2. The submitForm() method is called when the form is submitted. It clears any previous errors and checks for validation conditions.
  3. If any validation fails, corresponding error messages are pushed into the errors array.
  4. If there are no errors, the form is considered valid, and you can proceed with your form submission logic

Another Way

let's create a form with real-time validation using Alpine.js directives, and we'll simulate dynamic data retrieved from a database. We'll include input fields and a dropdown menu, and validate them against the dynamic data as the user types or selects options.

Here's a step-by-step guide:

Set up HTML Structure:
Create an HTML structure for the form with input fields and a dropdown menu. We'll include Alpine.js directives for real-time validation.

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <meta name="viewport" content="width=device-width, initial-scale=1.0">
    <title>Real-time Validation with Dynamic Data in Alpine.js</title>
    <script src="https://cdn.jsdelivr.net/npm/alpinejs@2.8.2/dist/alpine.js" defer></script>
</head>
<body>
    <div x-data="formData()">
        <form @submit.prevent="submitForm">
            <div>
                <label for="email">Email:</label>
                <input type="email" id="email" x-model="email" @input="validateEmail">
                <span x-show="errors.includes('email')" style="color: red;">Invalid email address</span>
            </div>
            <div>
                <label for="password">Password:</label>
                <input type="password" id="password" x-model="password" @input="validatePassword">
                <span x-show="errors.includes('password')" style="color: red;">Password is required</span>
            </div>
            <div>
                <label for="country">Country:</label>
                <select id="country" x-model="selectedCountry" @change="validateCountry">
                    <option value="">Select a country</option>
                    <template x-for="country in countries" :key="country.id">
                        <option x-text="country.name" :value="country.id"></option>
                    </template>
                </select>
                <span x-show="errors.includes('country')" style="color: red;">Country is required</span>
            </div>
            <button type="submit">Submit</button>
        </form>
    </div>

    <script>
        function formData() {
            return {
                email: '',
                password: '',
                selectedCountry: '',
                countries: [],
                errors: [],
                validateEmail() {
                    this.errors = [];
                    if (!this.email.includes('@')) {
                        this.errors.push('email');
                    }
                },
                validatePassword() {
                    this.errors = [];
                    if (this.password === '') {
                        this.errors.push('password');
                    }
                },
                async validateCountry() {
                    this.errors = [];
                    if (this.selectedCountry === '') {
                        this.errors.push('country');
                    }
                    // Simulate fetching data from a database
                    await this.fetchCountriesFromDatabase();
                },
                async fetchCountriesFromDatabase() {
                    // Simulate fetching data from a database
                    // Here you would make an API request to get countries from the database
                    // For demo, we'll just use a mock data with a slight delay
                    await new Promise(resolve => setTimeout(resolve, 500)); // Simulate delay
                    this.countries = [
                        { id: 1, name: 'USA' },
                        { id: 2, name: 'UK' },
                        { id: 3, name: 'Canada' }
                        // Add more countries as needed
                    ];
                },
                submitForm() {
                    this.validateEmail();
                    this.validatePassword();
                    this.validateCountry();

                    if (this.errors.length === 0) {
                        // Form is valid, submit it
                        console.log('Form submitted successfully');
                    }
                },
            };
        }
    </script>
</body>
</html>
Enter fullscreen mode Exit fullscreen mode

Explanation:

  1. We define an Alpine data object formData() with properties for email, password, selectedCountry, countries, and errors.
  2. We define methods validateEmail, validatePassword, and validateCountry to validate the corresponding input fields and dropdown selection in real-time as the user types or selects options.
  3. The fetchCountriesFromDatabase method simulates fetching data from a database. Here, it just provides mock country data with a slight delay to simulate an asynchronous operation.
  4. When the user selects a country, validateCountry is called to check if a country is selected and to fetch the list of countries from the database.
  5. The submitForm method is called when the form is submitted. It triggers all validation methods and checks for errors. If the form is valid, you can proceed with your form submission logic .

Top comments (0)