English 中文(简体)
您在选择项目前能否在 linq 查询中设置属性?
原标题:Can you set a property in a linq query before selecting the item?

有没有办法在查询中设置一个属性?

var products = from p in Products
               let pricecalc = p.IsDiscontinued ? 0 : p.UnitPrice
               // somehow set p.Price = pricecalc
               select p;

我知道我可以使用 选择新产品 {.. 设置 道具在这里. {\\ / code> 但是我不想这样做 。

目前,我想我必须使用 foreach 来做到这一点。

最佳回答

取代

 let pricecalc = p.IsDiscontinued ? 0 : p.UnitPrice

使用使用

 let pricecalc = (p.Price = p.IsDiscontinued ? 0 : p.UnitPrice)
问题回答

是的,但您需要一个扩展方法 :

public static TSource Apply<TSource>(this IEnumerable<TSource> source, Action<TSource> action)
    where TSource : class // wouldn t work for value types, since the action would work on a copy
{
    foreach(var item in source)
    {
        action(item);
        yield return item;
    }
}

然后,你可以像这样使用它:

var products = Products.Apply(p => p.Price = p.IsDiscontinued ? 0 : p.UnitPrice);

但我不建议这样做; Linq 查询不应该产生副作用。 您也许应该改变查询, 返回含有更新价格的新对象 。

Products.Select(p => {
    var pricecalc = p.IsDiscontinued ? 0 : p.UnitPrice;
    p.Price = pricecalc;
    return p;
})

can 将此工作变成 LINQ 声明,但据我所知,如果没有某种变通办法,是无法明确做到这一点的。

这样的事情会解决的 不需要任何额外的方法:

var products = from p in Products                
    let pricecalc = p.IsDiscontinued ? 0 : p.UnitPrice                
    //introduce a throwaway let variable, just to modify something on p
    let ignored = p.Price = pricecalc
    select p; 

正如其他人所说的那样,我建议反对这种做法。





相关问题
Anyone feel like passing it forward?

I m the only developer in my company, and am getting along well as an autodidact, but I know I m missing out on the education one gets from working with and having code reviewed by more senior devs. ...

NSArray s, Primitive types and Boxing Oh My!

I m pretty new to the Objective-C world and I have a long history with .net/C# so naturally I m inclined to use my C# wits. Now here s the question: I feel really inclined to create some type of ...

C# Marshal / Pinvoke CBitmap?

I cannot figure out how to marshal a C++ CBitmap to a C# Bitmap or Image class. My import looks like this: [DllImport(@"test.dll", CharSet = CharSet.Unicode)] public static extern IntPtr ...

How to Use Ghostscript DLL to convert PDF to PDF/A

How to user GhostScript DLL to convert PDF to PDF/A. I know I kind of have to call the exported function of gsdll32.dll whose name is gsapi_init_with_args, but how do i pass the right arguments? BTW, ...

Linqy no matchy

Maybe it s something I m doing wrong. I m just learning Linq because I m bored. And so far so good. I made a little program and it basically just outputs all matches (foreach) into a label control. ...