為 $.getScript() 添加緩衝開關
代碼如下 |
複製代碼 |
// add cache control to getScript method (function($){ $.getScript = function(url, callback, cache) { $.ajax({type: 'GET', url: url, success: callback, dataType: 'script', ifModified: true, cache: cache}); }; })(jQuery); |
為 $.getScript() 移去自動加的時間 timestamp
jquery.getScript主要用來實現jsonp,瀏覽器跨域擷取資料,使用方法如下
代碼如下 |
複製代碼 |
$.getScript(url,function(){...}); |
它暗藏了一個深坑:自動給你的url後面加上上timestamp,比如你請求 http://www.111cn.net,實際訪問url是 "/?_=1379920176108"
如果你本身對url有特別解析,哪就悲劇了,會浪費很多時間debug,要拒絕這種行為,可以改用 jquery.ajax,用法如下
代碼如下 |
複製代碼 |
1.$.ajax({ 2. url: 'http://m.lutaf.com', 3. dataType: "script", 4. cache:true, 5. success: function(){} 6.});using jQuery.ajax and set cache = ture, you can remove the timestamp property alltogether. |
動態載入JS【方法getScript】的改進
代碼如下 |
複製代碼 |
<!DOCTYPE html > <html> <head> <meta charset="utf-8"> <title></title> <script src="jquery-1.7.2.min.js" type="text/javascript"></script> <script type="text/javascript"> //定義一個全域script的標記數組,用來標記是否某個script已經下載到本地 var scriptsArray = new Array(); $.cachedScript = function (url, options) { //迴圈script標記數組 for (var s in scriptsArray) { //console.log(scriptsArray[s]); //如果某個數組已經下載到了本地 if (scriptsArray[s]==url) { return { //則返回一個對象字面量,其中的done之所以叫做done是為了與下面$.ajax中的done相對應 done: function (method) { if (typeof method == 'function'){ //如果傳入參數為一個方法 method(); } } }; } } //這裡是jquery官方提供類似getScript實現的方法,也就是說getScript其實也就是對ajax方法的一個拓展 options = $.extend(options || {}, { dataType: "script", url: url, cache:true //其實現在這緩衝加與不加沒多大區別 }); scriptsArray.push(url); //將url地址放入script標記數組中 return $.ajax(options); }; $(function () { $('#btn').bind('click', function () { $.cachedScript('t1.js').done(function () { alertMe(); }); }); $('#btn2').bind('click', function () { $.getScript('t1.js').done(function () { alertMe(); }); }); }); </script> </head> <body>
<button id="btn">自訂的緩衝方法</button> <br /> <button id="btn2">getScript</button> </body> </html> |