这是不可能的。为什么?因为匿名类型是一种语法糖。匿名类型是一种设计时特性,这意味着编译器将生成一个名称非常奇怪的实际类型,但毕竟它与任何其他类型一样。
遗憾的是,C# 没有接口自动实现。也就是说,您需要以命名类型实现接口。
更新
想要解决此限制?
您可以使用控制反转(使用 Castle Windsor 之类的 API 或仅手动)。
检查我刚刚制作的这个示例代码:
public static class AnonymousExtensions
{
public static T To<T>(this object anon)
{
// #1 Obtain the type implementing the whole interface
Type implementation = Assembly.GetExecutingAssembly()
.GetTypes()
.SingleOrDefault(t => t.GetInterfaces().Contains(typeof(T)));
// #2 Once you've the implementation type, you create an instance of it
object implementationInstance = Activator.CreateInstance(implementation, false);
// #3 Now's time to set the implementation properties based on
// the anonyous type instance property values!
foreach(PropertyInfo property in anon.GetType().GetProperties(BindingFlags.Instance | BindingFlags.Public))
{
// Has the implementation this anonymous type property?
if(implementation.GetProperty(property.Name) != null)
{
// Setting the implementation instance property with the anonymous
// type instance property's value!
implementation.GetProperty(property.Name).SetValue(implementationInstance, property.GetValue(anon, null));
}
}
return (T)implementationInstance;
}
}
设计和实现一些接口...
// Some interface
public interface IHasText
{
string Text { get; set; }
}
// An implementation for the interface
public class HasText : IHasText
{
public string Text
{
get;
set;
}
}
现在在某处使用整个扩展方法!
var anonymous = new { Text = "Hello world!" };
IHasText hasTextImplementation = anonymous.To<IHasText>();
hasTextImplementation
会有一个HasText
实现实例!或者换句话说:Text
属性将包含Hello world!.
请注意,可以调整此代码以支持基类和抽象类,但我相信这足以获取基本信息以根据需要改进它。