從對集合數據去重到Distinct源碼分析

来源:https://www.cnblogs.com/wtbtbd/archive/2018/05/31/9114589.html
-Advertisement-
Play Games

今天在寫代碼的時候要對數據進行去重,正打算使用Distinct方法的時候,發現這個用了這麼久的東西,竟然不知道它是怎麼實現的,於是就有了這篇文章. 1.需求 假如我們有這樣一個類 還有這樣一組數據 我們要把集合中重覆的數據去掉,對的就這麼簡單個需求,工作中可不會有這麼簡單的需求. 2.在剛學編程的時 ...


今天在寫代碼的時候要對數據進行去重,正打算使用Distinct方法的時候,發現這個用了這麼久的東西,竟然不知道它是怎麼實現的,於是就有了這篇文章.

1.需求

假如我們有這樣一個類

    public class Model
    {
        public int Code { get; set; }
        public int No { get; set; }
        public override string ToString()
        {
            return "No:" + No + ",Code:" + Code;
        }
    }

還有這樣一組數據

        public static IEnumerable<Model> GetList()
        {
            return new List<Model>()
            {
                new Model(){No = 1,Code = 1},
                new Model(){No = 1,Code = 2},
                new Model(){No = 7,Code = 1},
                new Model(){No = 11,Code = 1},
                new Model(){No = 55,Code = 1},
                new Model(){No = 11,Code = 1},//重覆
                new Model(){No = 6,Code = 7},
                new Model(){No = 1,Code = 1},
                new Model(){No = 6,Code = 7},//重覆
            };
        }

我們要把集合中重覆的數據去掉,對的就這麼簡單個需求,工作中可不會有這麼簡單的需求.

2.在剛學編程的時候我們可能這樣寫的

在很久以前一直使用這種簡單粗暴的方法解決重覆問題

        /// <summary>
        /// 雙重迴圈去重
        /// </summary>
        /// <param name="list"></param>
        /// <returns></returns>
        public static IEnumerable<Model> MyDistinct(IEnumerable<Model> list)
        {
            var result = new List<Model>();
            foreach (var item in list)
            {
                //標記
                var flag = true;
                foreach (var item2 in result)
                {
                    //已經存在的標記為false
                    if (item2.Code == item.Code && item2.No == item.No)
                    {
                        flag = false;
                    }
                }

                if (flag)
                {
                    result.Add(item);
                }
            }

            return result;
        }

3.後來認識了Distinct

後來知道了Distinct去重,我們寫法變成了這樣

   /// <summary>
    /// 比較器
    /// </summary>
    public class ModelEquality : IEqualityComparer<Model>
    {
        public bool Equals(Model x, Model y)
        {
            return x.No == y.No && x.Code == y.Code;
        }

        public int GetHashCode(Model obj)
        {
            return obj.No.GetHashCode() + obj.Code.GetHashCode();
        }
    }
//這樣就可以得到去重後的集合
GetList().Distinct(new ModelEquality());

4.探究Distinct源碼

我們去github找一下源碼,微軟開源的倉庫地址:https://github.com/dotnet/corefx
為了篇幅我刪掉了一些不相關的一些代碼

namespace System.Linq
{
    public static partial class Enumerable
    {
        public static IEnumerable<TSource> Distinct<TSource>(this IEnumerable<TSource> source) => Distinct(source, null);

        public static IEnumerable<TSource> Distinct<TSource>(this IEnumerable<TSource> source, IEqualityComparer<TSource> comparer)
        {
            if (source == null)
            {
                throw Error.ArgumentNull(nameof(source));
            }

            return new DistinctIterator<TSource>(source, comparer);
        }
        private sealed class DistinctIterator<TSource> : Iterator<TSource>, IIListProvider<TSource>
        {
            private readonly IEnumerable<TSource> _source;
            private readonly IEqualityComparer<TSource> _comparer;
            private Set<TSource> _set;
            private IEnumerator<TSource> _enumerator;

            public DistinctIterator(IEnumerable<TSource> source, IEqualityComparer<TSource> comparer)
            {
                _source = source;
                _comparer = comparer;
            }

            public override bool MoveNext()
            {
                switch (_state)
                {
                    case 1:
                        _enumerator = _source.GetEnumerator();
                        if (!_enumerator.MoveNext())
                        {
                            Dispose();
                            return false;
                        }

                        TSource element = _enumerator.Current;
                        _set = new Set<TSource>(_comparer);
                        _set.Add(element);
                        _current = element;
                        _state = 2;
                        return true;
                    case 2:
                        while (_enumerator.MoveNext())
                        {
                            element = _enumerator.Current;
                            if (_set.Add(element))
                            {
                                _current = element;
                                return true;
                            }
                        }
                        break;
                }

                Dispose();
                return false;
            }

