C# 9 allows you to combine the power of pattern matching with switch expressions.
I had a use case where I had to check the type of an object and depending on the type execute different logic.
Before C# 7 type checks where not possible, so although I wanted to write the following switch statement, this would not compile:
This file contains 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
//This code does not compile | |
switch (document) | |
{ | |
case typeof(LocalDocument): // typeof does not work here | |
var localDocument=document as LocalDocument; | |
convertedDocument = ConvertLocalDocument(localDocument); | |
break; | |
case typeof(RemoteDocument): | |
var remoteDocument=document as RemoteDocument; | |
convertedDocument = ConvertRemoteDocument(remoteDocument); | |
break; | |
default: | |
throw new NotSupportedException(); | |
break; | |
} |
In C#7 Type pattern support was added so then I could write the following
This file contains 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
switch (document) | |
{ | |
case LocalDocument localDocument: | |
convertedDocument = ConvertLocalDocument(localDocument); | |
break; | |
case RemoteDocument remoteDocument: | |
convertedDocument = ConvertRemoteDocument(remoteDocument); | |
break; | |
default: | |
throw new NotSupportedException(); | |
break; | |
} |
C#9 further improves this by the introduction of switch expressions. Now I could handle this use case like this:
This file contains 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
var convertedDocument=document switch | |
{ | |
LocalDocument localDocument => ConvertLocalDocument(localDocument), | |
RemoteDocument remoteDocument => ConvertRemoteDocument(remoteDocument), | |
_ => throw new NotSupportedException() | |
}; |
Neat!