JavaScript學習總結-技巧、實用函數、簡潔方法、編程細節

gf67 10年前發布 | 24K 次閱讀 JavaScript開發 JavaScript

整理JavaScript方面的一些技巧,比較實用的函數,常見功能實現方法,僅作參考


變量轉換

//edit http://www.lai18.com 
var myVar  = "3.14159",
str   = ""+ myVar,// to string
int   = ~~myVar, // to integer
float  = 1*myVar, // to float
bool  = !!myVar, /* to boolean - any string with length
and any number except 0 are true */
array  = [myVar]; // to array




但是轉換日期(new Date(myVar))和正則表達式(new RegExp(myVar))必須使用構造函數,創建正則表達式的時候要使用/pattern/flags這樣的簡化形式。

取整同時轉換成數值型

//edit http://www.lai18.com 
//字符型變量參與運算時,JS會自動將其轉換為數值型(如果無法轉化,變為NaN)
    '10.567890' | 0
    //結果: 10
    //JS里面的所有數值型都是雙精度浮點數,因此,JS在進行位運算時,會首先將這些數字運算數轉換為整數,然后再執行運算
    //| 是二進制或, x|0 永遠等于x;^為異或,同0異1,所以 x^0 還是永遠等于x;至于~是按位取反,搞了兩次以后值當然是一樣的
    '10.567890' ^ 0
//結果: 10

- 2.23456789 | 0
//結果: -2
~~-2.23456789
//結果: -2</pre><br />


日期轉數值

//JS本身時間的內部表示形式就是Unix時間戳,以毫秒為單位記錄著當前距離1970年1月1日0點的時間單位
    var d = +new Date(); //1295698416792




類數組對象轉數組

var arr =[].slice.call(arguments)




下面的實例用的更絕

function test() {
  var res = ['item1', 'item2']
  res = res.concat(Array.prototype.slice.call(arguments)) //方法1
  Array.prototype.push.apply(res, arguments)       //方法2
}


進制之間的轉換

(int).toString(16); // converts int to hex, eg 12 => "C"
(int).toString(8); // converts int to octal, eg. 12 => "14"
parseInt(string,16) // converts hex to int, eg. "FF" => 255
parseInt(string,8) // converts octal to int, eg. "20" => 16


將一個數組插入另一個數組指定的位置

var a = [1,2,3,7,8,9];
var b = [4,5,6];
var insertIndex = 3;
a.splice.apply(a, Array.prototype.concat(insertIndex, 0, b));


刪除數組元素

var a = [1,2,3,4,5];
a.splice(3,1);      //a = [1,2,3,5]


大家也許會想為什么要用splice而不用delete,因為用delete將會在數組里留下一個空洞,而且后面的下標也并沒有遞減。

判斷是否為IE



var ie = /*@cc_on !@*/false;


這樣一句簡單的話就可以判斷是否為ie,太。。。

其實還有更多妙的方法,請看下面

//edit http://www.lai18.com 
// 貌似是最短的,利用IE不支持標準的ECMAscript中數組末逗號忽略的機制
var ie = !-[1,];
// 利用了IE的條件注釋
var ie = /*@cc_on!@*/false;
// 還是條件注釋
var ie//@cc_on=1;
// IE不支持垂直制表符
var ie = '\v'=='v';
// 原理同上
var ie = !+"\v1";


學到這個瞬間覺得自己弱爆了。



盡量利用原生方法

要找一組數字中的最大數,我們可能會寫一個循環,例如:

var numbers = [3,342,23,22,124];
var max = 0;
for(var i=0;i<numbers.length;i++){
 if(numbers[i] > max){
  max = numbers[i];
 }
}
alert(max);


其實利用原生的方法,可以更簡單實現

var numbers = [3,342,23,22,124];
numbers.sort(function(a,b){return b - a});
alert(numbers[0]);


當然最簡潔的方法便是:

Math.max(12,123,3,2,433,4); // returns 433


當前也可以這樣