            public override void Dispose()
            {
                //省略...
            }
        }
    }
}

Iterator<TSource>是一個抽象類實現了Iterator<TSource> : IEnumerable<TSource>, IEnumerator<TSource>
我們主要看DistinctIterator類中的代碼,發現有這麼一個私有成員Set<TSource> _set;,我們再看MoveNext方法中有這麼一段

                            element = _enumerator.Current;
                            if (_set.Add(element))
                            {
                                _current = element;
                                return true;
                            }

到這裡我似乎明白了什麼,回憶下Set集合的特點"無序","不可重覆",再看代碼中只有對set Add成功才對_current賦值,return true.那麼這個Set應該就是內部維護的一個集合,也就是我們要的去重後的數據,那麼Set里的Add方法就是關鍵
同樣去掉了一些沒有用到的,加了註釋

namespace System.Linq
{
    /// <summary>
    /// A lightweight hash set.
    ///一個 輕量級hash set
    /// </summary>
    /// <typeparam name="TElement">The type of the set's items.</typeparam>
    internal sealed class Set<TElement>
    {
        /// <summary>
        /// The comparer used to hash and compare items in the set.
        /// </summary>
        private readonly IEqualityComparer<TElement> _comparer;

        /// <summary>
        /// The hash buckets, which are used to index into the slots.
        /// hash環,每一個指向了下麵Slot中的index
        /// </summary>
        private int[] _buckets;

        /// <summary>
        /// The slots, each of which store an item and its hash code.
        /// 數組的每一個儲存了他們自身和自己的hash
        /// </summary>
        private Slot[] _slots;

        /// <summary>
        /// The number of items in this set.
        /// </summary>
        private int _count;

        /// <summary>
        /// Constructs a set that compares items with the specified comparer.
        /// </summary>
        /// <param name="comparer">
        /// The comparer. If this is <c>null</c>, it defaults to <see cref="EqualityComparer{TElement}.Default"/>.
        /// </param>
        public Set(IEqualityComparer<TElement> comparer)
        {
            _comparer = comparer ?? EqualityComparer<TElement>.Default;
            //初始化長度7
            _buckets = new int[7];
            //初始化長度7
            _slots = new Slot[7];
        }

        /// <summary>
        /// Attempts to add an item to this set.
        /// 我們要看的方法
        /// </summary>
        /// <param name="value">The item to add.</param>
        /// <returns>
        /// <c>true</c> if the item was not in the set; otherwise, <c>false</c>.
        /// </returns>
        public bool Add(TElement value)
        {
            //取的當前項的hash
            int hashCode = InternalGetHashCode(value);
            //重覆的hashCode的話,  _buckets[hashCode % _buckets.Length] - 1的值就不會是-1
            //就會進入下麵的if判斷
            //
            for (int i = _buckets[hashCode % _buckets.Length] - 1; i >= 0; i = _slots[i]._next)
            {
                //如果存在重覆就會直接返回false,沒有的話i會變為_next所指向的hash相等的元素,減少了迴圈次數,類似鏈表
                if (_slots[i]._hashCode == hashCode && _comparer.Equals(_slots[i]._value, value))
                {
                    return false;
                }
            }
            //Slot數量滿了後
            if (_count == _slots.Length)
            {
                //對數組進行擴容
                Resize();
            }
            //元素要添加進_slots的下標位置
            int index = _count;
            //對數量進行增加
            _count++;
            //對當前項的hash 取餘
            int bucket = hashCode % _buckets.Length;
            //賦值
            _slots[index]._hashCode = hashCode;
            _slots[index]._value = value;
            //當hash第一次出現的時候值為-1,重覆出現的時候為上一個出現重覆bucket值存放在slots中的索引,-1是因為下一行+1了
            _slots[index]._next = _buckets[bucket] - 1;
            //指向當前元素索引+1 出現重覆的bucket值則會覆蓋舊的bucket位置的值
            _buckets[bucket] = index + 1;
            return true;
        }
        /// <summary>
        /// Expands the capacity of this set to double the current capacity, plus one.
        /// 對set擴容
        /// </summary>
        private void Resize()
        {
            int newSize = checked((_count * 2) + 1);
            int[] newBuckets = new int[newSize];
            Slot[] newSlots = new Slot[newSize];
            Array.Copy(_slots, 0, newSlots, 0, _count);
            for (int i = 0; i < _count; i++)
            {
                int bucket = newSlots[i]._hashCode % newSize;
                newSlots[i]._next = newBuckets[bucket] - 1;
                newBuckets[bucket] = i + 1;
            }

            _buckets = newBuckets;
            _slots = newSlots;
        }

