我需要用给定的值替换给定字符串中的所有标记字符串,例如:
"This is the level $levelnumber of the block $blocknumber."
我想将其转换为:
"This is the level 4 of the block 2."
这只是一个例子。实际上,我在文本中有几个$ data标签需要在运行时更改为某些数据。我不知道$ data标签会以字符串形式出现。
我打算使用正则表达式,但正则表达式确实令人困惑。
我试过没有成功(有几个双引号变体,没有引号等):
public static ShowTags (string Expression)
{
var tags = Regex.Matches(Expression, @"(\$([\w\d]+)[&$]*");
foreach (var item in tags)
Console.WriteLine("Tag: " + item);
}
任何帮助表示感谢。
[编辑]
工作代码:
public static ReplaceTagWithData(string Expression)
{
string modifiedExpression;
var tags = Regex.Matches(Expression, @"(\$[\w\d]+)[&$]*");
foreach (string tag in tags)
{
/// Remove the '$'
string tagname = pdata.Remove(0, 1);
/// Change with current value
modifiedExpression.Replace(pdata, new Random().ToString()); //Random simulate current value
}
return modifiedExpression;
}
答案 0 :(得分:2)
尝试\$(?<key>[\w\d]+)
之类的内容。有很多正则表达式测试人员,我建议让其中一个人轻松尝试你的正则表达式。
然后,正如Szymon建议的那样,你可以使用Regex.Replace,但是有更好的方式:
string result = Regex.Replace( s, pattern, new MatchEvaluator( Func ) );
string Func( Match m )
{
return string.Format( "Test[{0}]", m.Groups["key"].Value );
}
对于在字符串中找到的每个匹配,上面的 Func
将被调用一次,允许您返回替换字符串。
答案 1 :(得分:1)
您可以使用以下代码替换一个标签。
String tag = @"$levelnumber";
String input = @"This is the level $levelnumber of the block $blocknumber.";
string replacement = "4";
String output = Regex.Replace(input, Regex.Escape(tag), replacement);
要在所有标签的循环中执行此操作(我使用了标签和替换的数组来简化它):
String input = @"This is the level $levelnumber of the block $blocknumber.";
String[] tags = new String[] { "$levelnumber", "$blocknumber" };
String[] replacements = new String[] { "4", "2" };
for (int i = 0; i < tags.Length; i++)
input = Regex.Replace(input, Regex.Escape(tags[i]), replacements[i]);
最终结果位于input
。
注意:使用String.Replace
:
input = input.Replace(tags[i], replacements[i]);
修改强>
根据以下评论,您可以使用以下方式。这将重新识别以$
开头的所有代码并替换它们。
String input = @"This is the level $levelnumber of the block $blocknumber.";
Dictionary<string, string> replacements = new Dictionary<string,string>();
replacements.Add("$levelnumber", "4");
replacements.Add("$blocknumber", "2");
MatchCollection matches = Regex.Matches(input, @"\$\w*");
for (int i = 0; i < matches.Count; i++)
{
string tag = matches[i].Value;
if (replacements.ContainsKey(tag))
input = input.Replace(tag, replacements[tag]);
}
答案 2 :(得分:1)
请考虑以下内容以匹配占位符...
\ $ \ W *