作者:dvs5453401 | 来源:互联网 | 2023-10-10 17:42
使用jquery的ajax方法可以异步提交表单,成功后后台返回json数据,回调函数处理,可以不用刷新页面,达到异步的目的;处理表单的数据可以用serialize()方法进行序列化
使用jquery的ajax方法可以异步提交表单,成功后后台返回json数据,回调函数处理,可以不用刷新页面,达到异步的目的;
处理表单的数据可以用serialize()方法进行序列化,而如果提交的数据包括文件流的话,就需要使用 FormData对象:
不带文件的表单数据使用:var data = $(form).serialize();
带文件的表单数据使用: var data = new FormData($(form)[0]);
一、不带文件的ajax提交数据:
html:form表单
1 2 3 4 5 | < form id = "addForm" action = "${pageContext.request.contextPath}/admin/saveAdd" method = "post" >
< input type = "text" name = "name" placeholder = "请输入名字" />
< input type = "password" name = "password" placeholder = "密码" />
form >
< button type = "button" id = "submitAdd" >确认 button >
|
jquery 异步处理
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 | $( "#submitAdd" ).click( function (){
var targetUrl = $( "#addForm" ).attr( "action" );
var data = $( "#addForm" ).serialize();
$.ajax({
type: 'post' ,
url:targetUrl,
cache: false ,
data:data,
dataType: 'json' ,
success: function (data){
alert( 'success' );
},
error: function (){
alert( "请求失败" )
}
})
})
|
二、带文件的ajax提交数据:
html:form表单
有文件上传的form表单需要在标签里加入 enctype="multipart/form-data"属性 :
1 2 3 4 5 6 | < form id = "addForm" action = "${pageContext.request.contextPath}/admin/saveAdd" method = "post" enctype = " multipart/form-data" >
< input type = "text" name = "name" placeholder = "请输入名字" />
< input type = "password" name = "password" placeholder = "密码" />
< input type = "file" name = "avatar" />
form >
< button type = "button" id = "submitAdd" >确认 button >
|
jquery 异步处理
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 | $( "#submitAdd" ).click( function (){
var targetUrl = $( "#addForm" ).attr( "action" );
var data = new FormData($( "#addForm" )[0]);
$.ajax({
type: 'post' ,
url:targetUrl,
cache: false , //上传文件不需缓存
processData: false , //需设置为false。因为data值是FormData对象,不需要对数据做处理
contentType: false , //需设置为false。因为是FormData对象,且已经声明了属性enctype="multipart/form-data"
data:data,
dataType: 'json' ,
success: function (data){
alert( 'success' );
},
error: function (){
alert( "请求失败" )
}
})
})
|
上面是用表单来构建FormData对象,如果没有表单处理方式如下:
html:没有form表单
1 2 3 4 | < div id = "uploadFile" >
< input id = "file" name = "avatar" type = "file" />
< button id = "upload" data-url = "/admin/upload" type = "button" >上传头像 button >
div >
|
jquery异步处理:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 | $( "#upload" ).click( function (){
var targetUrl = $( this ).attr( "data-url" );
var data = new FormData();
//FormData对象加入参数
data.append( 'file' , $( '#file' )[0].files[0]); //'file' 为参数名,$('#file')[0].files[0])获取上传的文件,如果需上传多个文件,要在标签加上属性multiple
$.ajax({
type: 'post' ,
url:targetUrl,
cache: false ,
processData: false ,
contentType: false ,
data:data,
dataType: 'json' ,
success: function (data){
alert( 'success' );
},
error: function (){
alert( "请求失败" )
}
})
})
|