C#では、コンパイラーがジェネリック型パラメーターを推測できる場合は、ジェネリック型パラメーターを指定する必要はありません。たとえば、次のようになります。
List<int> myInts = new List<int> {0,1,1,
2,3,5,8,13,21,34,55,89,144,233,377,
610,987,1597,2584,4181,6765};
//this statement is clunky
List<string> myStrings = myInts.
Select<int,string>( i => i.ToString() ).
ToList<string>();
//the type is inferred from the lambda expression
//the compiler knows that it's taking an int and
//returning a string
List<string> myStrings = myInts.
Select( i => i.ToString() ).
ToList();
'a
これは、型パラメーターがコンパイラーによって追加されるため、型パラメーターが何であるかがわからない(インテリセンスではとして表示される)匿名型に必要です。
クラスレベルの型パラメータでは、これを行うことはできません。
//sample generic class
public class GenericDemo<T>
{
public GenericDemo ( T value )
{
GenericTypedProperty = value;
}
public T GenericTypedProperty {get; set;}
}
//why can't I do:
int anIntValue = 4181;
var item = new GenericDemo( anIntValue ); //type inference fails
//however I can create a wrapper like this:
public static GenericDemo<T> Create<T> ( T value )
{
return new GenericDemo<T> ( value );
}
//then this works - type inference on the method compiles
var item = Create( anIntValue );
C#がこのクラスレベルのジェネリック型推論をサポートしないのはなぜですか?