Javascript中实现trim的各种方法,这是一个面试题,要求給的String添加一個方法,去除字符串两边的空白字符(包括空格、制表符、换行符等)。
view sourceprint?1 String.prototype.trim = function() {
2 //return this.replace(/[(^\s+)(\s+$)]/g,"");//会把字符串中间的空白符也去掉
3 //return this.replace(/^\s+|\s+$/g,""); //
4 return this.replace(/^\s+/g,"").replace(/\s+$/g,"");
5 }
JQuery1.4.2,Mootools 使用
view sourceprint?
1 function trim1(str){
2 return str.replace(/^(\s|\xA0)+|(\s|\xA0)+$/g, '');
3 }
jQuery1.4.3,Prototype 使用,该方式去掉g以稍稍提高性能 在小规模的处理字符串时性能较好
view sourceprint?
1 function trim2(str){
2 return str.replace(/^(\s|\u00A0)+/,'').replace(/(\s|\u00A0)+$/,'');
3 }
Steven Levithan 在进行性能测试后提出了在JS中执行速度最快的裁剪字符串方式,在处理长字符串时性能较好
view sourceprint?
01 function trim3(str){
02 str = str.replace(/^(\s|\u00A0)+/,'');
03 for(var i=str.length-1; i>=0; i--){
04 if(/\S/.test(str.charAt(i))){
05 str = str.substring(0, i+1);
06 break;
07 }
08 }
09 return str;
10 }
最后需要提到的是 ECMA-262(V5) 中给String添加了原生的trim方法(15.5.4.20)。此外Molliza Gecko 1.9.1引擎中还给String添加了trimLeft ,trimRight 方法。