任何人都有快速方法在C#中删除通用列表吗?
答案 0 :(得分:745)
如果您使用的是.Net 3+,则可以使用Linq。
List<T> withDupes = LoadSomeData();
List<T> noDupes = withDupes.Distinct().ToList();
答案 1 :(得分:210)
也许你应该考虑使用HashSet。
从MSDN链接:
using System;
using System.Collections.Generic;
class Program
{
static void Main()
{
HashSet<int> evenNumbers = new HashSet<int>();
HashSet<int> oddNumbers = new HashSet<int>();
for (int i = 0; i < 5; i++)
{
// Populate numbers with just even numbers.
evenNumbers.Add(i * 2);
// Populate oddNumbers with just odd numbers.
oddNumbers.Add((i * 2) + 1);
}
Console.Write("evenNumbers contains {0} elements: ", evenNumbers.Count);
DisplaySet(evenNumbers);
Console.Write("oddNumbers contains {0} elements: ", oddNumbers.Count);
DisplaySet(oddNumbers);
// Create a new HashSet populated with even numbers.
HashSet<int> numbers = new HashSet<int>(evenNumbers);
Console.WriteLine("numbers UnionWith oddNumbers...");
numbers.UnionWith(oddNumbers);
Console.Write("numbers contains {0} elements: ", numbers.Count);
DisplaySet(numbers);
}
private static void DisplaySet(HashSet<int> set)
{
Console.Write("{");
foreach (int i in set)
{
Console.Write(" {0}", i);
}
Console.WriteLine(" }");
}
}
/* This example produces output similar to the following:
* evenNumbers contains 5 elements: { 0 2 4 6 8 }
* oddNumbers contains 5 elements: { 1 3 5 7 9 }
* numbers UnionWith oddNumbers...
* numbers contains 10 elements: { 0 2 4 6 8 1 3 5 7 9 }
*/
答案 2 :(得分:142)
怎么样: -
var noDupes = list.Distinct().ToList();
在.net 3.5中?
答案 3 :(得分:86)
只需使用相同类型的列表初始化HashSet:
var noDupes = new HashSet<T>(withDupes);
或者,如果您想要返回一个列表:
var noDupsList = new HashSet<T>(withDupes).ToList();
答案 4 :(得分:46)
对它进行排序,然后检查彼此旁边的两个和两个,因为重复项将聚集在一起。
这样的事情:
list.Sort();
Int32 index = list.Count - 1;
while (index > 0)
{
if (list[index] == list[index - 1])
{
if (index < list.Count - 1)
(list[index], list[list.Count - 1]) = (list[list.Count - 1], list[index]);
list.RemoveAt(list.Count - 1);
index--;
}
else
index--;
}
注意:
答案 5 :(得分:30)
它对我有用。只需使用
List<Type> liIDs = liIDs.Distinct().ToList<Type>();
将“类型”替换为您想要的类型,例如中间体
答案 6 :(得分:27)
我喜欢使用这个命令:
List<Store> myStoreList = Service.GetStoreListbyProvince(provinceId)
.GroupBy(s => s.City)
.Select(grp => grp.FirstOrDefault())
.OrderBy(s => s.City)
.ToList();
我的列表中包含以下字段:Id,StoreName,City,PostalCode 我想在下拉列表中显示具有重复值的城市列表。 解决方案:逐个城市然后选择第一个列表。
我希望它有帮助:)
答案 7 :(得分:22)
正如kronoz在.Net 3.5中所说,你可以使用Distinct()
。
在.Net 2中你可以模仿它:
public IEnumerable<T> DedupCollection<T> (IEnumerable<T> input)
{
var passedValues = new HashSet<T>();
// Relatively simple dupe check alg used as example
foreach(T item in input)
if(passedValues.Add(item)) // True if item is new
yield return item;
}
这可用于重复数据删除任何集合,并将按原始顺序返回值。
过滤集合(与Distinct()
和此示例相同)通常要比从中删除项目快得多。
答案 8 :(得分:12)
扩展方法可能是一种不错的方式......就像这样:
public static List<T> Deduplicate<T>(this List<T> listToDeduplicate)
{
return listToDeduplicate.Distinct().ToList();
}
然后像这样打电话,例如:
List<int> myFilteredList = unfilteredList.Deduplicate();
答案 9 :(得分:10)
在Java中(我假设C#或多或少相同):
list = new ArrayList<T>(new HashSet<T>(list))
如果你真的想要改变原始列表:
List<T> noDupes = new ArrayList<T>(new HashSet<T>(list));
list.clear();
list.addAll(noDupes);
要保留顺序,只需用LinkedHashSet替换HashSet。
答案 10 :(得分:6)
使用Linq的联盟方法。
注意:此解决方案不需要Linq的知识,除了它存在。
<强>代码强>
首先将以下内容添加到类文件的顶部:
using System.Linq;
现在,您可以使用以下命令从名为obj1
的对象中删除重复项:
obj1 = obj1.Union(obj1).ToList();
注意:将obj1
重命名为对象名称。
工作原理
Union命令列出两个源对象的每个条目之一。由于obj1都是源对象,因此将obj1减少为每个条目之一。
ToList()
会返回一个新列表。这是必要的,因为像Union
这样的Linq命令将结果作为IEnumerable结果返回,而不是修改原始List或返回新列表。
答案 11 :(得分:5)
这是一种用于原位移除相邻重复项的扩展方法。首先调用Sort()并传入相同的IComparer。这应该比Lasse V. Karlsen的版本更有效,它反复调用RemoveAt(导致多个块内存移动)。
public static void RemoveAdjacentDuplicates<T>(this List<T> List, IComparer<T> Comparer)
{
int NumUnique = 0;
for (int i = 0; i < List.Count; i++)
if ((i == 0) || (Comparer.Compare(List[NumUnique - 1], List[i]) != 0))
List[NumUnique++] = List[i];
List.RemoveRange(NumUnique, List.Count - NumUnique);
}
答案 12 :(得分:5)
作为辅助方法(没有Linq):
public static List<T> Distinct<T>(this List<T> list)
{
return (new HashSet<T>(list)).ToList();
}
答案 13 :(得分:5)
如果您不关心订单,可以将项目推送到HashSet
,如果您做想维持订单,您可以这样做:
var unique = new List<T>();
var hs = new HashSet<T>();
foreach (T t in list)
if (hs.Add(t))
unique.Add(t);
或Linq方式:
var hs = new HashSet<T>();
list.All( x => hs.Add(x) );
修改:HashSet
方法在O(N)
时间和O(N)
空间排序,然后制作独特(按@ lassevk和其他)是O(N*lgN)
时间和O(1)
空间所以我不太清楚(因为乍一看)排序方式较差(我为临时投票表示道歉......)< / p>
答案 14 :(得分:3)
这需要截然不同的元素(没有重复的元素),然后再次将其转换为列表:
List<type> myNoneDuplicateValue = listValueWithDuplicate.Distinct().ToList();
答案 15 :(得分:3)
通过Nuget安装MoreLINQ包,您可以通过属性轻松区分对象列表
IEnumerable<Catalogue> distinctCatalogues = catalogues.DistinctBy(c => c.CatalogueCode);
答案 16 :(得分:2)
可能更容易确保重复项不会添加到列表中。
if(items.IndexOf(new_item) < 0)
items.add(new_item)
答案 17 :(得分:1)
David J.的回答是一个很好的方法,不需要额外的对象,排序等等。但是可以改进它:
for (int innerIndex = items.Count - 1; innerIndex > outerIndex ; innerIndex--)
因此外部循环在整个列表中位于顶部,但内部循环向下“直到达到外部循环位置”。
外部循环确保处理整个列表,内部循环找到实际的重复项,这些只能在外部循环尚未处理的部分中发生。
或者如果你不想为内循环做自下而上,你可以让内循环从outerIndex + 1开始。
答案 18 :(得分:1)
这是一个简单的解决方案,不需要任何难以阅读的LINQ或任何先前的列表排序。
private static void CheckForDuplicateItems(List<string> items)
{
if (items == null ||
items.Count == 0)
return;
for (int outerIndex = 0; outerIndex < items.Count; outerIndex++)
{
for (int innerIndex = 0; innerIndex < items.Count; innerIndex++)
{
if (innerIndex == outerIndex) continue;
if (items[outerIndex].Equals(items[innerIndex]))
{
// Duplicate Found
}
}
}
}
答案 19 :(得分:1)
有很多方法可以解决 - 列表中的重复问题,下面是其中之一:
List<Container> containerList = LoadContainer();//Assume it has duplicates
List<Container> filteredList = new List<Container>();
foreach (var container in containerList)
{
Container duplicateContainer = containerList.Find(delegate(Container checkContainer)
{ return (checkContainer.UniqueId == container.UniqueId); });
//Assume 'UniqueId' is the property of the Container class on which u r making a search
if(!containerList.Contains(duplicateContainer) //Add object when not found in the new class object
{
filteredList.Add(container);
}
}
干杯 Ravi Ganesan
答案 20 :(得分:1)
您可以使用Union
obj2 = obj1.Union(obj1).ToList();
答案 21 :(得分:1)
.Net 2.0的另一种方式
static void Main(string[] args)
{
List<string> alpha = new List<string>();
for(char a = 'a'; a <= 'd'; a++)
{
alpha.Add(a.ToString());
alpha.Add(a.ToString());
}
Console.WriteLine("Data :");
alpha.ForEach(delegate(string t) { Console.WriteLine(t); });
alpha.ForEach(delegate (string v)
{
if (alpha.FindAll(delegate(string t) { return t == v; }).Count > 1)
alpha.Remove(v);
});
Console.WriteLine("Unique Result :");
alpha.ForEach(delegate(string t) { Console.WriteLine(t);});
Console.ReadKey();
}
答案 22 :(得分:1)
如果您有两个班级Product
和Customer
,而我们想从其列表中删除重复的项目
public class Product
{
public int Id { get; set; }
public string ProductName { get; set; }
}
public class Customer
{
public int Id { get; set; }
public string CustomerName { get; set; }
}
您必须以下面的形式定义通用类
public class ItemEqualityComparer<T> : IEqualityComparer<T> where T : class
{
private readonly PropertyInfo _propertyInfo;
public ItemEqualityComparer(string keyItem)
{
_propertyInfo = typeof(T).GetProperty(keyItem, BindingFlags.GetProperty | BindingFlags.Instance | BindingFlags.Public);
}
public bool Equals(T x, T y)
{
var xValue = _propertyInfo?.GetValue(x, null);
var yValue = _propertyInfo?.GetValue(y, null);
return xValue != null && yValue != null && xValue.Equals(yValue);
}
public int GetHashCode(T obj)
{
var propertyValue = _propertyInfo.GetValue(obj, null);
return propertyValue == null ? 0 : propertyValue.GetHashCode();
}
}
然后,您可以删除列表中的重复项。
var products = new List<Product>
{
new Product{ProductName = "product 1" ,Id = 1,},
new Product{ProductName = "product 2" ,Id = 2,},
new Product{ProductName = "product 2" ,Id = 4,},
new Product{ProductName = "product 2" ,Id = 4,},
};
var productList = products.Distinct(new ItemEqualityComparer<Product>(nameof(Product.Id))).ToList();
var customers = new List<Customer>
{
new Customer{CustomerName = "Customer 1" ,Id = 5,},
new Customer{CustomerName = "Customer 2" ,Id = 5,},
new Customer{CustomerName = "Customer 2" ,Id = 5,},
new Customer{CustomerName = "Customer 2" ,Id = 5,},
};
var customerList = customers.Distinct(new ItemEqualityComparer<Customer>(nameof(Customer.Id))).ToList();
此代码通过Id
删除重复项,如果您想通过其他属性删除重复项,则可以更改nameof(YourClass.DuplicateProperty)
相同的nameof(Customer.CustomerName)
,然后通过CustomerName
属性删除重复项。
答案 23 :(得分:0)
我认为最简单的方法是:
创建一个新列表并添加唯一项。
示例:
class MyList{
int id;
string date;
string email;
}
List<MyList> ml = new Mylist();
ml.Add(new MyList(){
id = 1;
date = "2020/09/06";
email = "zarezadeh@gmailcom"
});
ml.Add(new MyList(){
id = 2;
date = "2020/09/01";
email = "zarezadeh@gmailcom"
});
List<MyList> New_ml = new Mylist();
foreach (var item in ml)
{
if (New_ml.Where(w => w.email == item.email).SingleOrDefault() == null)
{
New_ml.Add(new MyList()
{
id = item.id,
date = item.date,
email = item.email
});
}
}
答案 24 :(得分:0)
使用 HashSet 可以轻松完成。
List<int> listWithDuplicates = new List<int> { 1, 2, 1, 2, 3, 4, 5 };
HashSet<int> hashWithoutDuplicates = new HashSet<int> ( listWithDuplicates );
List<int> listWithoutDuplicates = hashWithoutDuplicates.ToList();
答案 25 :(得分:0)
所有答案都会复制列表,或创建新列表,或使用速度慢的功能,或者速度太慢。
据我所知,这是我所知的最快,最便宜的方法(也是由经验丰富的实时物理优化专业程序员支持)。
// Duplicates will be noticed after a sort O(nLogn)
list.Sort();
// Store the current and last items. Current item declaration is not really needed, and probably optimized by the compiler, but in case it's not...
int lastItem = -1;
int currItem = -1;
int size = list.Count;
// Store the index pointing to the last item we want to keep in the list
int last = size - 1;
// Travel the items from last to first O(n)
for (int i = last; i >= 0; --i)
{
currItem = list[i];
// If this item was the same as the previous one, we don't want it
if (currItem == lastItem)
{
// Overwrite last in current place. It is a swap but we don't need the last
list[i] = list[last];
// Reduce the last index, we don't want that one anymore
last--;
}
// A new item, we store it and continue
else
lastItem = currItem;
}
// We now have an unsorted list with the duplicates at the end.
// Remove the last items just once
list.RemoveRange(last + 1, size - last - 1);
// Sort again O(n logn)
list.Sort();
最终费用为:
nlogn + n + nlogn = n + 2nlogn = O(nlogn)。
有关RemoveRange的说明: 由于我们无法设置列表的计数并避免使用“删除”功能,因此我不完全知道此操作的速度,但我想这是最快的方法。
答案 26 :(得分:0)
简单直观的实施:
public static List<PointF> RemoveDuplicates(List<PointF> listPoints)
{
List<PointF> result = new List<PointF>();
for (int i = 0; i < listPoints.Count; i++)
{
if (!result.Contains(listPoints[i]))
result.Add(listPoints[i]);
}
return result;
}
答案 27 :(得分:0)
public static void RemoveDuplicates<T>(IList<T> list )
{
if (list == null)
{
return;
}
int i = 1;
while(i<list.Count)
{
int j = 0;
bool remove = false;
while (j < i && !remove)
{
if (list[i].Equals(list[j]))
{
remove = true;
}
j++;
}
if (remove)
{
list.RemoveAt(i);
}
else
{
i++;
}
}
}