Esempio POST jQuery Ajax con PHP


681

Sto cercando di inviare dati da un modulo a un database. Ecco il modulo che sto 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>

L'approccio tipico sarebbe quello di inviare il modulo, ma questo fa reindirizzare il browser. Utilizzando jQuery e Ajax , è possibile acquisire tutti i dati del modulo e inviarli a uno script PHP (un esempio, form.php )?


3
Vedi la meta discussione relativa per il ragionamento alla base dell'annullamento.
TRiG

Semplice vaniglia js soluzione: stackoverflow.com/a/57285063/7910454
leonheess

Risposte:


939

L'utilizzo di base .ajaxsarebbe simile al seguente:

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: Poiché jQuery 1.8, .success(), .error()e .complete()sono deprecati in favore di .done(), .fail()e .always().

Nota: ricorda che lo snippet sopra deve essere eseguito dopo il DOM pronto, quindi dovresti inserirlo in un $(document).ready()gestore (o usare la $()scorciatoia).

Suggerimento: è possibile concatenare i gestori di callback in questo modo:$.ajax().done().fail().always();

PHP (ovvero 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: disinfettare sempre i dati pubblicati , per evitare iniezioni e altri codici dannosi.

È inoltre possibile utilizzare la scorciatoia .postal posto del .ajaxcodice JavaScript sopra:

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

Nota: il codice JavaScript sopra riportato funziona con jQuery 1.8 e versioni successive, ma dovrebbe funzionare con versioni precedenti fino a jQuery 1.5.


6
Modificata la tua risposta per correggere un bug: è requeststata dichiarata come una var locale che if (request) request.abort();non funziona mai.
Andrey Mikhaylov - lolmaus,

23
Una nota MOLTO IMPORTANTE, perché ho speso / sprecato / investito molto tempo cercando di usare questo esempio. È necessario associare l'evento all'interno di un blocco $ (documento). Già bloccare O avere il FORM caricato prima dell'esecuzione del bind. Altrimenti, passi molto tempo a cercare di capire PERCHÉ all'inferno non si chiama l'associazione.
Philibert Perusse,

3
@PhilibertPerusse Come per qualsiasi associazione di eventi, ovviamente è necessario che l'elemento esista nel DOM prima di provare ad associarlo o se si utilizza un binding delegato.
Mekwall,

10
Sì, lo capisco ora. Ma ho trovato molti esempi che mettono sempre un blocco $ (documento) in modo che l'esempio sia autonomo. Ho scritto il commento per un futuro utente che, come me, potrebbe inciampare in questo e finire per leggere il thread dei commenti e questo 'suggerimento' per principianti
Philibert Perusse

5
Se lo stai applicando al tuo codice, nota che gli attributi "name" sono fondamentali per gli input, altrimenti serialize()li salteranno.
Ben Flynn,

216

Per effettuare una richiesta Ajax utilizzando jQuery è possibile farlo con il seguente codice.

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:

Metodo 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);
        }
    });

Metodo 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');
    });

Il .success(), .error()e .complete()callback sono deprecati come di jQuery 1.8 . Per preparare il codice per l'eventuale rimozione, utilizzare .done(),.fail() e .always()invece.

MDN: abort(). Se la richiesta è già stata inviata, questo metodo interromperà la richiesta.

Quindi abbiamo inviato con successo una richiesta Ajax e ora è il momento di prendere i dati sul server.

PHP

Man mano che effettuiamo una richiesta POST in una chiamata Ajax ( type: "post"), ora possiamo acquisire i dati utilizzando uno $_REQUESTo $_POST:

  $bar = $_POST['bar']

Puoi anche vedere cosa ottieni nella richiesta POST semplicemente. A proposito, assicurati che $_POSTsia impostato. Altrimenti riceverai un errore.

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

E stai inserendo un valore nel database. Assicurati di sensibilizzare o sfuggire a tutte le richieste (sia che tu abbia fatto GET o POST) correttamente prima di effettuare la query. Il meglio sarebbe usare dichiarazioni preparate .

E se vuoi restituire qualsiasi dato alla pagina, puoi farlo semplicemente facendo eco a quei dati come di seguito.

// 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'));

E poi puoi ottenerlo come:

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

Esistono un paio di metodi stenografici . Puoi usare il codice qui sotto. Fa lo stesso lavoro.

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

La barra @Clarence è un nome di testo di tipo input e dato che sto facendo causa al metodo post, quindi $ _POST ['bar'] viene utilizzato per ottenerne il valore
NullPoiиteя

4
Per chiunque voglia usare json - mentre si utilizza JSON la chiamata dovrebbe contenere il parametro dataType: 'json'
K. Kilian Lindberg

4
@CarlLindberg - Cosa succede se si desidera indovinare jQuery in base al tipo MIME della risposta (che è cosa dovrebbe fare quando non si imposta il dataType), in modo da poter potenzialmente accettare JSON o qualche altro formato?
nnnnnn,

@nnnnnn hai ragione - è molto meglio - anzi è di default: Intelligent Guess
K. Kilian Lindberg

Per accedere all'oggetto risposta JSON (data.returned_val), non dimenticare di includere dataType: "json" nella tua chiamata ajax originale
Adelmar,

56

Vorrei condividere un modo dettagliato su come postare con PHP + Ajax insieme agli errori restituiti in caso di fallimento.

Prima di tutto, crea due file, ad esempio form.phpeprocess.php .

In primo luogo creeremo un formche verrà quindi inviato utilizzando il jQuery .ajax()metodo. Il resto verrà spiegato nei commenti.


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>


Convalida il modulo utilizzando la convalida lato client di jQuery e passa i dati 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
    });
});

Ora daremo un'occhiata 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);

I file di progetto possono essere scaricati da http://projects.decodingweb.com/simple_ajax_form.zip .


27

È possibile utilizzare la serializzazione. Di seguito è riportato un esempio.

$("#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()è un vero toccasana, grazie. Ho avuto problemi a interpretare il mio output in base alle altre risposte.
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

Uso il modo mostrato di seguito. Invia tutto come file.

$(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

Se si desidera inviare dati utilizzando jQuery Ajax, non è necessario il tag del modulo e il pulsante di invio

Esempio:

<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>

quale differenza id tra la tua e l'altra risposta?
NullPoiиteя

11
è pubblicato da me altri sono da altri.
Giovanni,

6

La gestione degli errori e del caricatore Ajax prima dell'invio e dopo l'invio riuscito mostra una casella di avvio di avviso con un esempio:

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

Sto usando questo semplice codice a una riga per anni senza problemi (richiede 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>

Qui ap () significa una pagina Ajax e af () significa una forma Ajax. In un modulo, semplicemente chiamando la funzione af () verrà pubblicato il modulo nell'URL e verrà caricata la risposta sull'elemento HTML desiderato.

<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>

Vorrei che includessi il file del server! Non ho idea di come testare.
johny perché il

4

Nel tuo file php inserisci:

$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";

e nel tuo file js invia un ajax con l'oggetto dati

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 tenerlo così com'è con il modulo di invio. Questo è necessario solo se si desidera inviare una richiesta modificata con contenuto aggiuntivo calcolato e non solo alcuni dati del modulo, che vengono inseriti dal client. Ad esempio un hash, un timestamp, un userid, un sessionid e simili.


2

Per favore controlla questo. È il codice di richiesta Ajax completo.

$('#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();
});

Questo è quello che sto cercando.
Nirav Bhoi,

2

Questo è un ottimo articolo che contiene tutto ciò che devi sapere sull'invio del modulo jQuery.

Riepilogo dell'articolo:

Modulo HTML semplice Invia

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);
    });
});

Invio modulo multipart / form-data HTML

Per caricare file sul server, possiamo usare l'interfaccia FormData disponibile per XMLHttpRequest2, che costruisce un oggetto FormData e può essere inviato al server facilmente 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);
    });
});

Spero che questo possa essere d'aiuto.


2

Dall'introduzione dell'API Fetch non c'è più motivo di farlo con jQuery Ajax o XMLHttpRequests. Per inviare i dati del modulo a uno script PHP in JavaScript vanilla è possibile effettuare le seguenti operazioni:

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>

Ecco un esempio molto semplice di uno script PHP che prende i dati e invia un'e-mail:

<?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);

Il supporto di Internet Explorer potrebbe essere un motivo per continuare a utilizzare jQuery AJAX
Huub S

@HuubS Why? Basta usare un polyfill. jQuery è morto IMHO.
leonheess,
Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.