var a = "[i] earned [c] coin for [b] bonus";
How to get string "__ earned __ coin for __ bonus" from the variable above in JavaScript?
All I want to do is to replace all the bracket []
and its content to __
.
var a = "[i] earned [c] coin for [b] bonus";
How to get string "__ earned __ coin for __ bonus" from the variable above in JavaScript?
All I want to do is to replace all the bracket []
and its content to __
.
3 Answers
Reset to default 11a = a.replace(/\[.*?\]/g, '__');
if you expect newlines to be possible, you can use:
a = a.replace(/\[[^\]]*?\]/g, '__');
Here is a fun example of matching groups.
var text = "[i] italic [u] underline [b] bold";
document.body.innerHTML = text.replace(/\[([^\]]+)\]/g, '(<$1>$1</$1>)');
Breakdown
/ // BEGIN pattern
\[ // FIND left bracket (literal) '['
( // BEGIN capture group 1
[ // BEGIN character class
^ // MATCH start anchor OR
\] // MATCH right bracket (literal) ']'
] // END character class
+ // REPEAT 1 or more
) // END capture group 1
\] // MATCH right bracket (literal) ']'
/ // END pattern
g // FLAG global search
a = a.replace(/\[[^\]]+\]/g, '__');
jsFiddle.