是否有可能检查某个类型是否具有无参数构造函数,以便对其进行转换并调用一个需要带: new()
约束的无参数构造函数的方法?
只能检查一个类型作为公共无参数的回答here是不够的,因为它不允许调用目标方法。
目标是具有以下逻辑,其中IInteresting
个对象不实现公共无参数构造函数,并且需要在调用Save1
之前进行转换:
public interface IInteresting { }
public void Save<T>(T o) {
var oc = o as (new()); /* Pseudo implementation */
if (oc != null) {
this.Save1(oc);
}
else {
var oi = o as IInteresting;
if (oi != null) {
this.Save2(oi);
}
}
}
private void Save1<T>(T o) where T : new() {
//Stuff
}
private void Save2<T>(IInteresting o) {
//Stuff to convert o to a DTO object with a public parameterless constructor, then call Save1(T o)
}
当然,如果我可以让Save1
和Save2
共享相同的签名来解决问题,但我找不到办法,因为以下内容无法编译({{1} },Routine
将调用第一个实现而不是第二个实现:
Save
答案 0 :(得分:1)
根据你的评论,我想你有一个未知类型的对象要传递给泛型函数,该函数要求传递的对象属于泛型类型参数,该参数必须具有无参数构造函数。因此,暂时,我们可以假设您的问题中的函数Save1<T>(T)
是该函数,不是您编写的,不可能被更改。
对此的解决方案是使用反射来进行调用:
MethodInfo
找到您要拨打的方法的Type.GetMethod
。MakeGenericMethod
指定类型参数,为您的parameterless-constructor-type构造方法的MethodInfo
。MethodInfo.Invoke
method。答案 1 :(得分:0)
另一种可能的解决方案,取决于您在private void Save<T>(T o) where T : new()
中执行的操作,是使用ICloneable
接口。或者介绍你的(正如我所说,这取决于Save
的内容):
interface IConstructible
{
object Construct();
}
并且:
private void Save1<T>(T o) where T : ICloneable {
当然这只是一种解决方法 - O. R. Mapper's answer提供了唯一的直接解决方案。
答案 2 :(得分:0)
using System.Reflection;
public static class Generics {
public static void T0<T> ( T obj ) where T : new () {
Console.WriteLine ( "{0} {1}", obj, obj.GetType () );
}
public static void T1<T> ( T obj ) {
MethodInfo mi = GenericMethodInfo ( typeof ( Generics ), "T0", typeof ( T ) );
mi.Invoke ( null, new object[] { obj } );
}
public static MethodInfo GenericMethodInfo ( Type classType, string methodName, Type genericType ) {
return classType.GetMethod ( methodName ).MakeGenericMethod ( genericType );
}
}
Generics.T0 ( 123 );
Generics.T1 ( 123 );
// Impossible.. Generics.T0 ( "12345" );
Generics.T1 ( "12345" );