Contents

Generic math extended example

C# 11.0 generic math is very powerful extension to already capable generic types system present in C# since version 2.0. Besides static interface members there are couple of changes that make it easier to express math concepts in C#. Let’s see what needed to change in order to add this neat feature.

Note
This blog post participates in C# Advent Calendar 2022. Expect around 50 awesome posts this month, with 2 being revealed every day. It’s digital/C#-oriented counterpart of old German tradition

Interfaces and operations

While generic math is C# 11 feature, there were some new additions in .NET framework itself. In order to facilitate appropriate abstraction, the following interfaces were introduced and numeric/built-in types subsequently started implementing them:

InterfaceDescription
INumberBaseBase interface for all numbers
INumberAll members related to numbers. Extends INumberBase mostly for comparison operations
IParseableParse(string, IFormatProvider)
ISpanParseableParse(ReadOnlySpan, IFormatProvider)
IAdditionOperatorsx + y
IBitwiseOperatorsx & y, x | y, x ^ y and ~x
IComparisonOperatorsx < y, x > y, x <= y, and x >= y
IDecrementOperators–x and x–
IDivisionOperatorsx / y
IEqualityOperatorsx == y and x != y
IIncrementOperators++x and x++
IModulusOperatorsx % y
IMultiplyOperatorsx * y
IShiftOperatorsx « y and x » y
ISubtractionOperatorsx - y
IUnaryNegationOperators-x
IUnaryPlusOperators+x
IAdditiveIdentity(x + T.AdditiveIdentity) == x
IMinMaxValueT.MinValue and T.MaxValue
IMultiplicativeIdentity(x * T.MultiplicativeIdentity) == x
IBinaryFloatingPointMembers common to binary floating-point types
IBinaryIntegerMembers common to binary integer types
IBinaryNumberMembers common to binary number types
IFloatingPointMembers common to floating-point types
INumberMembers common to number types
ISignedNumberMembers common to signed number types
IUnsignedNumberMembers common to unsigned number types

List of all of them can be found on MSDN

Checked operators

In C# 11 it is now possible to specify operators as checked. Compiler will select appropriate version depending on context (Visual Studio will navigate to appropriate operator definition upon pressing /“Go to definition”). Let’s see that on example:

readonly record struct Point(int X, int Y)
{
    public static Point operator checked +(Point left, Point right) =>
        checked(new(left.X + right.X, left.Y + right.Y));

    public static Point operator +(Point left, Point right) =>
        new(left.X + right.X, left.Y + right.Y);
}

//usage
var point = new Point(int.MaxValue - 1, int.MaxValue - 2); //Point { X = 2147483646, Y = 2147483645 }

var @unchecked = unchecked(point + point); //Point { X = -4, Y = -6 }
var @checked = checked(point + point); //⚠️ throws System.OverflowException

Identity element and constants

