I used to simulate the VAR VS Dynamic
variable and later on i came up to this:
dynamic s = 2;
var w = "";
var d1 = s + " " + "dynamic test 1";
var d2 = s + 'd' + ' ' + "dynamic test 2";
String d3 = s + 'k' + ' ' + "dynamic test 2";
var d4 = 'd' + "dynamic test 2";
To make it simple:
My question is:
why does the char d
and k
turns to a number and while the d
in d4 variable remain on its own value which is d
?
Execution is done from left to right. So adding integer first and then character type casts the character into integer and then the output of those is appended to string.
For d4 because there is no integer at start and so character is type-casted to string before append.
Explanation:
the integer value of 'd' is 100
the value of ' ' is 32
Hence 2 + 100 + 32 = 134.
Thanks Paulf for the suggestionsThanks Corak for the detailed explanation. Adding it in answer so it is not missed out.
you have an int value (2) and a char value ('d'). You want to add them together. What would the expected outcome be? "2d" would be a string, so neither an int nor a char. For most people, that would be unexpected so that's no good. What else could happen? 'd' could be imcremented by 2. So the result could be 'f'. But that would only work for very few int values. So it was decided, that int plus char results in int, taking the numeric value of the char. This works for almost every combination of int and char, so that was the chosen behaviour.
On the other hand, you have a char value ('d') and a string value ("test"). You want to add them together. What would the expected outcome be? Getting the numeric value of the char like in int + char would result in "100test" which would be very unexpected. Also, the standard behaviour of object + string (or string + object) is to implicitly turn that into object.ToString() + string. And 'd'.ToString() would be "d" (the string value!). So 'd'.ToString() + "test" results in "dtest", which would also be the expected behaviour. So win/win. ^_^