In C# 8, we got Range and Index. This allows you to construct a sequence of values.
This article will look at diferent ways of adding foreach support in C# to Range.
Let's first look at enumeration in the synchronous case. This requires us to add an enumerator to Range as an extension method.
We define the following extension method GetEnumerator on Range to achieve this:
This requires us to create a custom enumerator class that has these methods :
MoveNext
Current
The rest of the custom enumerator is happening via the logic in these methods and the constructor of this custom enumerator.
The following code tests out this range enumeration:
Console.WriteLine($"Iterating range 10..1");
foreach (var num in (10..1))
{
Console.WriteLine(num);
}
Console.WriteLine($"Iterating range 20..30");
foreach (var num in20..30)
{
Console.WriteLine(num);
}
And we get the following output, showing we can enumerate a range both increasing and decreasing :
Let's look next how we can implement async support for iterations. I first started with having a go with IAsyncEnumerator. But I could not make the cancellation token work, since I could not pass it in. Instead I landed on a method GetItemsAsync that supports cancellation tokens being passed in and will respect cancellation. Here is the extension methods I created :
publicstaticclassRangeExtensions
{
publicstaticasync IAsyncEnumerable<int> GetItemsAsync(this Range range, CancellationToken cancellationToken = default)
{
awaitforeach (var num in range)
{
if (cancellationToken.IsCancellationRequested){
Console.WriteLine($"Iteration FAILED: Exiting the IAsyncEnumerable iteration as soon as possible since cancellation was requested at index: {num}");
}
cancellationToken.ThrowIfCancellationRequested();
await Task.Delay(100);
yieldreturn num;
}
}
// Existing asynchronous enumeration with delay and cancellation tokenpublicstatic CustomIntAsyncEnumerator GetAsyncEnumerator(this Range range)
=> new CustomIntAsyncEnumerator(range);
publicclassCustomIntAsyncEnumerator : IAsyncEnumerator<int>
{
privateint _current;
privatereadonlyint _start;
privatereadonlyint _end;
privatereadonlybool _isDescending;
publicCustomIntAsyncEnumerator(Range range)
{
_start = range.Start.Value;
_end = range.End.Value;
_isDescending = _start > _end;
_current = _isDescending ? _start + 1 : _start - 1;
}
publicint Current => _current;
publicasync ValueTask<bool> MoveNextAsync()
{
// Wait for the specified delay timeawait Task.Delay(0);
if (_isDescending)
{
if (_current > _end)
{
_current--;
returntrue;
}
}
else
{
if (_current < _end)
{
_current++;
returntrue;
}
}
returnfalse;
}
public ValueTask DisposeAsync()
{
// Perform any necessary cleanup herereturnnew ValueTask();
}
}
}
The code below tests the async enumeration. The benefit of the IAsyncEnumerator is that you can iterate without any hassles with
cancellation token, but you should respect cancellation tokens. So the last method call calling the method GetItemsAsync
do respect the cancellation token and also accepts such a token being passed in. I tested out the code in this article with Linqpad 7, and developed it using this small IDE.
var rangeOneHundredDownTo90 = 100..90;
Console.WriteLine($"Await foreach over variable {nameof(rangeOneHundredDownTo90)}");
awaitforeach (var num in rangeOneHundredDownTo90)
{
Console.WriteLine(num);
}
Console.WriteLine("Async iteration from 140 to 180, waiting 500 ms between each iteration");
var range = 140..180;
var cts = new CancellationTokenSource();
var token = cts.Token;
awaitforeach (var num in range.GetItemsAsync(token))
{
if (num >= 170)
{
cts.Cancel();
}
Console.WriteLine(num);
}
The screen shot below shows that the cancellation token was throwing a OperationCanceledException as was the intent of the demo code.
In this article , discriminated unions will be further looked into, continuing from the last article. It visited these topics using F#.
The previous article showing the previous article focused on F# and discriminated unions is available here:
In this article, C# will be used. As last noted, discriminated unions are a set of types that are allowed to be used. In F#, these types dont have to be in an inheritance chain, they can
really be a mix of different types. In C# however, one has to use a base type for the union itself and declare this as abstract, i.e. a placeholder for our
discriminated union, called DU from now in this article.
C# is a mix of object oriented and functional programming language. It does not support discriminated unions as built-in constructs, such as F#. We must use
object inheritance still, but pattern matching in C# with type testing.
Lets first look at the POCOs that are included in this example, we must use a base class for our union.
In F# we had this:
type Shape =
| Rectangle of width : float * length : float
| Circle of radius : float
| Prism of width : float * depth:float * height : float
| Cube of width : float
In C# we use an abstract record, since they possess immutability after construction has been made and are therefore a good match for functional programming (FP).
Also, records offer a compact syntax which lets itself nice to FP. (we COULD use an abstract class too, but records are now available and lends themsevles better to FP since they are immutable after construction is finished).
We could define this abstract record baseclass which will function as a Discriminated Union (DU) like:
publicabstractrecordShape;
However, keeping note of which types are allowed into the DU is easier if we nest our types.
I have also included the methods on the Shape objects as static methods that uses pattern matching with type testing to
define the bounds of our DU.
publicabstractrecordShape
{
publicrecordRectangle(float Width, float Length) : Shape;
publicrecordCircle(float Radius) : Shape;
publicrecordPrism(float Width, float Depth, float Length) : Shape;
publicrecordCube(float Width) : Shape;
publicrecordTorus(float LargeRadius, float SmallRadius) : Shape; //we will discriminate this shape, not include it in our supported calculationspublicstaticdoubleCalcArea(Shape shape) => shape switch
{
Rectangle rect => rect.Width * rect.Length,
Circle circ => Math.PI * Math.Pow(circ.Radius, 2),
Prism prism => 2.0*(prism.Width*prism.Depth) + 2.0*(prism.Width+prism.Depth)*prism.Length,
Cube cube => 6 * Math.Pow(cube.Width, 2),
_ => thrownew NotSupportedException($"Area calculation for this Shape: ${shape.GetType()}")
};
publicstaticdoubleCalcVolume(Shape shape) => shape switch
{
Prism prism => prism.Width * prism.Depth * prism.Length,
Cube cube => Math.Pow(cube.Width, 3),
_ => thrownew NotSupportedException($"Volume calculation for this Shape: ${shape.GetType()}")
};
};
Sample code of using this source code is shown below:
voidMain()
{
var torus = new Shape.Torus(LargeRadius: 7, SmallRadius: 3);
//var torusArea = Shape.CalcArea(torus);var rect = new Shape.Rectangle(Width: 1.3f, Length: 10.0f);
var circle = new Shape.Circle(Radius: 2.0f);
var prism = new Shape.Prism(Width: 15, Depth: 5, Length: 7);
var cube = new Shape.Cube(Width: 2.0f);
var rectArea = Shape.CalcArea(rect);
var circleArea = Shape.CalcArea(circle);
var prismArea = Shape.CalcArea(prism);
var cubeArea = Shape.CalcArea(cube);
//var circleVolume = Shape.CalcVolume(circle);var prismVolume = Shape.CalcVolume(prism);
var cubeVolume = Shape.CalcVolume(cube);
//var rectVolume = Shape.CalcVolume(rect);
Console.WriteLine("\nAREA CALCULATIONS:");
Console.WriteLine($"Circle area: {circleArea:F2}");
Console.WriteLine($"Prism area: {prismArea:F2}");
Console.WriteLine($"Cube area: {cubeArea:F2}");
Console.WriteLine($"Rectangle area: {rectArea:F2}");
Console.WriteLine("\nVOLUME CALCULATIONS:");
//Console.WriteLine( "Circle volume: %A", circleVolume);
Console.WriteLine($"Prism volume: {prismVolume:F2}");
Console.WriteLine($"Cube volume: {cubeVolume:F2}");
//Console.WriteLine( "Rectangle volume: %A", rectVolume);
}
I have commented out some lines here, they will throw an UnsupportedException if one uncomments them running the code.
The torus forexample lacks support for area and volume calculation by intent, it is not supported (yet). The calculations of the volume of a circle and a rectangle is not possible,
since they are 2D geometric figures and not 3D, i.e. do not posess a volume.
Output from running the program is shown below:
True support for DU is only available in F#, but we can get close to it using C#, inheritance, pattern matching with type checking. F# got much better support for it for now, but C# probably will catch up in a few years and also finally get support for it as a built-in construct.
The syntax for DU in F# an C# is fairly similar, using records and pattern switching with type checking makes the code in C# not longer than in F#, but F# got direct support for DU, in C# we have to add additional code to support something that is a built-in functionality of F#.
Listed on the page What's new in C# 13, DU has not made their way into the list, .NET 9 Preview SDK will be available probably in November this year (2024).
There are different approaches to writing DU in C# for now. Some go for the OneOf operator of functional programming, not presented further in this article.
Probably discriminated unions will make their way in .NET 10 in November 2027, so there will still be a lot of waiting around for getting this feature into C#. For now, being aware what the buzz about DU is all about, my two articles on it hopefully made it a bit clearer.
One disadvantage of this is that it’s not consistent like in F#. We have to manually manage which types we want to support in each method. However, this is done using inheritance in C#. At the same time, we need to adjust the inheritance hierarchy so that all types inherit from such a discriminated union (DU). If a type needs to be part of MULTIPLE different DUs, we face limitations in C# since we can only inherit from a specific type in the hierarchy. This is likely why many C# developers are requesting DU functionality.
As of now, Microsoft’s language team seems to be leaning toward something called ENUM CLASSES. It appears that this feature will be included in .NET 10, which means it won’t be available until 2027
Further viewing/reading of the topic
There are proposals for better support of DU in C# is taking its form now in concrete propals. A proposal for Enum classes are available here, it could be the design choice C# language team lands on:
I decided to look more into what the discussion of Discriminated unions in C#, or their lack of it is all about.
I will first look at the F# side of things. How can we create a discriminated union in F# ? And then I will look at how we can implement the F# program in C# in the next article for the topic Discriminated unions.
In this article we will look at some F# code that shows how discriminated unions are built-in supported in F#. Discriminated unions are special containers that can hold different types.
This is not supported in C# without adding some additional plumbing code and it is not considered true discriminated unions, although in C# we can get close to Discriminated unions.
For the rest of the article, we will call discriminated unions for DU.
Let's first declare a DU in F# that describes different types of geometric figures.
type Shape =
| Rectangle of width : float * length : float
| Circle of radius : float
| Prism of width : float * depth:float * height : float
| Cube of width : float
The '*' operator in F# means when it is used in type definitions above as a separator of the properties that each type got, e.g. Rectangle of width : float * length : float means
that the type Rectangle got two properties, width of type float and length of the same type.
Let's add some methods to our F# program, calculating area and calculating volume.
We also want our F# to be fault tolerant so either we get a result or we get an error, for example this additional DU which is also generic.
type Result<'T> =
| Success of'T
| Errorofstring
We also neeed a way to print errors if we want to not crash the program, say if want to calculate the volume of a circle or a rectangle, which is not supported since it is 2D figures.
let handleResult (result: Result<float>) =matchresultwith| Success value-> printfn "%A" value| Error msg -> printfn "Error: %s" msg; () //Return NaN for error cases
To add some functionality to the discriminated unions we add the module below:
module ShapeOperations =
letCalcArea(shape : Shape) : Result<float> =
match shape with
| Rectangle (width, length) ->Success(width * length)
| Circle (radius) ->Success(Math.PI * radius**2)
| Prism (width, depth, height) -> (2.0*(width*depth) + 2.0*(width+depth)*height)
| Cube (width) ->Success(6.0 * width * width)
// | _ -> failwith "Area calculation is not supported"letCalcVolume(shape : Shape) : Result<float> =
match shape with
| Prism (width, height, depth) ->Success(width * height * depth)
| Cube (width) ->Success(width**3)
| _ ->Error(sprintf "Volume calculation is not supported for: %A" shape)
The rest of the code is shown below where we instantiate geometric figures and calculate the area and volume of them and output their values.
Error: Volume calculation is not supported for:Circle2.0AREA CALCULATIONS:Circle area:Success12.56637061Prism area:Success430Cube area:Success18.0RectangleareaSuccess13.0VOLUME CALCULATIONS:Circle volume:()Prism volume:Success525.0Cube volume:Success27.0Rectangle volume:Error"Volume calculation is not supported for: Rectangle (10.0, 1.3)"
As we can see, creating DUs in F# is easy, we use the '|' operator to define multiple types and we can create generic DUs too and match different types with functional expressions.
In the next article we will look at the code shown here and test out if we can recreate it in C# using different constructs. C# has gotten more support of functional programming in 2020 and
most likely it will involve records, pattern matching (newer switch based syntax) and extension methods.