开发者

Weird operator precedence with ?? (null coalescing operator)

开发者 https://www.devze.com 2023-01-08 00:56 出处:网络
Recently I had a weird bug where I was concatenating a string wi开发者_StackOverflow社区th an int? and then adding another string after that.

Recently I had a weird bug where I was concatenating a string wi开发者_StackOverflow社区th an int? and then adding another string after that.

My code was basically the equivalent of this:

int? x=10;
string s = "foo" + x ?? 0 + "bar";

Amazingly enough this will run and compile without warnings or incompatible type errors, as will this:

int? x=10;
string s = "foo" + x ?? "0" + "bar";

And then this results in an unexpected type incompatibility error:

int? x=10;
string s = "foo" + x ?? 0 + 12;

As will this simpler example:

int? x=10;
string s = "foo" + x ?? 0;

Can someone explain how this works to me?


The null coalescing operator has very low precedence so your code is being interpreted as:

int? x = 10;
string s = ("foo" + x) ?? (0 + "bar");

In this example both expressions are strings so it compiles, but doesn't do what you want. In your next example the left side of the ?? operator is a string, but the right hand side is an integer so it doesn't compile:

int? x = 10;
string s = ("foo" + x) ?? (0 + 12);
// Error: Operator '??' cannot be applied to operands of type 'string' and 'int'

The solution of course is to add parentheses:

int? x = 10;
string s = "foo" + (x ?? 0) + "bar";


The ?? operator has lower precedence than the + operator, so your expression really works as:

string s = ("foo" + x) ?? (0 + "bar");

First the string "foo" and the string value of x are concatenated, and if that would be null (which it can't be), the string value of 0 and the string "bar" are concatenated.

0

精彩评论

暂无评论...
验证码 换一张
取 消

关注公众号