Пример JQuery AJAX POST с PHP

Я пытаюсь отправить данные из формы в базу данных. Вот форма, которую я использую:

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

Типичным подходом было бы представить форму, но это заставляет браузер перенаправлять. Используя jQuery и Ajax , можно ли записывать все данные формы и отправлять их в PHP-скрипт (например, form.php )?

Основное использование .ajax будет выглядеть примерно так:

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

Примечание: Поскольку jQuery 1.8, .success() , .error() и .complete() устарели в пользу .done() , .fail() и .always() .

Примечание. Помните, что приведенный выше фрагмент должен быть выполнен после того, как DOM готов, поэтому вы должны поместить его в обработчик $(document).ready() (или использовать стенограмму $() ).

Совет. Вы можете $.ajax().done().fail().always(); обработчики обратного вызова следующим образом: $.ajax().done().fail().always();

PHP (то есть 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; 

Примечание. Всегда очищайте опубликованные данные , чтобы предотвратить инъекции и другой вредоносный код.

Вы также можете использовать стенографию .post вместо .ajax в приведенном выше JavaScript-коде:

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

Примечание. Вышеупомянутый код JavaScript предназначен для работы с jQuery 1.8 и более поздними версиями, но он должен работать с предыдущими версиями вплоть до jQuery 1.5.

Чтобы сделать запрос ajax с помощью jQuery, вы можете сделать это, указав код

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:

Способ 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); } }); 

Способ 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 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 cab be abort 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'); }); 

.success() , .error() и .complete() устаревают с jQuery 1.8 . Чтобы подготовить код для их возможного удаления, .done() используйте .done() , .fail() и .always() .

MDN: abort() . Если запрос уже отправлен, этот метод прервет запрос.

поэтому мы успешно отправили ajax-запрос на свое время, чтобы захватить данные на сервер.

PHP

Поскольку мы делаем запрос POST в ajax-вызове ( type: "post" ), мы можем теперь захватывать данные, используя либо $_REQUEST либо $_POST

  $bar = $_POST['bar'] 

Вы также можете увидеть, что вы получаете в POST-запросе, либо просто: Btw убедитесь, что $ _POST установлен другим способом, вы получите ошибку.

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

И вы вставляете ценность в базу данных, убедитесь, что вы сенсибилизируете или избегаете правильного запроса (погода, которую вы сделали GET или POST), прежде чем делать запрос, Best будет использовать подготовленные заявления .

и если вы хотите вернуть данные на страницу, вы можете сделать это, просто повторяя эти данные, как показано ниже.

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

и чем вы можете это сделать

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

Есть пара коротких методов, которые вы можете использовать под кодом, он выполняет ту же работу.

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

Я хотел бы поделиться подробным способом публикации с помощью PHP + Ajax вместе с ошибками, отброшенными на отказ.

Прежде всего, создайте два файла, например form.php и process.php .

Сначала мы создадим form которая будет отправлена ​​с использованием метода jQuery .ajax() . Остальные будут объяснены в комментариях.


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> </li> </ul> <input type="submit" value="Send" /> </form> 

Подтвердите форму с помощью проверки на стороне клиента jQuery и передайте данные 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 }); }); 

Теперь мы рассмотрим 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); 

Файлы проекта можно загрузить с сайта http://projects.decodingweb.com/simple_ajax_form.zip .

Вы можете использовать сериализацию. Ниже приведен пример.

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

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

Я использую этот способ. Он представляет все как файлы

 $(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"); } }); }); 
 <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> по <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> 

Если вы хотите отправить данные с помощью jquery Ajax, тогда нет необходимости использовать тег формы и кнопку отправки

Пример:

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

Я использую этот простой код одной строки в течение многих лет без проблем. (Для этого требуется jquery)

 <script type="text/javascript"> function ap(x,y) {$("#" + y).load(x);}; function af(x,y) {$("#" + x ).ajaxSubmit({target: '#' + y});return false;}; </script> 

Здесь ap () означает ajax-страницу, а af () означает ajax-форму. В форме, просто вызывающей функцию af (), вы отправите форму URL-адресу и загрузите ответ на желаемый элемент html.

 <form> ... <input type="button" onclick="af('http://example.com','load_response')"/> </form> <div id="load_response">this is where response will be loaded</div> 
  handling ajax error and loader before submit and after submit success show alert bootbox with example: 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); } } } }); 

Привет, пожалуйста, проверьте это полный код запроса 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 what ever 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(); });