I am not sure the square brackets are correct (although it has not yet failed some simple tests). I would also like to reduce and simplify this code to one line if practical. I think the code is self explanatory.
str = str.replace(/[\n]/g,'<br>')
str = str.replace(/[\t]/g,' ')
1 Answer 1
The square brackets are technically correct, but unneeded:
str = str.replace(/\n/g, "<br>");
Also, since a new string is returned, you can chain the methods:
str = str.replace(/\n/g, "<br>").replace(/\t/g, " ");
For more information, you can read the MDN pages on replace and regular expressions.
Though the above is one line, if wanted to combine it into one replace, you could, but in my opinion this is uglier and less clear:
str.replace(/(\n|\t)/g, function (s) { return (s === "\n" ? "<br>" : " "); });
This could be useful though if you had a large set of simple replacements:
var map = {"\n": "<br>", "\t": " "};
str.replace(/(\n|\t)/g, function (s) { return map[s]; });
The idea could be extended farther to automatically generate the regex instead of relying on changing it every time map
is updated.
-
\$\begingroup\$ I agree. I like the chained example. Thanks for clarifying the square brackets. I like the last example too, I think I have seen something similar. \$\endgroup\$John R– John R2012年06月11日 03:20:06 +00:00Commented Jun 11, 2012 at 3:20
-
\$\begingroup\$ Since you don't actually need regular expressions here, I would do it this way:
str = str.split('\n').join('<br>').split('\t').join(' ')
\$\endgroup\$Bill Barry– Bill Barry2012年06月11日 12:55:23 +00:00Commented Jun 11, 2012 at 12:55