We can use the new INumber<TSelf>
interface in .NET 7 to reference any numeric type, like the following:
using System.Numerics;
INumber<int> myNumber = 72;
INumber<float> mySecondNumber = 93.63f;
However, because of the type constraint in INumber
, we can't have a generic reference that can hold any numeric type. This following code is invalid:
using System.Numerics;
INumber myNumber = 72;
myNumber = 93.63f;
How can I have an array of any numeric objects and call a method that is expecting a INumber<TSelf>
object.
using System.Numerics;
object[] numbers = new object[] { 1, 2.5, 5, 0x1001, 72 };
for (int i = 0; i < numbers.Length - 1; i++)
{
Console.WriteLine("{0} plus {1} equals {2}", numbers[i], numbers[i + 1], AddNumbers(numbers[i], numbers[i + 1]));
}
static T AddNumbers<T>(T left, T right) where T : INumber<T> => left + right;
The thing is that array must have all elements of the same type. Simply because array is just a memory block and i-th element is a place in memory located at address arrayStart + i*(elementSize). It just won’t work if sizes are different.
Therefore for value types it is not possible(they might have different sizes), but it is possible to have array of objects, then every element can have any type(will be boxed in case of value type).
So, you would need to create array of objects, where you can put float, int, whatever.
Also I don’t think it makes much sense to have common interface for all numbers, because if you you want to add float to long, how should you do that - cast to float or long? It is just much clearer to convert numbers to the most convenient type for the task.