        /// <summary>
        /// The number of items in this set.
        /// </summary>
        public int Count => _count;

        /// <summary>
        /// Gets the hash code of the provided value with its sign bit zeroed out, so that modulo has a positive result.
        /// </summary>
        /// <param name="value">The value to hash.</param>
        /// <returns>The lower 31 bits of the value's hash code.</returns>
        private int InternalGetHashCode(TElement value) => value == null ? 0 : _comparer.GetHashCode(value) & 0x7FFFFFFF;

        /// <summary>
        /// An entry in the hash set.
        /// </summary>
        private struct Slot
        {
            /// <summary>
            /// The hash code of the item.
            /// hash值
            /// </summary>
            internal int _hashCode;

            /// <summary>
            /// In the case of a hash collision, the index of the next slot to probe.
            /// 下一個用於檢查的元素index
            /// </summary>
            internal int _next;

            /// <summary>
            /// The item held by this slot.
            /// </summary>
            internal TElement _value;
        }
    }
}

5.分析下去重的思路

圖用自帶畫圖畫的,難看還請見諒.

我後面回放代碼,一步一步調試可能會更容易理解.
1.假如我們第一個Model進行hash取餘得到的為0,此時_buckets[0]為0,所以不會進入for迴圈條件,直接進行下麵的賦值操作

_slots[0]=當前的元素 next=-1 hash=7
buckets[0]=1 指向當前元素索引+1

2.繼續下一個Model進行hash取餘,假如又為0,buckets[0]-1為0,滿足迴圈條件,進入判斷,取到_slots[0]的值,進行比較,發現相等的話則會直接返回.
3.繼續上面的步驟,這次hash取餘為3,沒出現過,

_slots[1]=當前的元素 next=-1 hash=10
buckets[2]=2 指向當前元素索引+1

.........
4.這個時候又出現了一次hash取餘為3,進入判斷中,取到_slots[1]的值,進行比較發現不相等,next為-1不會有下一次迴圈,

_slots[3]=當前的元素 next=1 hash=10
buckets[2]=4 指向當前元素索引+1

註意此時next不是-1了,而是1,也就是上一個相同hash取餘的元素在_slots中的位置,此時形成了一個鏈表.這樣少了很多的比較次數.
5.這個時候又出現了一個hash取餘為3的,進入判斷中,取到_slots[3]的值,進行比較發現不相等,next為1,則再次與_slots[1]的元素進行比較,如果發現相等的捨棄,反之最後加入到set中
假如不相同,則:

_slots[4]=當前的元素 next=3 hash=10
buckets[2]=5 指向當前元素索引+1

6.結束

結束了,我們發現Distinct使用了hash進行去重,實現思路上感覺很值得我學習(我是寫不出來的..).
Distinct很依賴於比較器的GetHashCode方法,如果隨便返回一個固定值的話,會增加很大的開銷.不要為了偷懶再返回一個固定int值了.
希望這篇文章可以對大家有幫助 有啟發

代碼地址:https://git.coding.net/changyell/DistinctDemo.git

本人是個菜鳥,文章如果有錯誤的地方,煩請大佬們指正,謝謝...


您的分享是我們最大的動力!

-Advertisement-
Play Games
更多相關文章
  • 分享一篇文章,關於asp.net core中httpcontext的拓展。 現在,試圖圍繞HttpContext.Current構建你的代碼真的不是一個好主意,但是我想如果你正在遷移一個企業類型的應用程式,那麼很多HttpContext.Current會圍繞這個業務邏輯,它可能會提供一些暫時的緩解移 ...
  • 介紹一種取下拉框值以及綁定下拉框數據的方法 這裡用到的jquery-ui-multiselect插件 1、前臺html代碼 2、獲取值js代碼 3、後臺取值賦值代碼 //品類 if (hid_Cartype.Value == "") //將文本值放入lable控制項顯示 x_lb_Cartype.Vi ...
  • 只作為個人學習筆記。 ...
  • 索引 NET Core應用框架之BitAdminCore框架應用篇系列 框架演示:http://bit.bitdao.cn 框架源碼:https://github.com/chenyinxin/cookiecutter-bitadmin-core 20180531更新內容 本次更新內容如下: 一、將 ...
  • 閑來沒事,想做一個仿QQ登陸註冊的winform,於是利用工作之餘,根據自己的掌握和查閱的資料,歷時4天修改完成,新手水平,希望和大家共同學習進步,有不同見解希望提出! 廢話不多說,進入正題: 先來看看我繪製的界面: 運用的CSkin控制項完成的繪製,cskin和vs自帶的控制項其實差別不大,只是csk ...
  • BarcodeView控制項 一、 樣式一 我們要實現上圖中的效果,需要如下的操作: 設置控制項類型,將BarcodeFormat屬性設置為“QRCode”,讓控制項顯示為二維碼,如圖1; 圖 1設置界面 若將BarcodeFormat屬性設置為“Code128”,控制項則會顯示為一維碼,如圖2、圖3。 圖 ...
  • 分享一個很久之前寫的一個Winform換膚組件。 主要利用CBT鉤子,NativeWindow來實現。可實現動態換皮膚插件修改窗體顯示外觀。 我們先定義一個自定義組件 using Skin; using System; using System.Collections.Generic; using ...
  • 1 WebClient web = new WebClient(); 2 var html = web.DownloadString(url); ...