Math.max.apply(Math, [12, 123, 3, 2, 433, 4]) //取最大值
Math.min.apply(Math, [12, 123, 3, 2, 433, 4]) //取最小值


生成隨機數

Math.random().toString(16).substring(2);// toString() 函數的參數為基底,范圍為2~36。
    Math.random().toString(36).substring(2);


不用第三方變量交換兩個變量的值

a=[b, b=a][0];


事件委派

舉個簡單的例子:html代碼如下

<h2>Great Web resources</h2>
<ul id="resources">
 <li><a >Opera Web Standards Curriculum</a></li>
 <li><a >Sitepoint</a></li>
 <li><a >A List Apart</a></li>
 <li><a >YUI Blog</a></li>
 <li><a >Blame it on the voices</a></li>
 <li><a >Oddly specific</a></li>
</ul>


js代碼如下:

// Classic event handling example
(function(){
 var resources = document.getElementById('resources');
 var links = resources.getElementsByTagName('a');
 var all = links.length;
 for(var i=0;i<all;i++){
  // Attach a listener to each link
  links[i].addEventListener('click',handler,false);
 };
 function handler(e){
  var x = e.target; // Get the link that was clicked
  alert(x);
  e.preventDefault();
 };
})();


利用事件委派可以寫出更加優雅的:

(function(){
 var resources = document.getElementById('resources');
 resources.addEventListener('click',handler,false);
 function handler(e){
  var x = e.target; // get the link tha
  if(x.nodeName.toLowerCase() === 'a'){
   alert('Event delegation:' + x);
   e.preventDefault();
  }
 };
})();


檢測ie版本

var _IE = (function(){
  var v = 3, div = document.createElement('div'), all = div.getElementsByTagName('i');
  while (
    div.innerHTML = '<!--[if gt IE ' + (++v) + ']><i></i><![endif]-->',
    all[0]
  );
  return v > 4 ? v : false ;
}());


javaScript版本檢測

你知道你的瀏覽器支持哪一個版本的Javascript嗎?

var JS_ver = [];
(Number.prototype.toFixed)?JS_ver.push("1.5"):false;
([].indexOf && [].forEach)?JS_ver.push("1.6"):false;
((function(){try {[a,b] = [0,1];return true;}catch(ex) {return false;}})())?JS_ver.push("1.7"):false;
([].reduce && [].reduceRight && JSON)?JS_ver.push("1.8"):false;
("".trimLeft)?JS_ver.push("1.8.1"):false;
JS_ver.supports = function()
{
  if (arguments[0])
    return (!!~this.join().indexOf(arguments[0] +",") +",");
  else
    return (this[this.length-1]);
}
alert("Latest Javascript version supported: "+ JS_ver.supports());
alert("Support for version 1.7 : "+ JS_ver.supports("1.7"));


判斷屬性是否存在

// BAD: This will cause an error in code when foo is undefined
if (foo) {
  doSomething();
}
// GOOD: This doesn't cause any errors. However, even when
// foo is set to NULL or false, the condition validates as true
if (typeof foo != "undefined") {
  doSomething();
}
// BETTER: This doesn't cause any errors and in addition
// values NULL or false won't validate as true
if (window.foo) {
  doSomething();
}


有的情況下,我們有更深的結構和需要更合適的檢查的時候

// UGLY: we have to proof existence of every
// object before we can be sure property actually exists
if (window.oFoo && oFoo.oBar && oFoo.oBar.baz) {
  doSomething();
}


其實最好的檢測一個屬性是否存在的方法為:

if("opera" in window){
  console.log("OPERA");
}else{
  console.log("NOT OPERA");
}


檢測對象是否為數組

var obj=[];
Object.prototype.toString.call(obj)=="[object Array]";


給函數傳遞對象

function doSomething() {
  // Leaves the function if nothing is passed
  if (!arguments[0]) {
  return false;
  }
  var oArgs  = arguments[0]
  arg0  = oArgs.arg0 || "",
  arg1  = oArgs.arg1 || "",
  arg2  = oArgs.arg2 || 0,
  arg3  = oArgs.arg3 || [],
  arg4  = oArgs.arg4 || false;
}
doSomething({
  arg1  : "foo",
  arg2  : 5,
  arg4  : false
});