Every number type usually (always for C# numbers but that is not necessarily the case in math) has some identity elements for most popular operations (addition and multiplication). The following listing demonstrates them using generic guard as these constants are not publicly exposed

private static void Constants<T>() where T : INumber<T>
{
    var one = T.One;
    var zero = T.Zero;
    var additiveIdentity = T.AdditiveIdentity;
    var multiplicativeIdentity = T.MultiplicativeIdentity;
}

Conversions

In order to be able to smoothly convert numbers from other number types, several methods were added:

  • CreateChecked - convert “exactly” or throw if number falls outside the representable range
  • CreateSaturating - convert values saturating any values that fall outside the representable range
  • CreateTruncating - convert values truncating any values that fall outside the representable range
//specifying generic type is not needed, it's just here for clarity 
var b1 = byte.CreateSaturating<int>(300); //255
var b2 = byte.CreateTruncating(300); //44
var b3 = byte.CreateChecked(300); //⚠️ Arithmetic operation resulted in an overflow.
var b4 = byte.CreateChecked(3.14); //3

Dedicated functions

New function were introduced to built-in types to facilitate typical operation that we perform with given number groups.

//Check if integer is power of two. Equivalent to BitOperations.IsPow2(1024) 
var isPow = int.IsPow2(1024); // true

//Population count (number of bits set). Same as BitOperations.PopCount(15) - vectorized if possible 
var pop = int.PopCount(15); // 4

//Cubic root of a specified number. Equivalent to MathF.Cbrt(x)
var cbrt = float.Cbrt(8.0f); // 2

//Sine of the specified angle (in radians). Equivalent to MathF.Sin(x)
var sin = float.Sin(float.Pi / 6.0f); //0.5

For more functions see list for integers or floating point numbers. Other interesting function groups are:

Matrix definition

We are now ready to propose a new type that will denote a generic matrix of number-like structures. Make sure to read a post about static interface members if that concept is still new to you.

Structure

Let’s start with simple definition. Just for fun we will be restricting our number generic parameter to unmanaged types. This is not strictly needed for our example but it will allow for some tricks like faster array enumeration

public partial class Matrix<TNumber> //for now we are not extending any interface
       where TNumber : unmanaged //needed for pointer "magic"
{
    private readonly TNumber[,] _data;
    public int Rows { get; }
    public int Columns { get; }
    public int Size { get; }

    public TNumber this[int iRow, int iCol] => _data[iRow, iCol];

    public Matrix(TNumber[,] data)
    {
        _data = data;
        Rows = data.GetLength(0);
        Columns = data.GetLength(1);
        Size = Rows * Columns;
    }
     
    //optionally we'd like to be able to create Matrix using 1-D array with certain number of columns 
    public unsafe Matrix(TNumber[] data, int columns)
    {
        var data2d = new TNumber[data.Length / columns, columns];
        
        fixed (TNumber* pSource = data, pTarget = data2d)
        {
            for (int i = 0; i < data.Length; i++)
                pTarget[i] = pSource[i];
        }
        _data = data2d;
        Rows = data2d.GetLength(0);
        Columns = data2d.GetLength(1);
    }
}

Matrix operations

While this class already is able to store some data, we would not be able to do anything meaningful with it. Let’s add our first math operation - addition. Since that operation uses only addition and needs to be seeded with zero (additive identity) we could modify our generic guard to:

class Matrix
    where TNumber : unmanaged, 
        IAdditionOperators<TNumber, TNumber, TNumber>,
        IAdditiveIdentity<TNumber, TNumber>
{ 
    /*...*/
    public unsafe TNumber Sum()
    {
       var result = TNumber.AdditiveIdentity;
       fixed (TNumber* pData = _data) //use pointers to be able to iterate array faster 
       {
           var p = pData;
           for (int i = 0; i < Size; i++)
               result += *p++;
       }    
       return result;
    }
}

but we would be better off when that guard would be changed to

public partial class Matrix<TNumber>
    where TNumber : unmanaged, 
    //it is just necessary to mark number type appropriately to be able to use it in generic contexts
        INumberBase<TNumber> 
{
    /*...*/
    public unsafe TNumber Sum()
    {
        //"Zero" also looks more natural in that context as opposed to "AdditiveIdentity"
        var result = TNumber.Zero; 
        fixed (TNumber* pData = _data)
        {
            var p = pData;
            for (int i = 0; i < Size; i++)
                result += *p++;
        }
        return result;
    }
}

Summation is obviously useful but it’s also trivial in it’s form. For instance let’s consider C# whole number types. Like in math, natural and integer numbers are closed under addition. When you consider other operations on these numbers, say division, this is no longer the case. While we could calculate an average of integers in C# as follows

var intArray = new[] { 1, 2, 4 };
var avg = intArray.Sum() / intArray.Length; //2

it would be more convenient to convert result and intermediate operations to floating point numbers. Even LINQ function does that:

var avgLinq = intArray.Average(); //2.3333333333333335

This conversion will do the trick for our matrix:

public unsafe TResult Sum<TResult>() where TResult : INumber<TResult>
{
    var result = TResult.Zero;
    fixed (TNumber* pData = _data)
    {
        var p = pData;
        for (int i = 0; i < Size; i++)
            result += TResult.CreateChecked(*p++);
    }
    return result;
}

// now Average can use Sum<TResult>
public TResult Average<TResult>() where TResult : INumber<TResult>
{
    TResult sum = Sum<TResult>();
    return sum / TResult.CreateChecked(Size);
}

No matrix is complete without Determinant function. While there are dozens of algorithms to do that, I’ll use a plain decomposition approach due to it’s simplicity

public TNumber Determinant()
{
    if (Rows != Columns) throw new("Determinant of a non-square matrix doesn't exist");

    var det = TNumber.Zero;

    if (Rows == 1) return this[0, 0];
    if (Rows == 2) return this[0, 0] * this[1, 1] - this[0, 1] * this[1, 0];

    for (int j = 0; j < Columns; j++)
    {
        TNumber reduced = this[0, j] * Minor(0, j).Determinant();
        if (j % 2 == 1)
            reduced = -reduced;
        det += reduced;
    }
    return det;
}
public Matrix<TNumber> Minor(int iRow, int iCol)
{
    var minor = new TNumber[Rows - 1, Columns - 1];
    int m = 0;
    for (int i = 0; i < Rows; i++)
    {
        if (i == iRow)
            continue;
        int n = 0;
        for (int j = 0; j < Columns; j++)
        {
            if (j == iCol)
                continue;
            minor[m, n] = this[i, j];
            n++;
        }
        m++;
    }
    return new(minor);
}

Similarly it might be useful to obtain largest and smallest element in matrix. Since that requires some comparisons, let’s add IComparisonOperators<TNumber, TNumber, bool> interface to our generic guard for TNumber. Doing so enables us to then use comparison operators. We will however lose (as a consequence) the ability of using types that do not possess relational ordering - Complex type being most notable here

Note
Using IComparisonOperators<TNumber, TNumber, bool> is somewhat limiting. It’s probably more important to be able to use final matrix with types like Complex especially if Min/Max operation could be added using different approach. So final design of matrix might reflect that notion

public unsafe TNumber Min()
{
    if (Size == 0) throw new("Matrix is empty");

    TNumber result;
    fixed (TNumber* pData = _data)
    {
        var p = pData;
        result = *p;

        for (int i = 1; i < Size; i++)
            result = Min(result, *p++);
    }

    return result;

    static TNumber Min(TNumber x, TNumber y)
    {
        if ((x != y) && !TNumber.IsNaN(x))
            return x < y ? x : y;
        return TNumber.IsNegative(x) ? x : y;
    }
}

public unsafe TNumber Max()
{
    if (Size == 0) throw new("Matrix is empty");

    TNumber result;
    fixed (TNumber* pData = _data)
    {
        var p = pData;
        result = *p;

        for (int i = 1; i < Size; i++)
            result = Max(result, *p++);
    }

    return result;

    static TNumber Max(TNumber x, TNumber y)
    {
        if (x != y)
            return TNumber.IsNaN(x) ? x : y < x ? x : y;
        return TNumber.IsNegative(y) ? x : y;
    }
}

Matrix operators

Have a look at the following operators (code example might need expanding):

//add 2 matrices
public unsafe static Matrix<TNumber> operator +(Matrix<TNumber> left, Matrix<TNumber> right)
{
    if (left.Rows != right.Rows || left.Columns != right.Columns) throw new("Sum of 2 matrices is only possible when they are same size");

    var data = new TNumber[left.Rows, left.Columns];
    var size = left.Rows * left.Columns;

    fixed (TNumber* lSource = left._data, rSource = right._data, target = data)
    {
        for (int i = 0; i < size; i++)
            target[i] = lSource[i] + rSource[i]; //checked operator version would differ only in this line
    }

    return new Matrix<TNumber>(data);
}

//right-side operator for adding single number element-wise
public unsafe static Matrix<TNumber> operator +(Matrix<TNumber> left, TNumber right)
{
    var data = new TNumber[left.Rows, left.Columns];
    var size = left.Rows * left.Columns;

    fixed (TNumber* lSource = left._data, target = data)
    {
        for (int i = 0; i < size; i++)
            target[i] = lSource[i] + right;
    }

    return new Matrix<TNumber>(data);
}
// Multiplication. More efficient function might be chosen for production code. 
// This is just to illustrate this operator
public static Matrix<TNumber> operator *(Matrix<TNumber> a, Matrix<TNumber> b)
{
    int rowsA = a.Rows, colsA = a.Columns, rowsB = b.Rows, colsB = b.Columns;

    if (colsA != rowsB) throw new("Matrixes can't be multiplied");

    var data = new TNumber[rowsA, colsB];

    for (int i = 0; i < rowsA; i++)
    {
        for (int j = 0; j < colsB; j++)
        {
            var temp = TNumber.Zero;
            for (int k = 0; k < colsA; k++)
                temp += a[i, k] * b[k, j];

            data[i, j] = temp;
        }
    }
    return new Matrix<TNumber>(data);
}

Parsing

No math structure is complete without parsing and formatting routines. We would like to support multiple matrix definition formats like:

  • Matlab: [1,2,3 ; 4,5,6 ; 7,8,9]
  • Mathematica: {{1,2,3},{4,5,6},{7,8,9}}
  • natural notation:

The code below might do the trick (full code is linked at the end of current article):

/// <summary>Parsing and formatting operation for matrices</summary>
public interface IMatrixTextFormat
{
    /// <summary>
    /// Parse matrix from text buffer 
    /// </summary>    
    Matrix<TNumber> Parse<TNumber>(ReadOnlySpan<char> s)
        where TNumber : unmanaged, IComparisonOperators<TNumber, TNumber, bool>, INumberBase<TNumber>;

    /// <summary>
    /// Attempt to format current matrix in provided text buffer
    /// </summary>        
    bool TryFormat<TNumber>(Matrix<TNumber> matrix, Span<char> destination, out int charsWritten, 
                            ReadOnlySpan<char> format)
        where TNumber : unmanaged, IComparisonOperators<TNumber, TNumber, bool>, INumberBase<TNumber>;
}

public readonly struct StandardFormat : IMatrixTextFormat
{
    private readonly IFormatProvider _underlyingProvider;
    private readonly NumberStyles? _numberStyles;
    private readonly char _elementSeparator;

    private static readonly char[] _rowSeparators = Environment.NewLine.ToCharArray();

    public StandardFormat() : this(CultureInfo.InvariantCulture) { }

    public StandardFormat(IFormatProvider? underlyingProvider, 
                          NumberStyles numberStyles = NumberStyles.Any)
    {
        _numberStyles = numberStyles;
        _underlyingProvider = underlyingProvider ?? CultureInfo.InvariantCulture;

        (_underlyingProvider, _elementSeparator) = GetParameters();
    }

    private (IFormatProvider Provider, char ElementSeparator) GetParameters()
    {
        var provider = _underlyingProvider ?? CultureInfo.InvariantCulture;
        char elementSeparator = _elementSeparator != '\0'
            ? _elementSeparator
            : (provider is CultureInfo ci ? ci.TextInfo.ListSeparator.Trim().Single() : ';');

        return (provider, elementSeparator);
    }

    public Matrix<TNumber> Parse<TNumber>(ReadOnlySpan<char> s)
        where TNumber : unmanaged, IComparisonOperators<TNumber, TNumber, bool>, INumberBase<TNumber>
    {
        var (provider, elementSeparator) = GetParameters();
        var numberStyles = _numberStyles ?? NumberStyles.Any;

        var rowsEnumerator = s.Split(_rowSeparators, true).GetEnumerator();
        if (!rowsEnumerator.MoveNext()) throw new FormatException("Non empty text is expected");
        var firstRow = rowsEnumerator.Current;
        int numCols = 0;

        using var buffer = new ValueSequenceBuilder<TNumber>(stackalloc TNumber[32]);
        foreach (var col in firstRow.Split(elementSeparator, true))
        {
            if (col.IsEmpty) continue;
            buffer.Append(TNumber.Parse(col, numberStyles, provider));
            numCols++;
        }
        int numRows = 1;

        while (rowsEnumerator.MoveNext())
        {
            var row = rowsEnumerator.Current;
            if (row.IsEmpty) continue;

            foreach (var col in row.Split(elementSeparator, true))
            {
                if (col.IsEmpty) continue;
                buffer.Append(TNumber.Parse(col, numberStyles, provider));
            }
            numRows++;
        }
        var matrix = new TNumber[numRows, numCols];

        buffer.AsSpan().CopyTo2D(matrix);

        return new Matrix<TNumber>(matrix);
    }

    public bool TryFormat<TNumber>(Matrix<TNumber> matrix, Span<char> destination, 
                                   out int charsWritten, ReadOnlySpan<char> format)
        where TNumber : unmanaged, IComparisonOperators<TNumber, TNumber, bool>, INumberBase<TNumber>
    {
        var (provider, elementSeparator) = GetParameters();

        var newLine = _rowSeparators.AsSpan();
        var newLineLen = newLine.Length;
        int charsWrittenSoFar = 0;

        for (int i = 0; i < matrix.Rows; i++)
        {
            for (int j = 0; j < matrix.Columns; j++)
            {
                bool tryFormatSucceeded = matrix[i, j].TryFormat(destination[charsWrittenSoFar..], 
                    out var tryFormatCharsWritten, format, provider);
                charsWrittenSoFar += tryFormatCharsWritten;

                if (!tryFormatSucceeded)
                {
                    charsWritten = charsWrittenSoFar;
                    return false;
                }

                if (j < matrix.Columns - 1)
                {
                    if (destination.Length < charsWrittenSoFar + 2)
                    {
                        charsWritten = charsWrittenSoFar;
                        return false;
                    }

                    destination[charsWrittenSoFar++] = elementSeparator;
                    destination[charsWrittenSoFar++] = ' ';
                }
            }

            if (i < matrix.Rows - 1)
            {
                if (destination.Length < charsWrittenSoFar + newLineLen)
                {
                    charsWritten = charsWrittenSoFar;
                    return false;
                }

                newLine.CopyTo(destination[charsWrittenSoFar..]);
                charsWrittenSoFar += newLineLen;
            }
        }

        charsWritten = charsWrittenSoFar;
        return true;
    }
}

Beyond standard number types

So far we’ve assumed (quite correctly) that only types that implement INumberBase<TNumber> interface are built‑in system number types. Let’s quickly implement a rational/fraction structure and see how it can be used in our matrix. For brevity I’m only providing/implementing formatting routines (stay tuned for more functionality):

public readonly record struct Rational<TNumber>(TNumber Numerator, TNumber Denominator) : IEquatable<Rational<TNumber>>, IComparisonOperators<Rational<TNumber>, Rational<TNumber>, bool>,
     INumberBase<Rational<TNumber>>
     where TNumber : IBinaryInteger<TNumber> //make sense to allow only integers for numerator and denominator
{
    public static Rational<TNumber> Zero => new(TNumber.Zero, TNumber.One);
    public static Rational<TNumber> One => new(TNumber.One, TNumber.One);
    public static Rational<TNumber> AdditiveIdentity => Zero;
    public static Rational<TNumber> MultiplicativeIdentity => One;
    public static int Radix => TNumber.Radix;

    public Rational() : this(TNumber.Zero, TNumber.One) { }

    public Rational<TNumber> Simplify()
    {
        var (num, denom) = this;
        int signNum = TNumber.Sign(num), signDenom = TNumber.Sign(denom);

        if (signDenom < 0 && (signNum < 0 || signNum > 0))
        {
            num = -num;
            denom = -denom;
        }

        if (num == TNumber.Zero || num == TNumber.One || num == -TNumber.One) return this;

        var gcd = GreatestCommonDivisor(num, denom);
        return gcd > TNumber.One ? new Rational<TNumber>(num / gcd, denom / gcd) : this;
    }

    private static TNumber GreatestCommonDivisor(TNumber a, TNumber b) => b == TNumber.Zero ? a : GreatestCommonDivisor(b, a % b);

    private static readonly string TopDigits = "⁰¹²³⁴⁵⁶⁷⁸⁹";
    private static readonly string BottomDigits = "₀₁₂₃₄₅₆₇₈₉";
    private static readonly char TopMinus = '⁻';
    private static readonly char BottomMinus = '₋';
    private static readonly char Divider = '⁄';

    public bool TryFormat(Span<char> destination, out int charsWritten, ReadOnlySpan<char> format, IFormatProvider? provider)
    {
        var (num, denom) = this;
        int signNum = TNumber.Sign(num), signDenom = TNumber.Sign(denom);

        if (signDenom < 0 && (signNum < 0 || signNum > 0))
        {
            num = -num;
            denom = -denom;
        }

        provider ??= CultureInfo.InvariantCulture;

        charsWritten = 0;

        if (destination.Length < 3) return false;

        bool tryFormatSucceeded = num.TryFormat(destination, out var tryFormatCharsWritten, format, provider);
        charsWritten += tryFormatCharsWritten;
        if (!tryFormatSucceeded || destination.Length < charsWritten + 2) return false;
        var numBlock = destination[..charsWritten];
        for (int i = 0; i < numBlock.Length; i++)
        {
            var c = numBlock[i];
            if (!IsSimpleDigit(c) && c != '-') return false;
            numBlock[i] = c == '-' ? TopMinus : TopDigits[c - '0'];
        }


        if (destination.Length < charsWritten + 2) return false;
        destination[charsWritten++] = Divider;


        tryFormatSucceeded = denom.TryFormat(destination[charsWritten..], out tryFormatCharsWritten, format, provider);
        var startOfDenomBlock = charsWritten;
        charsWritten += tryFormatCharsWritten;

        if (!tryFormatSucceeded)
            return false;

        var denomBlock = destination.Slice(startOfDenomBlock, tryFormatCharsWritten);
        for (int i = 0; i < denomBlock.Length; i++)
        {
            var c = denomBlock[i];
            if (!IsSimpleDigit(c) && c != '-') return false;
            denomBlock[i] = c == '-' ? BottomMinus : BottomDigits[c - '0'];
        }

        return true;

        static bool IsSimpleDigit(char c) => (uint)c < 128 && (uint)(c - '0') <= '9' - '0';
    }

    public string ToString(string? format, IFormatProvider? formatProvider) => this.FormatToString(format, formatProvider);

    public override string? ToString() => ToString("G", null);

    /*... remaining code omitted for brevity*/
}

Now we can use Rational structure in our matrix:

var rationalMatrix = new Matrix<Rational<int>>(
    Enumerable.Range(1, 9).Select(i => new Rational<int>(
        i * 10 * (i % 2 == 0 ? 1 : -1),
        //--------------------------------
        i * 123
        ))
    .ToArray(),
    3);

//formatting of matrix delegates element formatting to Rational struct 
var text = rationalMatrix.ToString(); 

This will produce the following output:

Performance

Code “performance” is ambiguous term. It may refer to both ease/speed of development of given feature or how said feature behaves during program runtime. Let me address the former one first as it may be easier to demonstrate

Speed of development

Some time ago I’ve create generic predictor that used logistic regression. In that context “generic” meant that it was not dedicated and could be used to solve any binary classification problem (while being universal enough that same mechanism might be employed for multi-class classification).

I decided to introduce generic math to this predictor as users may then opt to use, say, different floating point number type (likeSystem.SingleorSystem.Half) when it will give them similar results (for certain problems this really might be the case) but with smaller memory footprint and faster processing times. All that conversion was done on separate branch.

One can observe that merely a few changes needed to be applied. Conversion took me not more than 5 minutes. Had this coding be done with generic math in mind from the beginning - impact would have probably been even more negligible - provided that generic math is a concept known by developer (learning curve tends to be steep here)

Runtime performance

Have a look at my proposal of a simple vector structures. Among them you will find dedicated version for LongVector (not embedded here for brevity) and dedicated version for System.Double:

Below you will find version that uses generic math along with version that uses generic math in tandem with pointer arithmetics (Vector2.cs and others were not embedded for brevity):

Results

These are the results from my machine:

Category: Double

MethodSizeMean [μs]Error [μs]StdDev [μs]Ratio
DoubleBench1008.3870.05450.04551.00
Vector1_Double1008.4620.01170.01041.01
Vector2_Double1007.4280.01670.01480.89
Span_Double1007.6870.02160.01910.92
DoubleBench10000935.0631.43311.27041.00
Vector1_Double10000935.3152.01071.67901.00
Vector2_Double10000935.1572.09611.85811.00
Span_Double10000934.4392.00861.78051.00

Category: Long

MethodSizeMean [μs]Error [μs]StdDev [μs]Ratio
LongBench1004.7120.03710.03471.00
Vector1_Long1005.6160.03670.03061.19
Vector2_Long1005.5670.01050.00931.18
Span_Long1004.5830.02300.01920.97
LongBench10000430.6742.01881.68581.00
Vector1_Long10000401.0852.80272.48450.93
Vector2_Long10000443.0502.11811.87761.03
Span_Long10000393.0922.35541.96690.91

One can clearly see that memory-wise, they all behave the same - by not allocating anything. Types in benchmark were defined as structs. While it may not be best option for such data structures, it helps here by not obstructing our view with needless allocations).

