Here’s a typical regex scenario: You’ve got a string in which you need to find/capture the HTML tags from. Let’s say our string is:
This is a <em>first</em> test
Typically, you’d write a regular expression to capture the tag by writing this:
var re = new RegExp("<(.+)>", "");
Unexpectedly, however, the result you’re going to get matched back is:
"em>first</em"
The reason for this is explained on the Regex Tutorial website:
The first token in the regex is . You should see the problem by now. The dot matches the >, and the engine continues repeating the dot. The dot will match all remaining characters in the string. The dot fails when the engine has reached the void after the end of the string. Only at this point does the regex engine continue with the next token: >.
What we need to do instead is force the dot character to be lazy by adding a question mark after the plus sign (or a star, or numbers in curly braces):
var re = new RegExp("<(.+?)>", "");
This time, we’ll get back:
"em"