如何在LINQ中执行String.Replace
本文关键字:执行 String Replace LINQ | 更新日期: 2023-09-27 18:19:42
以下是我尝试做但没有成功的事情。我想呼叫from x in list1
和join y in list2 where regex.Match(x.Value).Success
。在这些步骤之后,我需要在x.Value
上调用String.Replace
两次。然后呼叫on
和select
操作员。我希望它看起来像第二个例子。如何实现这一点?
以下是我的列表:
list1 list2
Name Value Name Value
item.1 $(prod1) prod1 prodVal1
item.2 $(prod2) prod2 prodVal2
item.3 prod3 prod3 prodVal3
以下是我的列表应该是什么样子的:
updatedList
Name Value
item.1 prodVal1
item.2 prodVal2
item.3 prod3
示例1(这是我目前拥有的):
foreach (var x in list1)
{
Match match = reg.Match(x.Value);
if (match.Success)
{
x.Value = x.Value.Replace("$(", "");
x.Value = x.Value.Replace(")", "");
}
}
var commonItems = from x in list1
join y in list2
on x.Value equals y.Name
//where regex.Match(x.Value).Success
select new { Item = x, NewValue = y.Value };
foreach (var x in commonItems)
{
x.Item.Value = x.NewValue;
}
示例2:
var commonItems = from x in list1
join y in list2
where regex.Match(x.Value).Success
//do x.Value.Replace("$(", "")
//do x.Value.Replace(")", "")
//then call
on x.Value equals y.Name
select new { Item = x, NewValue = y.Value };
foreach (var x in commonItems)
{
x.Item.Value = x.NewValue;
}
如果我正确理解您想要的是在查询中使用let
:
var commonItems = from x in list1
join y in list2
let newX = x.Value.Replace("$(", "").Replace(")", "")
where regex.Match(x.Value).Success
&& newX == y.Name
select new { Item = newX, NewValue = y.Value };
您确定需要Regex.Match
吗?你可以在不使用它的情况下获得相同的结果,无论如何,我添加了两个版本。。。
在1°版本中,您可以使用一个简单的If语句来检查值是否已更改
NewValue = x.Value != x1 ? y.Value: x.Value
样本代码
给定此类
class MyClass
{
public string Name { get; set; }
public string Value { get; set; }
}
添加项目
var list1 = new List<MyClass>();
list1.Add(new MyClass { Name = "item.1", Value = "$(prod1)" } );
list1.Add(new MyClass { Name = "item.2", Value = "$(prod2)" });
list1.Add(new MyClass { Name = "item.3", Value = "prod3" });
var list2 = new List<MyClass>();
list2.Add(new MyClass { Name = "prod1", Value = "prodVal1" });
list2.Add(new MyClass { Name = "prod2", Value = "prodVal2" });
list2.Add(new MyClass { Name = "prod3", Value = "prodVal3" });
获取常用列表
var q = from x in list1
let x1 = x.Value.Replace("$(", "").Replace(")", "")
join y in list2 on x1 equals y.Name
select new {
Item = x.Name,
NewValue = x.Value != x1 ? y.Value: x.Value
};
foreach (var s in q)
{
Console.WriteLine(s.Item + " " + s.NewValue);
}
结果
item.1 prodVal1
item.2 prodVal2
item.3 prod3
PS:我认为你不需要Regex
,但以防万一这个版本可以使用它。
var q = from x in list1
let x1 = x.Value.Replace("$(", "").Replace(")", "")
join y in list2 on x1 equals y.Name
select new
{
Item = x.Name,
NewValue = Regex.Match(x.Value, x1).Success ? x.Value : y.Value
};