Introduction
In this article, I’m going to share with you even more hidden features of C# language (underutilized). If you missed the first publication, you should check it - Top 15 Underutilized Features of .NET.
After so many comments about the previous title of the article - "Top 15 Hidden Features of C#", I decided to change it to the current one. Thank you all for the suggestions. My initial intent was not to mislead you. The original idea about the article came up from a Stack Overflow discussion with a similar title, so I decided not to change it because people were already familiar with the topic. But for the sake of all past and future critics, I am changing the title.
You could share your most preferred but not so well known parts of .NET in the comments. I will include them in the future next part of the series. Also, you can vote in the poll that can be found at the end of the article for your most favorite “underutilized/oft-forgotten/arcane/hidden” feature of C#.
Contents
- dynamic Keyword
- ExpandoObject
- Nullable<T>.GetValueOrDefault Method
- ZipFile in .NET
- C# Preprocessor Directives
- StackAlloc
- Execute VB code via C#
- volatile Keyword
- global::
- DebuggerDisplayAttribute
- DebuggerStepThroughAttribute
- Conditional
- using Directive VS 2015
- Flags Enum Attribute
- Dynamically Compile and Execute C# Code
Underutilized Features of .NET
The dynamic
type enables the operations in which it occurs to bypass compile-time type checking. Instead, these operations are resolved at run-time.
Note: Type dynamic
behaves like type object in most circumstances. However, operations that contain expressions of type dynamic
are not resolved or type checked by the compiler. The compiler packages together information about the process, and that information is later used to evaluate the operation at run-time. As part of the process, variables of type dynamic
are compiled into variables of type object
. Therefore, type dynamic
exists only at compile-time, not at run-time.
dynamic dynamicVariable;
int i = 20;
dynamicVariable = (dynamic)i;
Console.WriteLine(dynamicVariable);
string stringVariable = "Example string.";
dynamicVariable = (dynamic)stringVariable;
Console.WriteLine(dynamicVariable);
DateTime dateTimeVariable = DateTime.Today;
dynamicVariable = (dynamic)dateTimeVariable;
Console.WriteLine(dynamicVariable);
if (dynamicVariable is dynamic)
{
Console.WriteLine("d variable is dynamic");
}
dynamicVariable = i as dynamic;
Console.WriteLine(dynamicVariable.ToNow1);
As you can see from the examples, you can assign variables from different types to a single dynamic
object. You can check if a variable is of type dynamic
using the ‘is
’ operator. If a requested property is non-existing as on the last line of the example, a new RuntimeBinderException
is thrown.
Official documentation – https://msdn.microsoft.com/en-us/library/dd264741.aspx
Represents an object whose members can be dynamically added and removed at run-time. This is one of my favorite underutilized features of C#.
dynamic samplefootballLegendObject = new ExpandoObject();
samplefootballLegendObject.FirstName = "Joro";
samplefootballLegendObject.LastName = "Beckham-a";
samplefootballLegendObject.Team = "Loko Mezdra";
samplefootballLegendObject.Salary = 380.5m;
samplefootballLegendObject.AsString = new Action(
() =>
Console.WriteLine("{0} {1} {2} {3}",
samplefootballLegendObject.FirstName,
samplefootballLegendObject.LastName,
samplefootballLegendObject.Team,
samplefootballLegendObject.Salary)
);
You can not only add properties to the expando
objects, but you can also add methods and delegates. In the example, I have added new AsString
method through a new Action
.
Official documentation – https://msdn.microsoft.com/en-us/library/system.dynamic.expandoobject(v=vs.110).aspx
Retrieves the value of the current Nullable<T>
object, or the object’s default value. It is faster than ??
operator.
There was a debate about which is faster null coalescing operator ?? or GetValueOrDefault method. As a result, I did my research, you can find it here.
float? yourSingle = -1.0f;
Console.WriteLine(yourSingle.GetValueOrDefault());
yourSingle = null;
Console.WriteLine(yourSingle.GetValueOrDefault());
Console.WriteLine(yourSingle.GetValueOrDefault(-2.4f));
Console.WriteLine(yourSingle ?? -2.4f);
If you don’t specify a default value as a parameter to the method, the default value of the used type is going to be used.
You can use it to create a dictionary
safe Get
method (return the default value if the key is not present instead of throwing an exception).
public static class DictionaryExtensions
{
public static TValue GetValueOrDefault<TKey, TValue>(this Dictionary<TKey, TValue> dic, TKey key)
{
TValue result;
return dic.TryGetValue(key, out result) ? result : default(TValue);
}
}
The usage is straightforward.
Dictionary<int, string> names = new Dictionary<int, string>();
names.Add(0, "Willy");
Console.WriteLine(names.GetValueOrDefault(1));
Official documentation – https://msdn.microsoft.com/en-us/library/72cec0e0(v=vs.110).aspx
Provides static
methods for creating, extracting, and opening zip archives.
string startPath = Path.Combine(string.Concat(Environment.GetFolderPath
(Environment.SpecialFolder.Desktop), "\\Start"));
string resultPath = Path.Combine(string.Concat(Environment.GetFolderPath
(Environment.SpecialFolder.Desktop), "\\Result"));
Directory.CreateDirectory(startPath);
Directory.CreateDirectory(resultPath);
string zipPath = Path.Combine(string.Concat(resultPath, "\\", Guid.NewGuid().ToString(), ".zip"));
string extractPath = Path.Combine(string.Concat(Environment.GetFolderPath
(Environment.SpecialFolder.Desktop), "\\Extract"));
Directory.CreateDirectory(extractPath);
ZipFile.CreateFromDirectory(startPath, zipPath);
ZipFile.ExtractToDirectory(zipPath, extractPath);
Official documentation – https://msdn.microsoft.com/en-us/library/system.io.compression.zipfile(v=vs.110).aspx
5.1. #warning
#warning
lets you generate a level one warning from a particular location in your code.
#if LIVE
#warning A day without sunshine is like, you know, night.
#endif
Official documentation – https://msdn.microsoft.com/en-us/library/963th5x3.aspx
5.2. #error
#error
allows you to make an error from a particular location in your program.
#error Deprecated code in this method.
Official documentation – https://msdn.microsoft.com/en-us/library/x5hedts0.aspx
5.3. #line
#line
lets you modify the compiler’s line number and (optionally) the file name output for errors and warnings.
#line 100 "Pandiculation"
int i;
int j;
#line default
char c;
float f;
Official documentation – https://msdn.microsoft.com/en-us/library/34dk387t.aspx
5.4. #region
#region
enables you to specify a block of code that you can expand or collapse when using the outlining feature of the Visual Studio Code Editor.
#region Thomas Sowell Quote
Console.WriteLine("It takes considerable knowledge just to realize the extent of your own ignorance.");
#endregion
Official documentation – https://msdn.microsoft.com/en-us/library/9a1ybwek.aspx
The stackalloc
keyword is used in an unsafe code context to allocate a block of memory on the stack.
The following example calculates and displays the first 20 numbers in the Fibonacci sequence. Each number is the sum of the previous two numbers. In the code, a block of memory of sufficient size to contain 20 elements of type int is allocated on the stack, not the heap. The address of the block is stored in the pointer fib
. This memory is not subject to garbage collection. Therefore, it does not have to be pinned (by using fixed). The lifetime of the memory block is limited to the life of the method that defines it. You cannot free the memory before the method returns.
static unsafe void Fibonacci()
{
const int arraySize = 20;
int* fib = stackalloc int[arraySize];
int* p = fib;
*p++ = *p++ = 1;
for (int i = 2; i < arraySize; ++i, ++p)
{
*p = p[-1] + p[-2];
}
for (int i = 0; i < arraySize; ++i)
{
Console.WriteLine(fib[i]);
}
}
The sole reason to use stackalloc
is performance (either for computations or interop). By using stackalloc
instead of a heap allocated array, you create less GC pressure (the GC needs to run less). You don’t need to pin the arrays down, it’s faster to allocate than a heap array.
For more information about the unsafe code, see Unsafe Code and Pointers (C# Programming Guide).
To set this compiler option in the Visual Studio development environment:
- Open the project’s Properties page.
- Click the Build property page.
- Select the Allow Unsafe Code check box.
Official documentation – https://msdn.microsoft.com/en-us/library/cx9s2sy4.aspx
Generates and calls Office Visual Basic macros from a C# .NET Automation client.
I used it in the past to fetch and display data from Google Analytics in Excel.
private static string GetMacro(int macroId, int row, int endCol)
{
StringBuilder sb = new StringBuilder();
string range = "ActiveSheet.Range(Cells(" + row + "," + 3 +
"), Cells(" + row + "," + (endCol + 3) + ")).Select";
sb.AppendLine("Sub Macro" + macroId + "()");
sb.AppendLine("On Error Resume Next");
sb.AppendLine(range);
sb.AppendLine("ActiveSheet.Shapes.AddChart.Select");
sb.AppendLine("ActiveChart.ChartType = xlLine");
sb.AppendLine("ActiveChart.SetSourceData Source:=" + range);
sb.AppendLine("On Error GoTo 0");
sb.AppendLine("End Sub");
return sb.ToString();
}
private static void AddChartButton(MSExcel.Workbook workBook, MSExcel.Worksheet xlWorkSheetNew,
MSExcel.Range currentRange, int macroId, int currentRow, int endCol, string buttonImagePath)
{
MSExcel.Range cell = currentRange.Next;
var width = cell.Width;
var height = 15;
var left = cell.Left;
var top = Math.Max(cell.Top + cell.Height - height, 0);
MSExcel.Shape button = xlWorkSheetNew.Shapes.AddPicture(@buttonImagePath, MsoTriState.msoFalse,
MsoTriState.msoCTrue, left, top, width, height);
VBIDE.VBComponent module = workBook.VBProject.VBComponents.Add
(VBIDE.vbext_ComponentType.vbext_ct_StdModule);
module.CodeModule.AddFromString(GetMacro(macroId, currentRow, endCol));
button.OnAction = "Macro" + macroId;
}
Official documentation – https://support.microsoft.com/en-us/kb/306683
The volatile
keyword indicates that a field might be modified by multiple threads that are executing at the same time. Fields that are declared volatile are not subject to compiler optimizations that assume access by a single thread. This ensures that the most up-to-date value is present in the field at all times.
volatile bool shouldPartyContinue = true;
public static unsafe void Main(string[] args)
{
Program firstDimension = new Program();
Thread secondDimension = new Thread(firstDimension.StartPartyInAnotherDimension);
secondDimension.Start(firstDimension);
Thread.Sleep(5000);
firstDimension.shouldPartyContinue = false;
Console.WriteLine("Party Grand Finish");
}
private void StartPartyInAnotherDimension(object input)
{
Program currentDimensionInput = (Program)input;
Console.WriteLine("let the party begin");
while (currentDimensionInput.shouldPartyContinue)
{
}
Console.WriteLine("Party ends :(");
}
If the variable shouldPartyContinue
is not marked as volatile
, the program will never finish if it is executed in Release.
Official documentation – https://msdn.microsoft.com/en-us/library/x13ttww7.aspx
The ability to access a member of the global namespace
is useful when the member might be hidden by another entity of the same name. This is one of my favored underutilized features of .NET.
public static unsafe void Main(string[] args)
{
global::System.Console.WriteLine("Wine is constant proof that God loves us
and loves to see us happy. -Benjamin Franklin");
}
public class System { }
const int Console = 7;
const int number = 66;
Official documentation – https://msdn.microsoft.com/en-us/library/c3ay4x3d(VS.80).aspx
Determines how a class or field is displayed in the debugger variable windows.
[DebuggerDisplay("{DebuggerDisplay}")]
public class DebuggerDisplayTest
{
private string squirrelFirstNameName;
private string squirrelLastNameName;
public string SquirrelFirstNameName
{
get
{
return squirrelFirstNameName;
}
set
{
squirrelFirstNameName = value;
}
}
[DebuggerBrowsable(DebuggerBrowsableState.Collapsed)]
public string SquirrelLastNameName
{
get
{
return squirrelLastNameName;
}
set
{
squirrelLastNameName = value;
}
}
public int Age { get; set; }
private string DebuggerDisplay
{
get { return string.Format("{0} de {1}", SquirrelFirstNameName, SquirrelLastNameName); }
}
}
In the above example, the method DebuggerDisplay
will be used to calculate the value that is going to be presented in the Debugger window.
Also, you can use different C# expressions directly in the attribute.
[DebuggerDisplay("Age {Age > 0 ? Age : 5}")]
public class DebuggerDisplayTest
{
private string squirrelFirstNameName;
private string squirrelLastNameName;
public string SquirrelFirstNameName
{
get
{
return squirrelFirstNameName;
}
set
{
squirrelFirstNameName = value;
}
}
[DebuggerBrowsable(DebuggerBrowsableState.Collapsed)]
public string SquirrelLastNameName
{
get
{
return squirrelLastNameName;
}
set
{
squirrelLastNameName = value;
}
}
public int Age { get; set; }
private string DebuggerDisplay
{
get { return string.Format("{0} de {1}", SquirrelFirstNameName, SquirrelLastNameName); }
}
}
If the age
property is larger than zero, the actual age is going to be displayed, otherwise five is used.
Official documentation – https://msdn.microsoft.com/en-us/library/system.diagnostics.debuggerdisplayattribute.aspx
Instructs the debugger to step through the code instead of stepping into the code.
[DebuggerStepThroughAttribute]
public class DebuggerDisplayTest
{
private string squirrelFirstNameName;
private string squirrelLastNameName;
public string SquirrelFirstNameName
{
get
{
return squirrelFirstNameName;
}
set
{
squirrelFirstNameName = value;
}
}
[DebuggerBrowsable(DebuggerBrowsableState.Collapsed)]
public string SquirrelLastNameName
{
get
{
return squirrelLastNameName;
}
set
{
squirrelLastNameName = value;
}
}
public int Age { get; set; }
private string DebuggerDisplay
{
get { return string.Format("{0} de {1}", SquirrelFirstNameName, SquirrelLastNameName); }
}
}
Official documentation – https://msdn.microsoft.com/en-us/library/system.diagnostics.debuggerstepthroughattribute.aspx
It makes the execution of a method dependent on a preprocessing identifier. The Conditional
attribute is an alias for ConditionalAttribute
, and can be applied to a method or an attribute class.
public static unsafe void Main(string[] args)
{
StartBugsParty();
}
[Conditional("LIVE")]
public static void StartBugsParty()
{
Console.WriteLine("Let the bugs free. Start the Party.");
}
In order for the above code to be executed, #define LIVE
should be added at the beginning of the C# file.
Official documentation – https://msdn.microsoft.com/en-us/library/4xssyw96.aspx
You can access static
members of a type without having to qualify the access to the type name.
First, add the following using
clauses.
using static System.Math;
using static System.Console;
WriteLine(Sqrt(42563));
A using
-alias directive cannot have an open generic type on the right-hand side. For example, you cannot create a using
alias for a List<T>
, but you can create one for a List<int>
.
using IntList = System.Collections.Generic.List<int>;
IntList intList = new IntList();
intList.Add(1);
intList.Add(2);
intList.Add(3);
intList.ForEach(x => WriteLine(x));
Personally, I believe that the last feature makes the code a little bit unreadable, so I suggest you to think twice before using it.
Official documentation – https://msdn.microsoft.com/en-us/library/sf0df423.aspx
Flags
enumerations are used for masking bit fields and doing bitwise comparisons. They are the correct design to use when multiple enumeration values can be specified at the same time.
[Flags]
public enum Minions
{
Stuart = 1,
Kevin = 2,
Bob = 4,
Dave = 8
}
It is also important to note that Flags
does not automatically make the enum values powers of two. If you omit the numeric values, the enum will not work as one might expect in bitwise operations because by default the values start with 0 and increment.
var minionsNames = (Minions.Bob | Minions.Dave).ToString();
Console.WriteLine(minionsNames);
var allowedMinionsToParticipate = Minions.Dave | Minions.Kevin | Minions.Stuart;
Console.WriteLine(allowedMinionsToParticipate);
if ((allowedMinionsToParticipate & Minions.Dave) == Minions.Dave)
{
Console.WriteLine("Dave is allowed to be a party animal!");
}
if (allowedMinionsToParticipate.HasFlag(Minions.Bob))
{
Console.WriteLine("Bob is allowed to be a party animal!");
}
else
{
Console.WriteLine("No more tequila for Bob. :(");
}
When you retrieve the value, you are bitwise AND’ing the values.
Note: You cannot use the None enumerated constant in a bitwise AND operation to test for a flag because the result is always zero. However, you can perform a logical, not a bitwise, comparison between the numeric value and the None enumerated constant to determine whether any bits in the numeric value are set.
Official documentation – https://msdn.microsoft.com/en-us/library/ms229062.aspx
15.1. CodeDOM
The CodeDOM provides types that represent many common types of source code elements. You can design a program that builds a source code model using CodeDOM elements to assemble an object graph. This object graph can be rendered as source code using a CodeDOM code generator for a supported programming language. The CodeDOM can also be used to compile source code into a binary assembly.
public static void Main(string[] args)
{
var sourceCode = @"class HelloKittyPrinter
{
public void Print()
{
System.Console.WriteLine(""Hello Hello Kitty!"");
}
}";
var compiledAssembly = CompileSourceCodeDom(sourceCode);
ExecuteFromAssembly(compiledAssembly);
}
private static Assembly CompileSourceCodeDom(string sourceCode)
{
CodeDomProvider csharpCodeProvider = new CSharpCodeProvider();
var cp = new CompilerParameters();
cp.ReferencedAssemblies.Add("System.dll");
cp.GenerateExecutable = false;
CompilerResults cr = csharpCodeProvider.CompileAssemblyFromSource(cp, sourceCode);
return cr.CompiledAssembly;
}
15.2. Roslyn
The .NET Compiler Platform (“Roslyn”) provides open-source C# and Visual Basic compilers with rich code analysis APIs. It enables building code analysis tools with the same APIs that are used by Visual Studio.
First you need to install the NuGet package Microsoft.CodeAnalysis
.
You can find the whole source code and useful examples in the project’s official GitHub page.
public static void Main(string[] args)
{
var sourceCode = @"class HelloKittyPrinter
{
public void Print()
{
System.Console.WriteLine(""Hello Hello Kitty!"");
}
}";
var compiledAssembly = CompileSourceRoslyn(sourceCode);
ExecuteFromAssembly(compiledAssembly);
}
private static Assembly CompileSourceRoslyn(string sourceCode)
{
using (var memoryStream = new MemoryStream())
{
string assemblyFileName = string.Concat(Guid.NewGuid().ToString(), ".dll");
CSharpCompilation compilation = CSharpCompilation.Create(assemblyFileName,
new[] { CSharpSyntaxTree.ParseText(sourceCode) },
new[]
{
MetadataReference.CreateFromFile(typeof(object).Assembly.Location)
},
new CSharpCompilationOptions(OutputKind.DynamicallyLinkedLibrary)
);
compilation.Emit(memoryStream);
Assembly assembly = Assembly.Load(memoryStream.GetBuffer());
return assembly;
}
}
To execute the generated code, you can use the following method:
private static void ExecuteFromAssembly(Assembly assembly)
{
Type helloKittyPrinterType = assembly.GetType("HelloKittyPrinter");
MethodInfo printMethod = helloKittyPrinterType.GetMethod("Print");
object kitty = assembly.CreateInstance("HelloKittyPrinter");
printMethod.Invoke(kitty, BindingFlags.InvokeMethod, null, null, CultureInfo.CurrentCulture);
}
Documentation – http://benohead.com/three-options-to-dynamically-execute-csharp-code/
So Far in the C# Series
- Implement Copy Paste C# Code
- MSBuild TCP IP Logger C# Code
- Windows Registry Read Write C# Code
- Change .config File at Runtime C# Code
- Generic Properties Validator C# Code
- Reduced AutoMapper- Auto-Map Objects 180% Faster
- 7 New Cool Features in C# 6.0
- Types Of Code Coverage- Examples In C#
- MSTest Rerun Failed Tests Through MSTest.exe Wrapper Application
- Hints For Arranging Usings in Visual Studio Efficiently
- 19 Must-Know Visual Studio Keyboard Shortcuts – Part 1
- 19 Must-Know Visual Studio Keyboard Shortcuts – Part 2
- Specify Assembly References Based On Build Configuration in Visual Studio
- Top 15 Underutilized Features of .NET
- Top 15 Underutilized Features of .NET Part 2
- Neat Tricks for Effortlessly Format Currency in C#
- Assert DateTime the Right Way MSTest NUnit C# Code
- Which Works Faster- Null Coalescing Operator or GetValueOrDefault or Conditional Operator
- Specification-based Test Design Techniques for Enhancing Unit Tests
- Get Property Names Using Lambda Expressions in C#
- Top 9 Windows Event Log Tips Using C#
If you enjoy my publications, feel free to SUBSCRIBE.
Also, hit these share buttons. Thank you!
Source Code
Note: There is a poll embedded within this post, please visit the site to participate in this post's poll.
CodeProject
The post Top 15 Underutilized Features of .NET Part 2 appeared first on Automate The Planet.
All images are purchased from DepositPhotos.com and cannot be downloaded and used for free. License Agreement