3

我有 Arraylist,其中包含所有属性的 ID(list1)。现在我有另一组属性的 Id (list2) 需要从第一个 ArrayList (list1) 中删除

我作为 LINQ 开发人员处于初学者阶段,所以请建议正确的代码片段

Arraylist attributeIDs; // which contains Ids
int[] ids = { 1, 2, 3, 4 };
var id = ids.Select(s => s);
var sam = attributeIDs.Cast<IEnumerable>().Where(s => id.Contains(Convert.ToInt32(s)));
Arraylist filterAttributDs = Cast<Arraylist>sam;

在上面的代码之后,我需要将输出 Arraylist 传输到不同的方法,所以我只需要在 Arraylist 中输出提前谢谢!

4

4 回答 4

3

试试方法

var sam = attributeIDs.Cast<IEnumerable>().Where(s => id.Contains(Convert.ToInt32(s)));
ArrayList myArrayList = new ArrayList(sam );

编辑

int[] ids = { 1, 2, 3, 4 };
//var id = ids.Select(s => s);
List<int> id = ids.OfType<int>().ToList();
var list = attributeIDs.Cast<int>().ToList();
//or try 
//List<int> list = new List<int>(arrayList.ToArray(typeof(int)));
var sam = list.Where(s => id.Contains(s));
//if you want to remove items than , !Contains() rather an Contains()
// var sam = list.Where(s => !id.Contains(s); 
//also try out Intersect or Except instead of this as jon suggestion in comment 
//var sam= attributeIDs.Except(id); for diffence between list
//var sam= attributeIDs.Intersect(id); for common in list


ArrayList myArrayList = new ArrayList(sam );

结合所有

检查这个:LINQ to SQL in and not in

于 2013-01-03T07:03:07.587 回答
1
new Arraylist((from id in attributeIDs where !ids.Contains(id) select id).ToList())

就像 Jon 提到的那样,您应该考虑只使用简单的数组或泛型集合。另请注意,上述查询在 O(n*m) 中运行,其中 n 是原始列表中的项目数,m 是您尝试删除的列表中的元素数。您应该考虑使用 HashSet,然后在此处使用集差操作以获得更好的性能。

于 2013-01-03T07:04:18.717 回答
1

对您的示例稍作调整:

ArrayList attributeIDs = new ArrayList(){ 1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
int[] ids = { 1, 2, 3, 4 };
var sam = attributeIDs.Cast<int>().Intersect(ids);

几点注意事项:

  • 转换底层项目类型,而Cast不是集合的类型。

  • foo = setOfThings.Select(a => a) <==> setOfThings

  • Intersect意思是“只选择出现在两个集合中的那些元素”

(如其他地方所述,Intersect 对于大型数据集不是最优的:考虑使用适当的结构,如 HashSet)

于 2013-01-03T07:05:18.040 回答
0

您的问题的解决方案是:

ArrayList firstList =new ArrayList(new int[]{ 1, 2, 3, 7, 8, 9 });

ArrayList secondList =new ArrayList(new int[] { 1, 3 });

var result = from c in firstList.ToArray() where !(from n in secondList.ToArray() select n).Contains(c) select c;

foreach (var temp in result) Console.WriteLine(temp);

上面的输出是:2 7 8 9即 secondList 的项目从 firstList 中删除,结果也是您需要的 ArrayList。

于 2013-01-03T07:45:53.147 回答