一周排行
    -Advertisement-
    Play Games
  • 移動開發(一):使用.NET MAUI開發第一個安卓APP 對於工作多年的C#程式員來說,近來想嘗試開發一款安卓APP,考慮了很久最終選擇使用.NET MAUI這個微軟官方的框架來嘗試體驗開發安卓APP,畢竟是使用Visual Studio開發工具,使用起來也比較的順手,結合微軟官方的教程進行了安卓 ...
  • 前言 QuestPDF 是一個開源 .NET 庫,用於生成 PDF 文檔。使用了C# Fluent API方式可簡化開發、減少錯誤並提高工作效率。利用它可以輕鬆生成 PDF 報告、發票、導出文件等。 項目介紹 QuestPDF 是一個革命性的開源 .NET 庫,它徹底改變了我們生成 PDF 文檔的方 ...
  • 項目地址 項目後端地址: https://github.com/ZyPLJ/ZYTteeHole 項目前端頁面地址: ZyPLJ/TreeHoleVue (github.com) https://github.com/ZyPLJ/TreeHoleVue 目前項目測試訪問地址: http://tree ...
  • 話不多說,直接開乾 一.下載 1.官方鏈接下載: https://www.microsoft.com/zh-cn/sql-server/sql-server-downloads 2.在下載目錄中找到下麵這個小的安裝包 SQL2022-SSEI-Dev.exe,運行開始下載SQL server; 二. ...
  • 前言 隨著物聯網(IoT)技術的迅猛發展,MQTT(消息隊列遙測傳輸)協議憑藉其輕量級和高效性,已成為眾多物聯網應用的首選通信標準。 MQTTnet 作為一個高性能的 .NET 開源庫,為 .NET 平臺上的 MQTT 客戶端與伺服器開發提供了強大的支持。 本文將全面介紹 MQTTnet 的核心功能 ...
  • Serilog支持多種接收器用於日誌存儲,增強器用於添加屬性,LogContext管理動態屬性,支持多種輸出格式包括純文本、JSON及ExpressionTemplate。還提供了自定義格式化選項,適用於不同需求。 ...
  • 目錄簡介獲取 HTML 文檔解析 HTML 文檔測試參考文章 簡介 動態內容網站使用 JavaScript 腳本動態檢索和渲染數據,爬取信息時需要模擬瀏覽器行為,否則獲取到的源碼基本是空的。 本文使用的爬取步驟如下: 使用 Selenium 獲取渲染後的 HTML 文檔 使用 HtmlAgility ...
  • 1.前言 什麼是熱更新 游戲或者軟體更新時,無需重新下載客戶端進行安裝,而是在應用程式啟動的情況下,在內部進行資源或者代碼更新 Unity目前常用熱更新解決方案 HybridCLR,Xlua,ILRuntime等 Unity目前常用資源管理解決方案 AssetBundles,Addressable, ...
  • 本文章主要是在C# ASP.NET Core Web API框架實現向手機發送驗證碼簡訊功能。這裡我選擇是一個互億無線簡訊驗證碼平臺,其實像阿裡雲,騰訊雲上面也可以。 首先我們先去 互億無線 https://www.ihuyi.com/api/sms.html 去註冊一個賬號 註冊完成賬號後,它會送 ...
  • 通過以下方式可以高效,並保證數據同步的可靠性 1.API設計 使用RESTful設計,確保API端點明確,並使用適當的HTTP方法(如POST用於創建,PUT用於更新)。 設計清晰的請求和響應模型,以確保客戶端能夠理解預期格式。 2.數據驗證 在伺服器端進行嚴格的數據驗證,確保接收到的數據符合預期格 ...