example - Ejemplo de jQuery Ajax POST con PHP
enviar json por post php (11)
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 enviarlo a un script PHP (en ejemplo, form.php )?
Si desea enviar datos utilizando jquery Ajax, entonces no hay necesidad de etiqueta de formulario y botón de envío
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" />
El uso básico de .ajax
se 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: Dado que jQuery 1.8, .success()
, .error()
y .complete()
están en desuso en favor de .done()
, .fail()
y .always()
.
Nota: recuerde que el fragmento de código anterior se debe hacer después de que DOM esté listo, por lo que debe colocarlo dentro de un controlador $(document).ready()
(o usar la abreviatura $()
).
Consejo: Puede chain los controladores 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: Siempre desinfecte los datos publicados , para evitar inyecciones y otros códigos maliciosos.
También puede usar la taquigrafía .post
en lugar de .ajax
en el có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 versiones posteriores, pero debería funcionar con versiones anteriores hasta jQuery 1.5.
Estoy usando este simple código de una línea durante años sin problemas. (Requiere jQuery)
<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 ajax page y af () significa ajax form. En un formulario, simplemente llamando a la función af () publicaremos el formulario en la url y cargaremos la respuesta en el elemento html deseado.
<form>
...
<input type="button" onclick="af(''http://example.com'',''load_response'')"/>
</form>
<div id="load_response">this is where response will be loaded</div>
Hola, por favor revisa este es el código completo de solicitud 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 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();
});
Me gustaría compartir una forma detallada de cómo publicar con PHP + Ajax junto con los errores devueltos en caso de error.
En primer lugar, cree dos archivos, por ejemplo, form.php
y process.php
.
Primero crearemos un form
que luego se enviará usando el método jQuery
.ajax()
. 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 de 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 vamos a echar 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 .
Para realizar una solicitud ajax utilizando jQuery , puede hacerlo siguiendo el 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 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'');
});
Las .success()
, .error()
y .complete()
están en desuso a partir de jQuery 1.8 . Para preparar su código para su eliminación final, use .done()
, .fail()
y .always()
lugar.
MDN: abort()
. Si la solicitud ya se ha enviado, este método abortará la solicitud.
por lo que hemos enviado con éxito la solicitud de ajax ahora es el momento de capturar datos al servidor.
PHP
A medida que realizamos una solicitud POST en una llamada ajax ( type: "post"
) ahora podemos tomar datos usando $_REQUEST
o $_POST
$bar = $_POST[''bar'']
También puede ver lo que obtiene en la solicitud POST simplemente por cualquiera de los dos, asegúrese de que $ _POST esté configurado de otra manera, obtendrá un error.
var_dump($_POST);
// or
print_r($_POST);
Y está insertando valor en la base de datos, asegúrese de que está sensibilizando o escapando de la solicitud de Todo (el tiempo que hizo GET o POST) correctamente antes de realizar la consulta, Best estaría utilizando declaraciones preparadas .
y si desea devolver cualquier dato a la página, puede hacerlo simplemente haciendo eco de los 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 de lo que puedes conseguirlo como
ajaxRequest.done(function (response){
alert(response);
});
Hay un par de métodos de taquigrafía que puedes usar a continuación para hacer el mismo trabajo.
var ajaxRequest= $.post( "test.php",values, function(data) {
alert( data );
})
.fail(function() {
alert( "error" );
})
.always(function() {
alert( "finished" );
});
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;
});
Uso de esta manera. Envio 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");
}
});
});
manejando el error y el cargador de ajax antes de enviar y después de enviar correctamente el cuadro de inicio de alerta 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);
}
}
}
});
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);
}
<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>