I wrote this extension method :
public static class A
{
public static IEnumerable<dynamic> AsDynamic<T>(this IEnumerable<T> f)
{
foreach (var element in f)
{
yield return (dynamic) element;
}
}
}
And tested it :
List<int> l = new List<int>(){1,2,3};
Console.WriteLine ( l.AsDynamic().GetType());
However the output is : typeof (IEnumerable<Object>)
Why it is not
typeof (IEnumerable<dynamic>)
?How can I make it to be like it ?
Because
dynamic
is not a typedynamic just resolves the actual type at runtime
I think that you have a misunderstanding of what
dynamic
means. Essentially, when you tell the compiler that an object's type isdynamic
, you "promise" that the object at runtime will support whatever methods or properties that you invoke, in exchange for the compiler not complaining at compile time. You also promise that you will face the consequences if you break your promise.When you say that an object is
dynamic
, the compiler cannot make assumptions about the type, so it usesobject
, knowing that anything can be stored asobject
. When you make anIEnumerable<dynamic>
, it becomesIEnumerable<object>
, with one significant difference: you can call any method on its elements, and the compiler will not say a word:Since
original.AsDynamic()
gives a sequence ofdynamic
objects, the compiler does not complain about your call toSomeUnsupportedMethod
. If the method is indeed not supported at runtime, the program will crash; if the method is actually supported by elements ofSomeType
, there would be no crash, and the method will be invoked.That's all the
dynamic
will do for you; statically, the "placeholder" will remainobject
, andtypeof
will tell you as much. But the exact capabilities of the object (its methods and properties) will not be examined until runtime.Try the Linq Extension method Cast(). But I'm not sure it will work with dynamic.
By design, runtime bindings behave as similarly as possible to static binding.
So the runtime type would be
typeof (IEnumerable<Object>)
The static type would be
typeof (IEnumerable<dynamic>)
Also
The runtime treats this true conceptually
So,
A dynamic type is like object except it lets you use in ways that aren't known at compile time.