我正在尝试生成一个包含给定最小值和最大值的数字范围的列表。
如果我的最小值是14500且最大值是58000,那么我需要返回的方法;
小于卢比。 20000个
卢比。 20,001 - 卢比。 30000个
卢比。 30,001 - 卢比。 40000个
卢比。 40,001 - 卢比。 50,001
卢比。 50,001及以上
我的问题与此php question类似,但如果可能的话,我想使用LINQ
。
我已尝试使用Enumerable.Range
和一些使用大量for
和while
的代码。
最好的方法是什么?
答案 0 :(得分:1)
这可能是错误,因为我在记事本中写这个,但你会明白:
var start = min - min % 10000 + 10000;
list.Add(string.Format("less then {0}", start));
while(start < max)
{
if(start + 10000 > max)
list.Add(string.Format("{0} and above", start + 1));
else
list.Add(string.Format("rs. {0} - rs. {1}", start + 1, start + 10000));
start += 10000;
}
答案 1 :(得分:1)
此程序仅考虑最大值,因为您说您可以接受低于6的价格范围。
class Program
{
static void Main(string[] args)
{
int maxItems = 6;
int minItems = 3;
int maxValue = 99232;
int minValue = 99000;
//the list to store string formmated items
List<string> finalList = new List<string>();
int divider = (GetBestValue(maxValue, minValue, maxItems, minItems));
int startingPoint = ((minValue / divider) + 1) * divider;
finalList.Add(string.Format("less then {0}", startingPoint));
int currentAmmount = startingPoint;
while (currentAmmount < maxValue)
{
if (currentAmmount + divider > maxValue)
finalList.Add(string.Format("{0} and above", currentAmmount + 1));
else
finalList.Add(string.Format("rs. {0} - rs. {1}", currentAmmount + 1, currentAmmount + divider));
currentAmmount += divider;
}
foreach (var item in finalList)
{
Console.WriteLine(item);
}
}
/// <summary>
/// This method will seek the best divider to take
/// </summary>
/// <param name="max">Max value to use</param>
/// <param name="maxItems"></param>
/// <param name="minValue"></param>
/// <returns></returns>
static int GetBestValue(int max, int min, int maxItems, int minItems)
{
int currentDivider = 1;
int currentItems;
int startingMaxValue = max;
int range = (max - min);
while (startingMaxValue/10 > 0)
{
currentDivider *= 10;
startingMaxValue /= 10;
}
//check aginst max value
while (max / currentDivider > maxItems)
{
currentDivider *= 2;
}
//check aginst min items
currentItems =range / currentDivider;
while (currentItems < minItems)
{
currentDivider /= 2;
currentItems = range / currentDivider;
}
return currentDivider;
}
}
如果你想考虑最小值,你必须提供一些如何划分范围的逻辑
答案 2 :(得分:1)
编辑:请注意,此答案会返回范围中的所有数字。可能不需要。我会在这里留下这个答案给那些寻找不同答案的人。
我没有使用LINQ。但是这种方法允许您对数字进行分区。它从min到first分区,如:min = 1563,partition = 100,然后第一个列表是1563到1600.下一个是1601到1700.
static void Main(string[] args)
{
foreach (var numberRange in NumberRanges(14500, 58000, 10000))
{
Console.WriteLine(": {0}, {1}", numberRange.Min(), numberRange.Max());
}
}
static IEnumerable<IEnumerable<int>> NumberRanges(int min, int max, int partitionSize)
{
int num = min;
List<int> numPart = new List<int>(partitionSize);
while (num <= max)
{
numPart.Add(num++);
if (num % partitionSize == 0)
{
numPart.Add(num++);
yield return numPart;
numPart.Clear();
}
}
if (numPart.Any())
yield return numPart;
}
您最多可以强制执行以下列表:
NumberRanges(14500, 100000, 10000).Take(6);
,并提供: