diff --git a/contents/approximate_counting/approximate_counting.md b/contents/approximate_counting/approximate_counting.md index 917e79922..b99f5455b 100644 --- a/contents/approximate_counting/approximate_counting.md +++ b/contents/approximate_counting/approximate_counting.md @@ -362,6 +362,8 @@ As we do not have any objects to count, we will instead simulate the counting wi [import, lang:"julia"](code/julia/approximate_counting.jl) {% sample lang="cpp" %} [import, lang:"cpp"](code/c++/approximate_counting.cpp) +{% sample lang="cs" %} +[import, lang:"csharp"](code/csharp/ApproximateCounting.cs) {% endmethod %} ### Bibliography diff --git a/contents/approximate_counting/code/csharp/ApproximateCounting.cs b/contents/approximate_counting/code/csharp/ApproximateCounting.cs new file mode 100644 index 000000000..d8df57c00 --- /dev/null +++ b/contents/approximate_counting/code/csharp/ApproximateCounting.cs @@ -0,0 +1,73 @@ +using System; + +namespace ApproximateCounting +{ + class ApproximateCounting + { + static readonly Random Rng = new(); + + /// value in register + /// scaling value for the logarithm based on Morris's paper + /// N(v,a) the approximate count for the given values + static double N(int v, double a) + { + return a * Math.Pow(1 + 1 / a, v - 1); + } + + /// value in register + /// scaling value for the logarithm based on Morris's paper + /// Returns the new value for v + static int Increment(int v, double a) + { + var delta = 1 / (N(v + 1, a) - N(v, a)); + + if (Rng.NextDouble() <= delta) + return v + 1; + else + return v; + } + + /// + /// This function simulates approximate counting + /// + /// number of items to count and loop over + /// a scaling value for the logarithm based on Morris's paper + /// It returns n(v,a), the approximate count + static double ApproximateCount(int noItems, double a) + { + var v = 0; + for (var i = 0; i < noItems; i++) + { + v = Increment(v, a); + } + + return N(v, a); + } + + /// the number of counting trials + /// the number of items to count to + /// a scaling value for the logarithm based on Morris's paper + /// the maximum percent error allowed + /// "passed" or "failed" depending on the test result + static string TextApproximateCount(int noTrials, int noItems, double a, double threshold) + { + var sum = 0.0; + for (var i = 0; i < noTrials; i++) + sum += ApproximateCount(noItems, a); + + var avg = sum / noTrials; + + return Math.Abs((avg - noItems) / noItems) < threshold ? "passed" : "failed"; + } + + static void Main() + { + Console.WriteLine("[#]\nCounting Tests, 100 trials"); + Console.WriteLine($"[#]\nTesting 1,000, a = 30, 1% error : {TextApproximateCount(100, 1_000, 30, 0.1)}"); + Console.WriteLine($"[#]\nTesting 12,345, a = 10, 10% error : {TextApproximateCount(100, 12_345, 10, 0.1)}"); + Console.WriteLine( + $"[#]\nTesting 222,222, a = 0.5, 20% error : {TextApproximateCount(100, 222_222, 0.5, 0.2)}"); + } + } +} +