Ejemplo de jQuery Ajax POST con PHP


682

Estoy tratando de enviar datos desde un formulario a una base de datos. Aquí está el formulario que estoy usando:

<form name="foo" action="form.php" method="POST" id="foo">
    <label for="bar">A bar</label>
    <input id="bar" name="bar" type="text" value="" />
    <input type="submit" value="Send" />
</form>

El enfoque típico sería enviar el formulario, pero esto hace que el navegador se redirija. Usando jQuery y Ajax , ¿es posible capturar todos los datos del formulario y enviarlos a un script PHP (un ejemplo, form.php )?


3
Ver meta discusión relacionada para razonar detrás de la eliminación.
TRiG

Solución simple vanilla js: stackoverflow.com/a/57285063/7910454
leonheess

Respuestas:


939

El uso básico de .ajaxse vería así:

HTML:

<form id="foo">
    <label for="bar">A bar</label>
    <input id="bar" name="bar" type="text" value="" />

    <input type="submit" value="Send" />
</form>

jQuery:

// Variable to hold request
var request;

// Bind to the submit event of our form
$("#foo").submit(function(event){

    // Prevent default posting of form - put here to work in case of errors
    event.preventDefault();

    // Abort any pending request
    if (request) {
        request.abort();
    }
    // setup some local variables
    var $form = $(this);

    // Let's select and cache all the fields
    var $inputs = $form.find("input, select, button, textarea");

    // Serialize the data in the form
    var serializedData = $form.serialize();

    // Let's disable the inputs for the duration of the Ajax request.
    // Note: we disable elements AFTER the form data has been serialized.
    // Disabled form elements will not be serialized.
    $inputs.prop("disabled", true);

    // Fire off the request to /form.php
    request = $.ajax({
        url: "/form.php",
        type: "post",
        data: serializedData
    });

    // Callback handler that will be called on success
    request.done(function (response, textStatus, jqXHR){
        // Log a message to the console
        console.log("Hooray, it worked!");
    });

    // Callback handler that will be called on failure
    request.fail(function (jqXHR, textStatus, errorThrown){
        // Log the error to the console
        console.error(
            "The following error occurred: "+
            textStatus, errorThrown
        );
    });

    // Callback handler that will be called regardless
    // if the request failed or succeeded
    request.always(function () {
        // Reenable the inputs
        $inputs.prop("disabled", false);
    });

});

Nota: Desde jQuery 1.8, .success(), .error()y .complete()son aprobadas a favor de .done(), .fail()y .always().

Nota: Recuerde que el fragmento anterior debe hacerse después de que DOM esté listo, por lo que debe colocarlo dentro de un $(document).ready()controlador (o usar la $()abreviatura).

Consejo: Puede encadenar los manejadores de devolución de llamada de esta manera:$.ajax().done().fail().always();

PHP (es decir, form.php):

// You can access the values posted by jQuery.ajax
// through the global variable $_POST, like this:
$bar = isset($_POST['bar']) ? $_POST['bar'] : null;

Nota: desinfecte siempre los datos publicados para evitar inyecciones y otros códigos maliciosos.

También puede usar la taquigrafía .posten lugar del .ajaxcódigo JavaScript anterior:

$.post('/form.php', serializedData, function(response) {
    // Log the response to the console
    console.log("Response: "+response);
});

Nota: El código JavaScript anterior está hecho para funcionar con jQuery 1.8 y posterior, pero debería funcionar con versiones anteriores hasta jQuery 1.5.


66
Editó su respuesta para corregir un error: requestfue declarado como un var local que if (request) request.abort();nunca funciona.
Andrey Mikhaylov - lolmaus

23
Una nota MUY IMPORTANTE, porque pasé / perdí / invertí mucho tiempo tratando de usar este ejemplo. Debe vincular el evento dentro de un bloque $ (document) .ready O tener el FORM cargado antes de ejecutar el enlace. De lo contrario, pasas mucho tiempo tratando de averiguar POR QUÉ demonios no se llama el enlace.
Philibert Perusse

3
@PhilibertPerusse Al igual que con cualquier enlace de evento, obviamente necesita que el elemento exista en el DOM antes de intentar enlazarlo, o si usa un enlace delegado.
mekwall

10
Sí, lo entiendo ahora. Pero encontré muchos ejemplos que siempre ponen un bloque $ (document) .ready para que el ejemplo sea autónomo. Escribí el comentario para un futuro usuario que, como yo, podría tropezar con esto y terminar leyendo el hilo de comentarios y este 'consejo' para principiantes
Philibert Perusse

55
Si está aplicando esto a su propio código, tenga en cuenta que los atributos 'nombre' son críticos para las entradas; de lo contrario serialize(), los omitirá.
Ben Flynn

216

Para hacer una solicitud de Ajax usando jQuery , puede hacerlo mediante el siguiente código.

HTML:

<form id="foo">
    <label for="bar">A bar</label>
    <input id="bar" name="bar" type="text" value="" />
    <input type="submit" value="Send" />
</form>

<!-- The result of the search will be rendered inside this div -->
<div id="result"></div>

JavaScript:

Método 1

 /* Get from elements values */
 var values = $(this).serialize();

 $.ajax({
        url: "test.php",
        type: "post",
        data: values ,
        success: function (response) {

           // You will get response from your PHP page (what you echo or print)
        },
        error: function(jqXHR, textStatus, errorThrown) {
           console.log(textStatus, errorThrown);
        }
    });

Método 2

/* Attach a submit handler to the form */
$("#foo").submit(function(event) {
    var ajaxRequest;

    /* Stop form from submitting normally */
    event.preventDefault();

    /* Clear result div*/
    $("#result").html('');

    /* Get from elements values */
    var values = $(this).serialize();

    /* Send the data using post and put the results in a div. */
    /* I am not aborting the previous request, because it's an
       asynchronous request, meaning once it's sent it's out
       there. But in case you want to abort it you can do it
       by abort(). jQuery Ajax methods return an XMLHttpRequest
       object, so you can just use abort(). */
       ajaxRequest= $.ajax({
            url: "test.php",
            type: "post",
            data: values
        });

    /*  Request can be aborted by ajaxRequest.abort() */

    ajaxRequest.done(function (response, textStatus, jqXHR){

         // Show successfully for submit message
         $("#result").html('Submitted successfully');
    });

    /* On failure of request this function will be called  */
    ajaxRequest.fail(function (){

        // Show error
        $("#result").html('There is error while submit');
    });

El .success(), .error()y .complete()devoluciones de llamada están en desuso a partir de jQuery 1.8 . Para preparar el código para su eventual eliminación, usar .done(), .fail()y .always()en su lugar.

MDN: abort(). Si la solicitud ya se ha enviado, este método cancelará la solicitud.

Por lo tanto, hemos enviado con éxito una solicitud de Ajax, y ahora es el momento de obtener datos al servidor.

PHP

A medida que hacemos una solicitud POST en una llamada Ajax ( type: "post"), ahora podemos obtener datos usando $_REQUESTo $_POST:

  $bar = $_POST['bar']

También puede ver lo que obtiene en la solicitud POST simplemente con cualquiera de los dos. Por cierto, asegúrese de que $_POSTesté configurado. De lo contrario, recibirá un error.

var_dump($_POST);
// Or
print_r($_POST);

Y está insertando un valor en la base de datos. Asegúrese de que está sensibilizando o escapando todas las solicitudes (ya sea que haya realizado una GET o POST) correctamente antes de realizar la consulta. Lo mejor sería usar declaraciones preparadas .

Y si desea devolver los datos a la página, puede hacerlo simplemente haciendo eco de esos datos como se muestra a continuación.

// 1. Without JSON
   echo "Hello, this is one"

// 2. By JSON. Then here is where I want to send a value back to the success of the Ajax below
echo json_encode(array('returned_val' => 'yoho'));

Y luego puedes obtenerlo como:

 ajaxRequest.done(function (response){
    alert(response);
 });

Hay un par de métodos abreviados . Puedes usar el siguiente código. Hace el mismo trabajo.

var ajaxRequest= $.post("test.php", values, function(data) {
  alert(data);
})
  .fail(function() {
    alert("error");
  })
  .always(function() {
    alert("finished");
});

@Clarence bar es el nombre de texto del tipo de entrada y, como estoy demandando el método de publicación, se usa $ _POST ['bar'] para obtener el valor
NullPoiиteя

44
Para cualquiera que quiera usar json, mientras usa JSON, la llamada debe contener el parámetro dataType: 'json'
K. Kilian Lindberg

44
@CarlLindberg: ¿qué sucede si desea que jQuery adivine en función del tipo MIME de la respuesta (que es lo que debe hacer cuando no configura dataType), para que pueda aceptar JSON o algún otro formato?
nnnnnn

@nnnnnn tienes razón, eso es mucho mejor, de hecho es el predeterminado: Intelligent Guess
K. Kilian Lindberg

Para acceder al objeto de respuesta JSON (data.returned_val), no olvide incluir dataType: "json" en su llamada original ajax
Adelmar

56

Me gustaría compartir una forma detallada de cómo publicar con PHP + Ajax junto con errores arrojados en caso de falla.

En primer lugar, cree dos archivos, por ejemplo form.phpy process.php.

Primero crearemos uno formque luego se enviará utilizando el jQuery .ajax()método. El resto se explicará en los comentarios.


form.php

<form method="post" name="postForm">
    <ul>
        <li>
            <label>Name</label>
            <input type="text" name="name" id="name" placeholder="Bruce Wayne">
            <span class="throw_error"></span>
            <span id="success"></span>
       </li>
   </ul>
   <input type="submit" value="Send" />
</form>


Valide el formulario utilizando la validación del lado del cliente jQuery y pase los datos a process.php.

$(document).ready(function() {
    $('form').submit(function(event) { //Trigger on form submit
        $('#name + .throw_error').empty(); //Clear the messages first
        $('#success').empty();

        //Validate fields if required using jQuery

        var postForm = { //Fetch form data
            'name'     : $('input[name=name]').val() //Store name fields value
        };

        $.ajax({ //Process the form using $.ajax()
            type      : 'POST', //Method type
            url       : 'process.php', //Your form processing file URL
            data      : postForm, //Forms name
            dataType  : 'json',
            success   : function(data) {
                            if (!data.success) { //If fails
                                if (data.errors.name) { //Returned if any error from process.php
                                    $('.throw_error').fadeIn(1000).html(data.errors.name); //Throw relevant error
                                }
                            }
                            else {
                                    $('#success').fadeIn(1000).append('<p>' + data.posted + '</p>'); //If successful, than throw a success message
                                }
                            }
        });
        event.preventDefault(); //Prevent the default submit
    });
});

Ahora echaremos un vistazo a process.php

$errors = array(); //To store errors
$form_data = array(); //Pass back the data to `form.php`

/* Validate the form on the server side */
if (empty($_POST['name'])) { //Name cannot be empty
    $errors['name'] = 'Name cannot be blank';
}

if (!empty($errors)) { //If errors in validation
    $form_data['success'] = false;
    $form_data['errors']  = $errors;
}
else { //If not, process the form, and return true on success
    $form_data['success'] = true;
    $form_data['posted'] = 'Data Was Posted Successfully';
}

//Return the data back to form.php
echo json_encode($form_data);

Los archivos del proyecto se pueden descargar desde http://projects.decodingweb.com/simple_ajax_form.zip .


27

Puedes usar serializar. A continuación se muestra un ejemplo.

$("#submit_btn").click(function(){
    $('.error_status').html();
        if($("form#frm_message_board").valid())
        {
            $.ajax({
                type: "POST",
                url: "<?php echo site_url('message_board/add');?>",
                data: $('#frm_message_board').serialize(),
                success: function(msg) {
                    var msg = $.parseJSON(msg);
                    if(msg.success=='yes')
                    {
                        return true;
                    }
                    else
                    {
                        alert('Server error');
                        return false;
                    }
                }
            });
        }
        return false;
    });

2
$.parseJSON()es un salvavidas total, gracias. Estaba teniendo problemas para interpretar mi salida en función de las otras respuestas.
foochow

21

HTML :

    <form name="foo" action="form.php" method="POST" id="foo">
        <label for="bar">A bar</label>
        <input id="bar" class="inputs" name="bar" type="text" value="" />
        <input type="submit" value="Send" onclick="submitform(); return false;" />
    </form>

JavaScript :

   function submitform()
   {
       var inputs = document.getElementsByClassName("inputs");
       var formdata = new FormData();
       for(var i=0; i<inputs.length; i++)
       {
           formdata.append(inputs[i].name, inputs[i].value);
       }
       var xmlhttp;
       if(window.XMLHttpRequest)
       {
           xmlhttp = new XMLHttpRequest;
       }
       else
       {
           xmlhttp = new ActiveXObject("Microsoft.XMLHTTP");
       }
       xmlhttp.onreadystatechange = function()
       {
          if(xmlhttp.readyState == 4 && xmlhttp.status == 200)
          {

          }
       }
       xmlhttp.open("POST", "insert.php");
       xmlhttp.send(formdata);
   }

18

Yo uso la forma que se muestra a continuación. Envía todo como archivos.

$(document).on("submit", "form", function(event)
{
    event.preventDefault();

    var url  = $(this).attr("action");
    $.ajax({
        url: url,
        type: 'POST',
        dataType: "JSON",
        data: new FormData(this),
        processData: false,
        contentType: false,
        success: function (data, status)
        {

        },
        error: function (xhr, desc, err)
        {
            console.log("error");
        }
    });
});

14

Si desea enviar datos usando jQuery Ajax, entonces no hay necesidad de etiqueta de formulario y botón de enviar

Ejemplo:

<script>
    $(document).ready(function () {
        $("#btnSend").click(function () {
            $.ajax({
                url: 'process.php',
                type: 'POST',
                data: {bar: $("#bar").val()},
                success: function (result) {
                    alert('success');
                }
            });
        });
    });
</script>

<label for="bar">A bar</label>
<input id="bar" name="bar" type="text" value="" />
<input id="btnSend" type="button" value="Send" />

10
<script src="http://code.jquery.com/jquery-1.7.2.js"></script>
<form method="post" id="form_content" action="Javascript:void(0);">
    <button id="desc" name="desc" value="desc" style="display:none;">desc</button>
    <button id="asc" name="asc"  value="asc">asc</button>
    <input type='hidden' id='check' value=''/>
</form>

<div id="demoajax"></div>

<script>
    numbers = '';
    $('#form_content button').click(function(){
        $('#form_content button').toggle();
        numbers = this.id;
        function_two(numbers);
    });

    function function_two(numbers){
        if (numbers === '')
        {
            $('#check').val("asc");
        }
        else
        {
            $('#check').val(numbers);
        }
        //alert(sort_var);

        $.ajax({
            url: 'test.php',
            type: 'POST',
            data: $('#form_content').serialize(),
            success: function(data){
                $('#demoajax').show();
                $('#demoajax').html(data);
                }
        });

        return false;
    }
    $(document).ready(function_two());
</script>

¿Qué diferencia de identificación entre la suya y otra respuesta?
NullPoiиteя

11
es publicado por mí, otros son de otros.
John

6

El manejo de errores de Ajax y el cargador antes de enviar y después de enviar con éxito muestra un cuadro de inicio de alerta con un ejemplo:

var formData = formData;

$.ajax({
    type: "POST",
    url: url,
    async: false,
    data: formData, // Only input
    processData: false,
    contentType: false,
    xhr: function ()
    {
        $("#load_consulting").show();
        var xhr = new window.XMLHttpRequest();

        // Upload progress
        xhr.upload.addEventListener("progress", function (evt) {
            if (evt.lengthComputable) {
                var percentComplete = (evt.loaded / evt.total) * 100;
                $('#addLoad .progress-bar').css('width', percentComplete + '%');
            }
        }, false);

        // Download progress
        xhr.addEventListener("progress", function (evt) {
            if (evt.lengthComputable) {
                var percentComplete = evt.loaded / evt.total;
            }
        }, false);
        return xhr;
    },
    beforeSend: function (xhr) {
        qyuraLoader.startLoader();
    },
    success: function (response, textStatus, jqXHR) {
        qyuraLoader.stopLoader();
        try {
            $("#load_consulting").hide();

            var data = $.parseJSON(response);
            if (data.status == 0)
            {
                if (data.isAlive)
                {
                    $('#addLoad .progress-bar').css('width', '00%');
                    console.log(data.errors);
                    $.each(data.errors, function (index, value) {
                        if (typeof data.custom == 'undefined') {
                            $('#err_' + index).html(value);
                        }
                        else
                        {
                            $('#err_' + index).addClass('error');

                            if (index == 'TopError')
                            {
                                $('#er_' + index).html(value);
                            }
                            else {
                                $('#er_TopError').append('<p>' + value + '</p>');
                            }
                        }
                    });
                    if (data.errors.TopError) {
                        $('#er_TopError').show();
                        $('#er_TopError').html(data.errors.TopError);
                        setTimeout(function () {
                            $('#er_TopError').hide(5000);
                            $('#er_TopError').html('');
                        }, 5000);
                    }
                }
                else
                {
                    $('#headLogin').html(data.loginMod);
                }
            } else {
                //document.getElementById("setData").reset();
                $('#myModal').modal('hide');
                $('#successTop').show();
                $('#successTop').html(data.msg);
                if (data.msg != '' && data.msg != "undefined") {

                    bootbox.alert({closeButton: false, message: data.msg, callback: function () {
                            if (data.url) {
                                window.location.href = '<?php echo site_url() ?>' + '/' + data.url;
                            } else {
                                location.reload(true);
                            }
                        }});
                } else {
                    bootbox.alert({closeButton: false, message: "Success", callback: function () {
                        if (data.url) {
                            window.location.href = '<?php echo site_url() ?>' + '/' + data.url;
                        } else {
                            location.reload(true);
                        }
                    }});
                }

            }
        }
        catch (e) {
            if (e) {
                $('#er_TopError').show();
                $('#er_TopError').html(e);
                setTimeout(function () {
                    $('#er_TopError').hide(5000);
                    $('#er_TopError').html('');
                }, 5000);
            }
        }
    }
});

5

Estoy usando este simple código de una línea durante años sin ningún problema (requiere jQuery):

<script src="http://malsup.github.com/jquery.form.js"></script> 
<script type="text/javascript">
    function ap(x,y) {$("#" + y).load(x);};
    function af(x,y) {$("#" + x ).ajaxSubmit({target: '#' + y});return false;};
</script>

Aquí ap () significa una página Ajax y af () significa un formulario Ajax. En un formulario, simplemente llamando a la función af () publicará el formulario en la URL y cargará la respuesta en el elemento HTML deseado.

<form id="form_id">
    ...
    <input type="button" onclick="af('form_id','load_response_id')"/>
</form>
<div id="load_response_id">this is where response will be loaded</div>

¡Me gustaría que incluyeras el archivo del servidor! No tengo idea de cómo probar.
johny por qué

4

En su archivo php ingrese:

$content_raw = file_get_contents("php://input"); // THIS IS WHAT YOU NEED
$decoded_data = json_decode($content_raw, true); // THIS IS WHAT YOU NEED
$bar = $decoded_data['bar']; // THIS IS WHAT YOU NEED
$time = $decoded_data['time'];
$hash = $decoded_data['hash'];
echo "You have sent a POST request containing the bar variable with the value $bar";

y en su archivo js envíe un ajax con el objeto de datos

var data = { 
    bar : 'bar value',
    time: calculatedTimeStamp,
    hash: calculatedHash,
    uid: userID,
    sid: sessionID,
    iid: itemID
};

$.ajax({
    method: 'POST',
    crossDomain: true,
    dataType: 'json',
    crossOrigin: true,
    async: true,
    contentType: 'application/json',
    data: data,
    headers: {
        'Access-Control-Allow-Methods': '*',
        "Access-Control-Allow-Credentials": true,
        "Access-Control-Allow-Headers" : "Access-Control-Allow-Headers, Origin, X-Requested-With, Content-Type, Accept, Authorization",
        "Access-Control-Allow-Origin": "*",
        "Control-Allow-Origin": "*",
        "cache-control": "no-cache",
        'Content-Type': 'application/json'
    },
    url: 'https://yoururl.com/somephpfile.php',
    success: function(response){
        console.log("Respond was: ", response);
    },
    error: function (request, status, error) {
        console.log("There was an error: ", request.responseText);
    }
  })

o guárdelo como está con el formulario de envío. Solo necesita esto, si desea enviar una solicitud modificada con contenido adicional calculado y no solo algunos datos de formulario, que ingresa el cliente. Por ejemplo, un hash, una marca de tiempo, un ID de usuario, un ID de sesión y similares.


2

Por favor, chequee esto. Es el código de solicitud completo de Ajax.

$('#foo').submit(function(event) {
    // Get the form data
    // There are many ways to get this data using jQuery (you
    // can use the class or id also)
    var formData = $('#foo').serialize();
    var url = 'URL of the request';

    // Process the form.
    $.ajax({
        type        : 'POST',   // Define the type of HTTP verb we want to use
        url         : 'url/',   // The URL where we want to POST
        data        : formData, // Our data object
        dataType    : 'json',   // What type of data do we expect back.
        beforeSend : function() {

            // This will run before sending an Ajax request.
            // Do whatever activity you want, like show loaded.
        },
        success:function(response){
            var obj = eval(response);
            if(obj)
            {
                if(obj.error==0){
                    alert('success');
                }
                else{
                    alert('error');
                }
            }
        },
        complete : function() {
            // This will run after sending an Ajax complete
        },
        error:function (xhr, ajaxOptions, thrownError){
            alert('error occured');
            // If any error occurs in request
        }
    });

    // Stop the form from submitting the normal way
    // and refreshing the page
    event.preventDefault();
});

Esto es lo que estoy buscando.
Nirav Bhoi

2

Este es un muy buen artículo que contiene todo lo que necesita saber sobre el envío de formularios jQuery.

Resumen del artículo:

Enviar formulario HTML simple

HTML:

<form action="path/to/server/script" method="post" id="my_form">
    <label>Name</label>
    <input type="text" name="name" />
    <label>Email</label>
    <input type="email" name="email" />
    <label>Website</label>
    <input type="url" name="website" />
    <input type="submit" name="submit" value="Submit Form" />
    <div id="server-results"><!-- For server results --></div>
</form>

JavaScript:

$("#my_form").submit(function(event){
    event.preventDefault(); // Prevent default action
    var post_url = $(this).attr("action"); // Get the form action URL
    var request_method = $(this).attr("method"); // Get form GET/POST method
    var form_data = $(this).serialize(); // Encode form elements for submission

    $.ajax({
        url : post_url,
        type: request_method,
        data : form_data
    }).done(function(response){ //
        $("#server-results").html(response);
    });
});

HTML multiparte / formulario de datos Formulario Enviar

Para cargar archivos al servidor, podemos usar la interfaz FormData disponible para XMLHttpRequest2, que construye un objeto FormData y puede enviarse al servidor fácilmente usando jQuery Ajax.

HTML:

<form action="path/to/server/script" method="post" id="my_form">
    <label>Name</label>
    <input type="text" name="name" />
    <label>Email</label>
    <input type="email" name="email" />
    <label>Website</label>
    <input type="url" name="website" />
    <input type="file" name="my_file[]" /> <!-- File Field Added -->
    <input type="submit" name="submit" value="Submit Form" />
    <div id="server-results"><!-- For server results --></div>
</form>

JavaScript:

$("#my_form").submit(function(event){
    event.preventDefault(); // Prevent default action
    var post_url = $(this).attr("action"); // Get form action URL
    var request_method = $(this).attr("method"); // Get form GET/POST method
    var form_data = new FormData(this); // Creates new FormData object
    $.ajax({
        url : post_url,
        type: request_method,
        data : form_data,
        contentType: false,
        cache: false,
        processData: false
    }).done(function(response){ //
        $("#server-results").html(response);
    });
});

Espero que esto ayude.


2

Desde la introducción de la API Fetch, ya no hay ninguna razón para hacerlo con jQuery Ajax o XMLHttpRequests. Para enviar datos de formulario a un script PHP en JavaScript vainilla, puede hacer lo siguiente:

function postData() {
    const form = document.getElementById('form');
    const data = new FormData();
    data.append('name', form.name.value);

    fetch('../php/contact.php', {method: 'POST', body: data}).then(response => {
        if (!response.ok){
            throw new Error('Network response was not ok.');
        }
    }).catch(err => console.log(err));
}
<form id="form" action="javascript:postData()">
    <input id="name" name="name" placeholder="Name" type="text" required>
    <input type="submit" value="Submit">
</form>

Aquí hay un ejemplo muy básico de un script PHP que toma los datos y envía un correo electrónico:

<?php
    header('Content-type: text/html; charset=utf-8');

    if (isset($_POST['name'])) {
        $name = $_POST['name'];
    }

    $to = "test@example.com";
    $subject = "New name submitted";
    $body = "You received the following name: $name";

    mail($to, $subject, $body);

El soporte de Internet Explorer podría ser una razón para seguir usando jQuery AJAX
Huub S

@HuubS ¿Por qué? Solo usa un polyfill. jQuery está muerto en mi humilde opinión.
Leonée
Al usar nuestro sitio, usted reconoce que ha leído y comprende nuestra Política de Cookies y Política de Privacidad.
Licensed under cc by-sa 3.0 with attribution required.