具有特殊字符和空格的Javascript正则表达式

时间:2013-08-18 16:27:24

标签: javascript regex

通过使用Javascript,我想转换文本

"  [a] b    [c]" 

"[a] b [c]"

我的代码如下:

var test = "  [a] b    [c]";
test.replace(/\s+\[/g, "[");
alert(test);

然而,结果是

"[a] b    [c]"

我想知道为什么?任何的想法?

谢谢!

2 个答案:

答案 0 :(得分:3)

字符串是不可变的。因此replace不会更改test,但会返回更改后的字符串。因此,您需要分配结果:

test = test.replace(/\s+\[/g, "[");

请注意,这会产生[a] b[c]。要获得实际结果,您可能需要使用:

test = test.replace(/(^|\s)\s*\[/g, "$1[");

如果空格字符不在字符串的开头,则确保写回第一个空格字符。

或者,首先使用trim并手动回写一个空格:

test = test.trim().replace(/\s+\[/g, " [");

答案 1 :(得分:1)

<强>修剪

test = test.replace(/(^\s+|\s+$)/g, test);

如果您的浏览器支持,您可以使用str.trim()

test = test.trim();

注意:如果您需要支持不提供str.trim的浏览器,您可以随时使用es5-shim


紧凑的空间到一个

test = test.replace(/\s+/g, " ");

单行

test = test.trim().replace(/\s+/g, " ");

一对夫妇的测试

var cleanString = function(str) {
  console.log(str.trim().replace(/\s+/g, " "));
};

var examples = [
  "    [a]  b     [c]      ",
  " [a]    [b]    [c]   [d]",
  "[a]       b [c]         ",
  "              [a] b [c] "
];

examples.map(cleanString);

输出

[a] b [c]
[a] [b] [c] [d]
[a] b [c]
[a] b [c]