I have a long string from which I want to detect and replace with some other text. Suppose my text is 'my first name is @[[Rameez]] and second name is @[[Rami]]'
. I want to detect @[[Rameez]] and replace with Rameez dynamically to all likewise strings.
How to detect a string with specific pattern from a larger string?
120 Views Asked by Rameez Rami At
3
There are 3 best solutions below
0

You could simply do:
preg_replace('/@\[\[(\w+)\]\]/', "$1", $string);
[
and ]
need to be escaped because they have special meaning in a regex.
This will replace any string @[[whatever]]
by whatever
0

You can create a regex pattern then user it to match, find and replace a given string. Here's example:
string input = "This is text with far too much " +
"whitespace.";
string pattern = "\\s+";
string replacement = " ";
Regex rgx = new Regex(pattern);
string result = rgx.Replace(input, replacement);
It's C# code but you can apply it to any language really. In your case you can substitute the pattern with something like string pattern = "@[[Rameez]]";
and then use different replacement: string replacement = "Rameez";
I hope that makes sense.
Specific version
Generic version
Regex
Description
(?<name> .. )
represents here a named capturing group. See this answer for details.Sample code
DEMO