if i have a string of text like below, how can i collect the contents of the brackets in a collection in c# even if it goes over line breaks?
eg...
string s = "test [4df] test [5yu] test [6nf]";
should give me..
collection[0] = 4df
collection[1] = 5yu
collection[2] = 6nf
You can do this with regular expressions, and a bit of Linq.
    string s = "test [4df] test [5y" + Environment.NewLine + "u] test [6nf]";
    ICollection<string> matches =
        Regex.Matches(s.Replace(Environment.NewLine, ""), @"\[([^]]*)\]")
            .Cast<Match>()
            .Select(x => x.Groups[1].Value)
            .ToList();
    foreach (string match in matches)
        Console.WriteLine(match);
Output:
4df
5yu
6nf
Here's what the regular expression means:
\[   : Match a literal [
(    : Start a new group, match.Groups[1]
[^]] : Match any character except ]
*    : 0 or more of the above
)    : Close the group
\]   : Literal ]
                        Regex regex = new Regex(@"\[[^\]]+\]", RegexOptions.Multiline);
                        If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With