我正在尝试用C#中的Dictionary中的值替换属性名称的出现。
我有以下词典:
Dictionary<string, string> properties = new Dictionary<string, string>()
{
{ "property1", @"E:\" },
{ "property2", @"$(property1)\Temp"},
{ "property3", @"$(property2)\AnotherSubFolder"}
};
其中键是属性名称,值只是一个字符串值。我基本上想要遍历值,直到所有设置属性都被替换。语法类似于MSBuild属性名称。
这应该最终将属性3评估为E:\ Temp \ AnotherSubFolder。
如果功能的RegEx部分可以工作,这将有所帮助,这是我坚持的地方。
我曾尝试在REFiddle here上编辑我的RegEx。
以下正则表达式模式适用于此:
/\$\(([^)]+)\)/g
鉴于文字:
$(property2)\AnotherSubFolder
它突出显示$(property2)。
但是,将它放在.NET小提琴中,我没有得到以下代码的任何匹配:
var pattern = @"\$\(([^)]+)\)/g";
Console.WriteLine(Regex.Matches(@"$(property2)AnotherSubFolder", pattern).Count);
哪个输出0.
我不太清楚为什么在这里。为什么我的比赛结果为零?
答案 0 :(得分:2)
/g
的支持,因为这是一个Perl-ism,所以删除它,并且领先的/
,.NET试图按字面意思匹配它们。答案 1 :(得分:1)
正则表达式在这里可能有些过分,如果您的属性或值包含特殊字符,或者将自行评估为正则表达式的字符,甚至可能会引入问题。
简单的替换应该有效:
Dictionary<string, string> properties = new Dictionary<string, string>()
{
{ "property1", @"E:\" },
{ "property2", @"$(property1)\Temp"},
{ "property3", @"$(property2)\AnotherSubFolder"}
};
Dictionary<string, string> newproperties = new Dictionary<string, string>();
// Iterate key value pairs in properties dictionary, evaluate values
foreach ( KeyValuePair<string,string> kvp in properties ) {
string value = kvp.Value;
// Execute replacements on value until no replacements are found
// (Replacement of $(property2) will result in value containing $(property1), must be evaluated again)
bool complete = false;
while (!complete) {
complete = true;
// Look for each replacement token in dictionary value, execute replacement if found
foreach ( string key in properties.Keys ) {
string token = "$(" + key + ")";
if ( value.Contains( token ) ) {
value = value.Replace( "$(" + key + ")", properties[key] );
complete = false;
}
}
}
newproperties[kvp.Key] = value;
}
properties = newproperties;