我找到的与这个问题相关的最接近的答案并没有真正帮助解决它,尽管也许我在搜索它方面做得很差。
从类型获取新的对象实例
反射实例化
使用运行时确定的类型实例化对象
现在,我要解决的是:
我想完全完整地填写和初始化一个对象,其中我只有 Type,而这个对象没有构造函数,直到运行时我才知道它是什么类型。
private readonly Dictionary<string, object> exampleDict = new Dictionary<string, string> { { "String", ""String"" }, { "Guid", Guid.NewGuid() }, { "Boolean", False }, { "int", 0 }, { "Decimal", 5.004 }, { "Int32", 0 }, { "Float", 10.01 }, { "Double", 0.101 } };
//Essentially a dictionary of what to init properties to
private object PopulateType(Type propertyType)
{
object o = Activator.CreateInstance(propertyType);
if(exampleDict.hasKey(propertyType.ToString())) //If it is in the dictionary, init it
o = exampleDict[propertyType.Name];
else
foreach(var property in o.getProperties())//Otherwise look at each of its properties and init them to init the object
PopulateType(typeof(property));
}
以上不是我实际拥有的,我怀疑它会开箱即用(实际代码目前有一系列我从 SO 答案中尝试的不同内容,并且更容易按照我想要的方式重写它)
我还需要担心数组(以及扩展列表和字典),它们的作用会有所不同,但我主要是想把问题的主要部分记下来。
提前感谢所有帮助 - 我只是希望这是可能的:)
编辑更多细节:换句话说,假设我有以下类:
public class ClassOne
{
public string BirthCountry {get; set;}
public string BirthCity {get; set;}
}
public class ClassTwo
{
public string FirstName {get; set;}
public string LastName {get; set;}
public ClassOne BirthPlace {get; set;}
}
我想做的是打电话:
object newObject = PopulateType(typeof(ClassOne))
或
object newObject = PopulateType(typeof(ClassTwo))
我事先不知道我会使用哪一个,也没有构造函数。我希望能够将BirthCountry
和BirthCity
设置为"字符串",如果它是一个放入PopulateType
ClassOne
,我希望能够设置FirstName="String"
,LastName="String"
和BirthPlace=new ClassOne { BirthCountry="String", BirthCity="String" }
但是我希望能够为我碰巧拥有的任何类执行此操作(这些只是示例)。
进一步编辑
我能够从类型制作基类。但是我无法点击属性以将它们设置为除 null 以外的任何内容。
编辑 - 在Fruity Geek(非常感谢朋友)的帮助下,我能够让程序工作。
private object PopulateType(Type propertyType)
{
object o = null;
if (exampleDict.ContainsKey(propertyType.Name))
o = exampleDict[propertyType.Name];
else
{
var types = AppDomain.CurrentDomain.GetAssemblies().ToList().SelectMany(s => s.GetTypes()).Where(p => propertyType.IsAssignableFrom(p));
try{o = Activator.CreateInstance(propertyType);}
catch{o = Activator.CreateInstance(types.Last());}
foreach (PropertyInfo prop in o.GetType().GetProperties())
try
{
prop.SetValue(o, PopulateType(prop.PropertyType), null);
}
catch (Exception){}
}
return o;
}
请注意,try/catch是:如果未实现接口,则防止爆炸,并且不要尝试实例化字典/列表/数组(那些仍然需要工作)
可以使用反射来检查属性是否存在并设置它。
PopulateType(Object obj)
{
//A dictionary of values to set for found properties
Dictionary<String, Object> defaultValues = new Dictionary<String, Object>();
defaultValues.Add("BirthPlace", "Amercia");
for (var defaultValue in defaultValues)
{
//Here is an example that just set BirthPlace to a known value Amercia
PropertyInfo prop = obj.GetType().GetProperty(defaultValue.Key, BindingFlags.Public | BindingFlags.Instance);
if(null != prop && prop.CanWrite)
{
prop.SetValue(obj, defaultValue.Value, null);
}
}
}