為replace方法傳遞一個函數

var sFlop  = "Flop: [Ah] [Ks] [7c]";
var aValues = {"A":"Ace","K":"King",7:"Seven"};
var aSuits = {"h":"Hearts","s":"Spades",
"d":"Diamonds","c":"Clubs"};
sFlop  = sFlop.replace(/\[\w+\]/gi, function(match) {
  match  = match.replace(match[2], aSuits[match[2]]);
  match  = match.replace(match[1], aValues[match[1]] +" of ");
  return match;
});
// string sFlop now contains:
// "Flop: [Ace of Hearts] [King of Spades] [Seven of Clubs]"


循環中使用標簽

有時候循環當中嵌套循環,你可能想要退出某一層循環,之前總是用一個標志變量來判斷,現在才知道有更好的方法

outerloop:
for (var iI=0;iI<5;iI++) {
  if (somethingIsTrue()) {
  // Breaks the outer loop iteration
  break outerloop;
  }
  innerloop:
  for (var iA=0;iA<5;iA++) {
    if (somethingElseIsTrue()) {
    // Breaks the inner loop iteration
    break innerloop;
  }
  }
}


對數組進行去重

/*
*@desc:對數組進行去重操作,返回一個沒有重復元素的新數組
*/
function unique(target) {
  var result = [];
  loop: for (var i = 0, n = target.length; i < n; i++) {
    for (var x = i + 1; x < n; x++) {
      if (target[x] === target[i]) {
        continue loop;
      }
    }
    result.push(target[i]);
  }
  return result;
}


或者如下:

Array.prototype.distinct = function () {
  var newArr = [],obj = {};
  for(var i=0, len = this.length; i < len; i++){
    if(!obj[typeof(this[i]) + this[i]]){
      newArr.push(this[i]);
      obj[typeof(this[i]) + this[i]] = 'new';
    }
  }
  return newArr;
}


其實最優的方法是這樣的

Array.prototype.distinct = function () { 
  var sameObj = function(a, b){ 
    var tag = true; 
    if(!a || !b) return false; 
    for(var x in a){ 
      if(!b[x]) return false; 
      if(typeof(a[x]) === 'object'){ 
        tag = sameObj(a[x],b[x]); 
      } else { 
        if(a[x]!==b[x]) 
        return false; 
      } 
    } 
    return tag; 
  } 
  var newArr = [], obj = {}; 
  for(var i = 0, len = this.length; i < len; i++){ 
    if(!sameObj(obj[typeof(this[i]) + this[i]], this[i])){ 
    newArr.push(this[i]); 
    obj[typeof(this[i]) + this[i]] = this[i]; 
    } 
  } 
  return newArr; 
}


使用范例(借用評論):

var arr=[{name:"tom",age:12},{name:"lily",age:22},{name:"lilei",age:12}];
var newArr=arr.distinct(function(ele){
 return ele.age;
});


查找字符串中出現最多的字符及個數

var i, len, maxobj='', maxnum=0, obj={};
var arr = "sdjksfssscfssdd";
for(i = 0, len = arr.length; i < len; i++){
  obj[arr[i]] ? obj[arr[i]]++ : obj[arr[i]] = 1;
  if(maxnum < obj[arr[i]]){
    maxnum = obj[arr[i]];
    maxobj = arr[i];
  }
}
alert(maxobj + "在數組中出現了" + maxnum + "次");


其實還有很多,這些只是我閑來無事總結的一些罷了。 

來自:http://blog.csdn.net/hello_katty/article/details/46452999

 本文由用戶 gf67 自行上傳分享,僅供網友學習交流。所有權歸原作者,若您的權利被侵害,請聯系管理員。
 轉載本站原創文章,請注明出處,并保留原始鏈接、圖片水印。
 本站是一個以用戶分享為主的開源技術平臺,歡迎各類分享!