0

So I'm having a little regex trouble, I have an expression that matches the starting with and the ending with separately. The problem occurs when I try to match the starting with and ending with both in the same expression and I don't understand why that would be a problem. I've even tried accounting for the content between the start and end tags, still no luck.

Works: /^([ ])?\[(\/?)gaiarch(=[^"]*)?]([ ])?/ig
Works: /([ ])?\[(\/?)gaiarch(=[^"]*)?]([ ])?$/ig
Doesn't work: /^([ ])?\[(\/?)gaiarch(=[^"]*)?]([ ])?$/ig

What I'm trying to have it match:

[gaiarch=slider]
[img url="http://i1251.photobucket.com/albums/hh543/Knight-Yoshi/trade_c.png" text="Trading Image" goto="http://www.gaiaonline.com/gaia/bank.php?mode=trade&uid=15388423"],[img url="http://i1251.photobucket.com/albums/hh543/Knight-Yoshi/friend_c.png" text="Friends Image" goto="http://www.gaiaonline.com/friends/add/15388423"][/gaiarch]

 [gaiarch=slider][img url="http://i1251.photobucket.com/albums/hh543/Knight-Yoshi/gaiaonline/thread/post/dark-center_bottom_zps419960f4.gif" text="bottom bar"]
[img url="http://i1251.photobucket.com/albums/hh543/Knight-Yoshi/gaiaonline/thread/post/star-say_right_zpsdc3769f3.png" goto="http://www.gaiaonline.com/"][/gaiarch] 
Knight Yoshi
  • 924
  • 3
  • 11
  • 32
  • You're trying to match the string between `[gaiarch=...]` and `[/gaiarch]`? – Ja͢ck Aug 13 '13 at 06:47
  • If you want to get both, you might use [this regex](http://www.regex101.com/r/cC1gB2). It uses an `|` (or) operator. So it matches both `[gaiarch=...]` at the beginning and `[/gaiarch]` at the end. Is this what you're looking for? – Jerry Aug 13 '13 at 06:50
  • Please insert the result that you would like to achieve. – Coxer Aug 13 '13 at 06:55

1 Answers1

0

The problem is that you're not matching what's in between the opening and closing tags; the expression expects either an opening or closing tag to be the only contents of your string.

To match whatever is between the opening and closing tag you need something like this:

/\[gaiarch(?:=([^\]]+))?\](.*?)\[\/gaiarch\]/ig

For this expression to work you can use RegExp.exec():

var re = /\[gaiarch(?:=([^\]]+))?\](.*?)\[\/gaiarch\]/ig;
while ((match = re.exec(str)) !== null) {
    console.log(match[1]) // "slider"
    console.log(match[2]) // "[img url=...]"
}
Ja͢ck
  • 170,779
  • 38
  • 263
  • 309