簡體   English   中英

排序列表的正確方法是什么 <string> 使用C#?

[英]What is the correct way to sort List <string> using C#?

我有LIST1 <>和LIST2 <>,並且喜歡比較這兩個列表。 以下是我的條件。

    1-If LIST1 and LIST2 have the same items than add same items to LIST3
    2-If LIST1 doesnt contain LIST2 items than add different items to LIST4
    3-if LIST2 doesnt contain LIST1 items than add different items to LIST5

可以說我的結果如下所示取決於條件;

LIST1<string> = A,B,C,D
LIST2<string> = A,K,F,C
LIST3<string> = A,C
LIST4<string> = B,D
LIST5<string> = K,F

這是我的代碼;

     foreach (string src in LIST1)
       {  
           foreach (string trg in LIST2)
            {
                if (LIST1.ToString() == LIST2.ToString())
                {
                    LIST3.Add(LIST1.ToString());
                }

               else
                {                       
                    LIST4.Clear();
                    foreach (string l3 in LIST1)
                    {
                        if (!LIST2.Contains(l3))
                            LIST4.Add(l3);
                    }

                   LIST5.Clear();
                    foreach (string l4 in LIST2)
                    {
                        if (!LIST1.Contains(l4))
                        {
                            LIST5.Add(l4);
                        }
                    }

                }

            }
        }

一種快速的方法是:

var list3 = list1.Intersect(list2).ToList();
var list4 = list1.Except(list2).ToList();
var list5 = list2.Except(list1).ToList();

更新:如果您需要處理較大的列表(和/或必須在多個位置編寫此列表),則可以編寫如下的擴展方法:

public static Tuple<IEnumerable<T>, IEnumerable<T>, IEnumerable<T>> Diff<T>(
    this IEnumerable<T> first, IEnumerable<T> second)
{
    var intersection = new List<T>();
    var onlyInFirst = new HashSet<T>();
    var onlyInSecond = new HashSet<T>(second);

    foreach (var item in first)
    {
        if (onlyInSecond.Remove(item)) intersection.Add(item);
        else onlyInFirst.Add(item);
    }

    return Tuple.Create<IEnumerable<T>, IEnumerable<T>, IEnumerable<T>>
        (intersection, onlyInFirst, onlyInSecond);
}

此方法返回三個IEnumerable<T>的元組,它們表示相交集,僅在第一個集合中的項目集和僅在第二個集合中的項目集; 分別。

用法:

var list1 = new[] { "A", "B", "C", "D" };
var list2 = new[] { "A", "K", "F", "C" };

var diff = list1.Diff(list2);
// diff.Item1 = A,C (intersection)
// diff.Item2 = B,D (only in first)
// diff.Item3 = K,F (only in second)

不確定這與排序有什么關系,但是下面是每種條件的Linq語句:

List3 = List1.Intersect(List2).ToList();
List4 = List1.Where(l1 => !List2.Any(l2 => l2 == l1)).ToList();
List5 = List2.Where(l2 => !List1.Any(l1 => l2 == l1)).ToList();

正如評論中所指出的,“ Except也將起作用:

List4 = List1.Except(List2).ToList();
List5 = List2.Except(List1).ToList();

暫無
暫無

聲明:本站的技術帖子網頁,遵循CC BY-SA 4.0協議,如果您需要轉載,請注明本站網址或者原文地址。任何問題請咨詢:yoyou2525@163.com.

 
粵ICP備18138465號  © 2020-2024 STACKOOM.COM