リストanBook内に匿名型を取得しました。
var anBook=new []{
new {Code=10, Book ="Harry Potter"},
new {Code=11, Book="James Bond"}
};
以下のclearBookの定義でリストに変換することができます。
public class ClearBook
{
int Code;
string Book;
}
直接変換を使用して、つまり、anBookをループせずに?
まあ、あなたは使うことができます:
var list = anBook.Select(x => new ClearBook {
Code = x.Code, Book = x.Book}).ToList();
ただし、直接の変換はサポートされていません。当然、アクセサーなどを追加する必要があります(フィールドを公開しないでください)-私は推測します:
public int Code { get; set; }
public string Book { get; set; }
もちろん、もう1つのオプションは、データから希望どおりに開始することです。
var list = new List<ClearBook> {
new ClearBook { Code=10, Book="Harry Potter" },
new ClearBook { Code=11, Book="James Bond" }
};
データをリフレクションでマップするためにできることもあります(おそらくExpression
を使用して戦略をコンパイルおよびキャッシュするため)。しかし、それだけの価値はありません。
マークが言うように、それはリフレクションと式ツリーで行うことができます...そして運が良ければそれができるように、 MiscUtil にクラスがあり、それはまさにそれを行います。ただし、質問をより詳しく見ると、この変換をコレクション(配列、リストなど)にループせずに適用したいようです。それはおそらく機能しません。あるタイプから別のタイプに変換している-それは、ClearBookへの参照であるかのように、匿名タイプへの参照を使用できるようではない。
ただし、PropertyCopyクラスの動作の例を示すには、次のものが必要です。
var books = anBook.Select(book => PropertyCopy<ClearBook>.CopyFrom(book))
.ToList();
これらの拡張機能はどうですか?単純に、匿名タイプの.ToNonAnonymousListを呼び出します。
public static object ToNonAnonymousList<T>(this List<T> list, Type t)
{
//define system Type representing List of objects of T type:
Type genericType = typeof (List<>).MakeGenericType(t);
//create an object instance of defined type:
object l = Activator.CreateInstance(genericType);
//get method Add from from the list:
MethodInfo addMethod = l.GetType().GetMethod("Add");
//loop through the calling list:
foreach (T item in list)
{
//convert each object of the list into T object by calling extension ToType<T>()
//Add this object to newly created list:
addMethod.Invoke(l, new[] {item.ToType(t)});
}
//return List of T objects:
return l;
}
public static object ToType<T>(this object obj, T type)
{
//create instance of T type object:
object tmp = Activator.CreateInstance(Type.GetType(type.ToString()));
//loop through the properties of the object you want to covert:
foreach (PropertyInfo pi in obj.GetType().GetProperties())
{
try
{
//get the value of property and try to assign it to the property of T type object:
tmp.GetType().GetProperty(pi.Name).SetValue(tmp, pi.GetValue(obj, null), null);
}
catch (Exception ex)
{
Logging.Log.Error(ex);
}
}
//return the T type object:
return tmp;
}