Short and simple. Does the new string interpolation in C# 6.0 rely on reflection? I.e. does
string myStr = $"Hi {name}, how are you?";
use reflection at runtime to find the variable "name" and its value?
Short and simple. Does the new string interpolation in C# 6.0 rely on reflection? I.e. does
string myStr = $"Hi {name}, how are you?";
use reflection at runtime to find the variable "name" and its value?
No. It doesn't. It is completely based on compile-time evaluation.
You can see that with this TryRoslyn example that compiles and decompiles this:
int name = 4;
string myStr = $"Hi {name}, how are you?";
Into this:
int num = 4;
string.Format("Hi {0}, how are you?", num);
string interpolation also supports using IFormattable
as the result so (again using TryRoslyn) this:
int name = 4;
IFormattable myStr = $"Hi {name}, how are you?";
Turns into this:
int num = 4;
FormattableStringFactory.Create("Hi {0}, how are you?", new object[] { num });
$"Hi {0}, how are you?";
compiled and put 0
as argument to string.Format
. It's obvious why compiler let you to put code inside: $"Hi {friend.GiveMeYourName()}, how are you?";
. But reasoning behind ability to put numbers is very interesting. –
Mancy num
for number as it's an int
. –
Hortenciahortensa This article explains that it's compile-time based (and internally calls string.Format()
. A quote:
String interpolation is transformed at compile time to invoke an equivalent string.Format call. This leaves in place support for localization as before (though still with composite format strings) and doesn’t introduce any post compile injection of code via strings.
© 2022 - 2024 — McMap. All rights reserved.
name
is in scope, it will be used, otherwise you'll have an error. – Oshinski$
on a string literal. Only the compiler can see it. Which tells it to parse the string, look for{identifier}
in the string and generate the appropriate String.Format() statement. – Ultrasonic