public bool IsList(object value)
{
Type type = value.GetType();
// Check if type is a generic list of any type
}
指定されたオブジェクトがリストであるかどうか、またはリストにキャストできるかどうかを確認するための最良の方法は何ですか?
public bool IsList(object value)
{
Type type = value.GetType();
// Check if type is a generic list of any type
}
指定されたオブジェクトがリストであるかどうか、またはリストにキャストできるかどうかを確認するための最良の方法は何ですか?
回答:
using System.Collections;
if(value is IList && value.GetType().IsGenericType) {
}
List<T>
をObservableCollection<T>
実装しIList
ます。
拡張メソッドの使用を楽しんでいる皆さんのために:
public static bool IsGenericList(this object o)
{
var oType = o.GetType();
return (oType.IsGenericType && (oType.GetGenericTypeDefinition() == typeof(List<>)));
}
だから、私たちはすることができます:
if(o.IsGenericList())
{
//...
}
return oType.GetTypeInfo().IsGenericType && oType.GetGenericTypeDefinition() == typeof(List<>);
IList<>
代わりにチェックする方が安全でしょうか?
if(value is IList && value.GetType().GetGenericArguments().Length > 0)
{
}
ビクターロドリゲスの答えに基づいて、ジェネリックスの別の方法を考案することができます。実際、元のソリューションは2行に減らすことができます。
public static bool IsGenericList(this object Value)
{
var t = Value.GetType();
return t.IsGenericType && t.GetGenericTypeDefinition() == typeof(List<>);
}
public static bool IsGenericList<T>(this object Value)
{
var t = Value.GetType();
return t.IsGenericType && t.GetGenericTypeDefinition() == typeof(List<T>);
}
.NET Standardで機能し、インターフェイスに対して機能する実装は次のとおりです。
public static bool ImplementsGenericInterface(this Type type, Type interfaceType)
{
return type
.GetTypeInfo()
.ImplementedInterfaces
.Any(x => x.GetTypeInfo().IsGenericType && x.GetGenericTypeDefinition() == interfaceType);
}
そして、ここにテスト(xunit)があります:
[Fact]
public void ImplementsGenericInterface_List_IsValidInterfaceTypes()
{
var list = new List<string>();
Assert.True(list.GetType().ImplementsGenericInterface(typeof(IList<>)));
Assert.True(list.GetType().ImplementsGenericInterface(typeof(IEnumerable<>)));
Assert.True(list.GetType().ImplementsGenericInterface(typeof(IReadOnlyList<>)));
}
[Fact]
public void ImplementsGenericInterface_List_IsNotInvalidInterfaceTypes()
{
var list = new List<string>();
Assert.False(list.GetType().ImplementsGenericInterface(typeof(string)));
Assert.False(list.GetType().ImplementsGenericInterface(typeof(IDictionary<,>)));
Assert.False(list.GetType().ImplementsGenericInterface(typeof(IComparable<>)));
Assert.False(list.GetType().ImplementsGenericInterface(typeof(DateTime)));
}
私は次のコードを使用しています:
public bool IsList(Type type) => IsGeneric(type) && (
(type.GetGenericTypeDefinition() == typeof(List<>))
|| (type.GetGenericTypeDefinition() == typeof(IList<>))
);