猿问

在linq中生成具有步长的数列

我需要使用 C# linq 生成一系列数字。这是我如何使用 for 循环来完成它的。


int startingValue = 1;

int endValue = 13;

int increment = 5;

for (int i = startingValue; i <= endValue; i += increment) {

   Console.WriteLine(i);

}


一只甜甜圈
浏览 273回答 3
3回答

有只小跳蛙

如果你想模仿你的程序代码,你可以使用TakeWhile:&nbsp;Enumerable.Range(0, int.MaxValue).&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; Select(i => startValue + (i * increment)).&nbsp; &nbsp; &nbsp; &nbsp; &nbsp; &nbsp; TakeWhile(i => i <= endValue);但在我看来,这在性能和可读性方面更糟糕。

弑天下

尝试Enumerable.Range以模拟for循环:int startingValue = 1;int endValue = 13;int increment = 5;var result = Enumerable&nbsp; .Range(0, (endValue - startingValue) / increment + 1)&nbsp; .Select(i => startingValue + increment * i);Console.Write(string.Join(", ", result));结果:1, 6, 11

沧海一幻觉

不需要在 LINQ中做任何事情才能像Linq一样可用,你可以非常接近你的原始版本:IEnumerable<int> CustomSequence(int startingValue = 1, int endValue = 13, int increment = 5){&nbsp; &nbsp; &nbsp; &nbsp;&nbsp;&nbsp; &nbsp; for (int i = startingValue; i <= endValue; i += increment)&nbsp;&nbsp; &nbsp; {&nbsp; &nbsp; &nbsp; &nbsp; yield return i;&nbsp; &nbsp; }}像这样称呼var numbers = CustomSequence();或对其进行任何进一步的 LINQ:var firstTenEvenNumbers = CustomSequence().Where(n => n % 2 == 0).Take(1).ToList();
随时随地看视频慕课网APP
我要回答