C# 判断一个数据集合起始重量 和截止重量数值是否连续
时间: 2024-04-15 22:30:57 浏览: 78
要判断一个数据集合的起始重量和截止重量数值是否连续,可以使用类似之前的方法。以下是一个示例代码:
```csharp
using System;
using System.Collections.Generic;
class Program
{
static void Main(string[] args)
{
List<int> weights = new List<int> { 10, 15, 20, 25, 30 };
bool isContinuous = IsWeightRangeContinuous(weights);
Console.WriteLine($"The weight range is{(isContinuous ? "" : " not")} continuous.");
}
static bool IsWeightRangeContinuous(List<int> weights)
{
if (weights.Count == 0)
{
// 数据集合为空,不连续
return false;
}
weights.Sort(); // 将数据集合按升序排序
int start = weights[0];
int end = weights[weights.Count - 1];
for (int i = start + 1; i < end; i++)
{
if (!weights.Contains(i))
{
// 如果有任何一个数值不在数据集合中,则返回 false
return false;
}
}
return true;
}
}
```
在上面的代码中,我们定义了一个 `IsWeightRangeContinuous` 方法来判断数据集合的起始重量和截止重量数值是否连续。首先,我们对数据集合进行升序排序。然后,我们获取起始重量 `start` 为排序后的第一个元素,截止重量 `end` 为排序后的最后一个元素。接下来,我们使用一个循环从 `start + 1` 开始遍历到 `end - 1`,如果有任何一个数值不在数据集合中,则说明数值不连续,返回 `false`。如果循环结束后都没有发现不连续的情况,则返回 `true`。
在本例中,我们定义了一个数据集合 `weights`,包含了一些重量数值。运行代码后,将输出结果为 "The weight range is continuous.",表示数据集合的起始重量和截止重量数值连续。
阅读全文