Double benchmarks are always ~2 times slower than Long ones but that has nothing to do with generic math itself - floating-point related operations are generally slower on CPUs.

What also can be observed is that difference in processing speed is negligible. Generic math is not adding much. In case we need to optimize, we can do so by employing pointer arithmetics or (better yet) - Spans.

One could argue that DoubleVectorand LongVector could also benefit from using additional optimization techniques but we need to repeat them for each and every case. We might probably be more tempted to introduce optimizations when many (generic) types can benefit from these actions.

This graph summarizes in details all benchmarks performed for System.Long type for various vector sizes. One can clearly see that differences are almost negligible

Same data, but restricted only to largest sizes:

Source code
Full benchmark and results can be found under this gist

Summary

We’ve seen how one might go about implementing generic math in their code. This matrix is not complete but quite soon I intend to finish it. It will be distributed via nuget like my other packages.

Are you still not convinced? It seems that Microsoft is already using generic math in their libraries i.e. in many places in LINQ including (but not limited to) Average or Sum, which replaced some old and seasoned dedicated types copy-and-paste method implementations. If Microsoft is having faith in generic math, there is no reason that shouldn’t you.

Bonus - physics

This should be treated as a work-in-progress but have a look at my initial proposal on how units can now be defined in C#: Generic Units

Sources