First off, your code doesn't actually iterate over the list twice, it only iterates it once.
That said, your Select
is really just getting a sequence of all of the indexes; that is more easily done with Enumerable.Range
:
var result = Enumerable.Range(0, lst1.Count)
.Where(i => lst1[i] == "a")
.ToList();
Understanding why the list isn't actually iterated twice will take some getting used to. I'll try to give a basic explanation.
You should think of most of the LINQ methods, such as Select and Where as a pipeline. Each method does some tiny bit of work. In the case of Select
you give it a method, and it essentially says, "Whenever someone asks me for my next item I'll first ask my input sequence for an item, then use the method I have to convert it into something else, and then give that item to whoever is using me." Where
, more or less, is saying, "whenever someone asks me for an item I'll ask my input sequence for an item, if the function say it's good I'll pass it on, if not I'll keep asking for items until I get one that passes."
So when you chain them what happens is ToList
asks for the first item, it goes to Where
to as it for it's first item, Where
goes to Select
and asks it for it's first item, Select
goes to the list to ask it for its first item. The list then provides it's first item. Select
then transforms that item into what it needs to spit out (in this case, just the int 0) and gives it to Where
. Where
takes that item and runs it's function which determine's that it's true and so spits out 0
to ToList
, which adds it to the list. That whole thing then happens 9 more times. This means that Select
will end up asking for each item from the list exactly once, and it will feed each of its results directly to Where
, which will feed the results that "pass the test" directly to ToList, which stores them in a list. All of the LINQ methods are carefully designed to only ever iterate the source sequence once (when they are iterated once).
Note that, while this seems complicated at first to you, it's actually pretty easy for the computer to do all of this. It's not actually as performance intensive as it may seem at first.
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…