實作1
程式碼如下:
trim = function() {
return this.replace(/^ss*/, '').replace(/ss*$/, '');
}
看起來不怎麼樣, 動用了兩次正規替換,實際速度非常驚人,主要得益於瀏覽器的內部優化。一個著名的例子字串拼接,直接相加比用Array做成的StringBuffer 還快。 base2類別庫使用這種實作。
複製程式碼
複製程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() {
實作3
複製程式碼
複製程式碼
複製程式碼複製碼🎜>String.prototype.trim = function() { return this.substring(Math.max(this.search(/S/), 0),this.search(/Ss*$/) 1);
}
以截取方式取得空白部分(當然允許中間存在空白符),總共呼叫了四個原生方法。設計得非常巧妙,substring以兩個數字作為參數。 Math.max以兩個數字作參數,search則傳回一個數字。速度比上 面兩個慢一點,但比下面大多數都快。
實作4
複製程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() {
return this.replace(/^s |s $/g, '');
}
這可以稱得上實作2的簡化版,就是利用候選運算子連接兩個正規。但這樣做就失去了瀏覽器優化的機會,比不上實現3。由於看來很優雅,許多類庫都使用它,如JQuery與mootools
實現5
String.prototype.trim = function() {
var str = this;
str = str.match(/S (? :s S )*/);
return str ? str[0] : '';
}
match 是傳回一個數組,因此原字串符合要求的部分就成為它的元素。為了防止字串中間的空格符被排除,我們需要動用到非捕獲性分組(?:exp)。由於數組可 能為空,我們在後面還要做進一步的判定。好像瀏覽器在處理分組上比較無力,而且一個字慢。所以不要迷信正則,雖然它基本上是萬能的。
實作6
複製程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() { return this.replace(/^s*(S*(s S )*)s*$/, '$1');
}
複製程式碼
複製程式碼複製程式碼複製碼🎜>String.prototype.trim = function() { return this.replace(/^s*(S*(?:s S )*)s*$/, '$1'); } 和實現6很相似,但用了非捕獲分組進行了優點,性能效之有一點點提升。 實作8 複製程式碼複製程式碼複製程式碼複製碼🎜>String.prototype.trim = function() { return this.replace(/^s*((?:[Ss]*S)?)s*$/, '$1'); }
沿著上面兩個的思路進行改進,動用了非捕獲分組與字符集合,用?頂替了*,效果非常驚人。尤其在IE6中,可 以瘋狂來形容這次性能的提升,直接秒殺火狐。
實作9 複製程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() {
return this.replace(/^s*([Ss]*?)s*$/, '$1');
} 這次是用懶惰匹配頂替非捕獲分組,在火狐中得到改善,IE沒有上次那麼瘋狂。
實作10
複製程式碼
程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() {
var str = this,
whitespace = ' nrtfx0bxa0u2000u2001u2002u2003u2004u2005u2006u2002u2003u2004u2005u2006u 3000';
for (var i = 0,len = str.length; i if (whitespace.indexOf(str.charAt(i)) === -1) {
str = str.substring(i);
break;
}
}
for (i = str.length - 1; i >= 0; i--) {
if (whitespace.indexOf(str.charAt(i)) === -1) {
str = str.substring(0, i 1);
break;
}
} return whitespace.indexOf(str.charAt(0)) === -1 ? str : '';
}
複製程式碼
程式碼
複製程式碼
程式碼
🎜>String.prototype.trim = function() {
var str = this,
str = str.replace(/^s /, '');
for (var i = str.length - 1; i >= 0; i--) {
if (/S/.test(str.charAt(i))) {
str = str.substring(0, i 1);
break; }
}
實作12
複製程式碼
程式碼
複製程式碼
複製碼🎜>String.prototype.trim = function() { var str = this, str = str.replace(/^ss*/, ''), ws = /s/, i = str.length; while (ws.test(str.charAt(--i))); return str.slice(0, i 1); } 實現10與實現11在寫法上更好的改進版,注意說的不是性能速度,而是易記與使用上。和它的兩個前輩都是零毫秒等級的,以後就用這個來工作與嚇人。