开发者

Regex for anything between []

开发者 https://www.devze.com 2023-01-15 05:37 出处:网络
I need to find the regex for [] For eg, if the string is - Hi [Stack], Here is my [Tag] which i need to开发者_Python百科 [Find].

I need to find the regex for []

For eg, if the string is - Hi [Stack], Here is my [Tag] which i need to开发者_Python百科 [Find].

It should return Stack, Tag, Find


Pretty simple, you just need to (1) escape the brackets with backslashes, and (2) use (.*?) to capture the contents.

\[(.*?)\]

The parentheses are a capturing group, they capture their contents for later use. The question mark after .* makes the matching non-greedy. This means it will match the shortest match possible, rather than the longest one. The difference between greedy and non-greedy comes up when you have multiple matches in a line:

Hi [Stack], Here is my [Tag] which i need to [Find].
   ^______________________________________________^

A greedy match will find the longest string possible between two sets of square brackets. That's not right. A non-greedy match will find the shortest:

Hi [Stack], Here is my [Tag] which i need to [Find].
   ^_____^

Anyways, the code will end up looking like:

string regex = @"\[(.*?)\]";
string text  = "Hi [Stack], Here is my [Tag] which i need to [Find].";

foreach (Match match in Regex.Matches(text, regex))
{
    Console.WriteLine("Found {0}", match.Groups[1].Value);
}


\[([\w]+?)\]

should work. You might have to change the matching group if you need to include special chars as well.


Depending on what environment you mean:

\[([^\]]+)]


.NET syntax, taking care of multiple embedded brackets:

\[ ( (?: \\. | (?<OPEN> \[) | (?<-OPEN> \]) | [^\]] )*? (?(OPEN)(?!)) ) \]

This counts the number of opened [ sections in OPEN and only succeeds if OPEN is 0 in the end.


I encountered a similar issue and discovered that this also does the trick.

\[\w{1,}\]

The \w means Metacharacter. This will match 1 or more word characters.

Using n{X,} quantifier matches any string where you can obtain different amounts. With the second number left out on purpose, the expression means 1 or more characters to match.

0

精彩评论

暂无评论...
验证码 换一张
取 消