Wednesday 31 May 2017

null coalescing operator - What do two question marks together mean in C#?



Ran across this line of code:




FormsAuth = formsAuth ?? new FormsAuthenticationWrapper();


What do the two question marks mean, is it some kind of ternary operator?
It's hard to look up in Google.


Answer



It's the null coalescing operator, and quite like the ternary (immediate-if) operator. See also ?? Operator - MSDN.



FormsAuth = formsAuth ?? new FormsAuthenticationWrapper();



expands to:



FormsAuth = formsAuth != null ? formsAuth : new FormsAuthenticationWrapper();


which further expands to:



if(formsAuth != null)

FormsAuth = formsAuth;
else
FormsAuth = new FormsAuthenticationWrapper();


In English, it means "If whatever is to the left is not null, use that, otherwise use what's to the right."



Note that you can use any number of these in sequence. The following statement will assign the first non-null Answer# to Answer (if all Answers are null then the Answer is null):



string Answer = Answer1 ?? Answer2 ?? Answer3 ?? Answer4;






Also it's worth mentioning while the expansion above is conceptually equivalent, the result of each expression is only evaluated once. This is important if for example an expression is a method call with side effects. (Credit to @Joey for pointing this out.)


No comments:

Post a Comment

c++ - Does curly brackets matter for empty constructor?

Those brackets declare an empty, inline constructor. In that case, with them, the constructor does exist, it merely does nothing more than t...