<form> <div><input type="text" value="1"/></div> <div><input type="text" value="2"/></div> <div><input type="hidden" value="3"/></div> </form> <script type="text/javascript"> $('form').submit(function() { console.log($(this).serialize()); //a=1&b=2&c=3 return false; }); </script>
例:serializeArray()
<form> First:<input type="text" value="1" /><br /> Last :<input type="text" value="2" /><br /> </form> <script type="text/javascript"> $('form').click(function(){ x=$("form").serializeArray(); console.log(x); //{[name:First,value:1],[name:Last,value:2]} }); </script>
ajax链式编程方法
在开发的过程,经常会遇到一些耗时间的操作,比如ajax读取服务器数据(异步操作),遍历一个很大的数组(同步操作)。不管是异步操作,还是同步操作,总之就是不能立即得到结果,JS是单线程语音,不能立即得到结果,便会一直等待(阻塞)。
一般的做法就是用回调函数(callback),即事先定义好一个函数,JS引擎不等待这些耗时的操作,而是继续执行下面的代码,等这些耗时操作结束后,回来执行事先定义好的那个函数。如下面的ajax代码:
$.ajax({ url: "test.html", success: function(){ console.log("success"); }, error: function(){ console.log("error"); } });
但这样写不够强大灵活,也很啰嗦。为此,jQuery1.5版本引入Deferred功能,为处理事件回调提供了更加强大而灵活的编程模式。
$.ajax("test.html") .done( function(){ console.log("success"); } ) .fail( function(){ console.log("error"); } );
不就是链式调用嘛,有何优点?
优点一:可以清晰指定多个回调函数
function fnA(){...} function fnB(){...} $.ajax("test.html").done(fnA).done(fnB);
试想一下,如果用以前的编程模式,只能这么写:
function fnA(){...} function fnB(){...} $.ajax({ url: "test.html", success: function(){ fnA(); fnB(); } });
优点二:为多个操作指定回调函数
$.when($.ajax("test1.html"), $.ajax("test2.html")) .done(function(){console.log("success");}) .fail(function(){console.log("error");});
用传统的编程模式,只能重复写success,error等回调了。