-
-
Save ButchersBoy/25b665e575266d17bd4a9e7e336af976 to your computer and use it in GitHub Desktop.
A simple Bloom Filter implementation in C#
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| using System; | |
| namespace BloomFilter | |
| { | |
| class Program | |
| { | |
| static void Main(string[] args) | |
| { | |
| AddItem("test"); | |
| AddItem("test2"); | |
| AddItem("test3"); | |
| AddItem("test4"); | |
| AddItem("test5"); | |
| Console.WriteLine(PossiblyExists("whatever")); | |
| Console.WriteLine(PossiblyExists("test")); | |
| Console.WriteLine(PossiblyExists("test2")); | |
| Console.WriteLine(PossiblyExists("test3")); | |
| Console.WriteLine(PossiblyExists("test4")); | |
| Console.WriteLine(PossiblyExists("test5")); | |
| Console.WriteLine(PossiblyExists("test6")); | |
| Console.ReadKey(); | |
| } | |
| private static byte[] _bloomFilter = new byte[1000]; | |
| static void AddItem(string item) | |
| { | |
| int hash = Hash(item) & 0x7FFFFFFF; // strips signed bit | |
| byte bit = (byte)(1 << (hash & 7)); // you have 8 bits | |
| _bloomFilter[hash % _bloomFilter.Length] |= bit; | |
| } | |
| static bool PossiblyExists(string item) | |
| { | |
| int hash = Hash(item) & 0x7FFFFFFF; | |
| byte bit = (byte)(1 << (hash & 7)); // you have 8 bits; | |
| return (_bloomFilter[hash % _bloomFilter.Length] & bit) != 0; | |
| } | |
| private static int Hash(string item) | |
| { | |
| int result = 17; | |
| for (int i = 0; i < item.Length; i++) | |
| { | |
| unchecked | |
| { | |
| result *= item[i]; | |
| } | |
| } | |
| return result; | |
| } | |
| } | |
| } |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment