在进行数据库调用时,在我的ASP .Net Web API应用程序中,需要将某些属性添加到已具有某些现有属性的模型类中。
我知道在这种情况下我可以使用ExpandoObject
并在运行时添加属性,但我想知道如何首先从现有对象继承所有属性然后添加一些属性。
例如,假设传递给方法的对象是ConstituentNameInput
并定义为
public class ConstituentNameInput
{
public string RequestType { get; set; }
public Int32 MasterID { get; set; }
public string UserName { get; set; }
public string ConstType { get; set; }
public string Notes { get; set; }
public int CaseNumber { get; set; }
public string FirstName { get; set; }
public string MiddleName { get; set; }
public string LastName { get; set; }
public string PrefixName { get; set; }
public string SuffixName { get; set; }
public string NickName { get; set; }
public string MaidenName { get; set; }
public string FullName { get; set; }
}
现在,在我动态创建的对象中,我想添加所有这些现有属性,然后添加一些名为wherePartClause
和selectPartClause
的对象。
我该怎么做?
答案 0 :(得分:13)
您可以创建一个新的ExpandoObject
并使用反射来填充现有对象的属性:
using System;
using System.Collections.Generic;
using System.Dynamic;
using System.Linq;
using System.Reflection;
class Program
{
static void Main(string[] args)
{
var obj = new { Foo = "Fred", Bar = "Baz" };
dynamic d = CreateExpandoFromObject(obj);
d.Other = "Hello";
Console.WriteLine(d.Foo); // Copied
Console.WriteLine(d.Other); // Newly added
}
static ExpandoObject CreateExpandoFromObject(object source)
{
var result = new ExpandoObject();
IDictionary<string, object> dictionary = result;
foreach (var property in source
.GetType()
.GetProperties()
.Where(p => p.CanRead && p.GetMethod.IsPublic))
{
dictionary[property.Name] = property.GetValue(source, null);
}
return result;
}
}