我有一个名为Foo
的目标类,其中包含以下属性:
public string Bar1 { get; set; }
public string Bar2 { get; set; }
public string Bar3 { get; set; }
public string Bar4 { get; set; }
public string Bar5 { get; set; }
public string Bar6 { get; set; }
我正在阅读一个文件中,该文件中可以包含任意数量的" Bars"我读到了一个名为fileBars
的集合。我需要了解如何使用Reflection迭代fileBars
并将第一个分配给Bar1
,将第二个分配给Bar2
等。
我已经尝试了一些我在网上找到的东西,最近玩过以下所示的内容,但我没有运气。熟悉反射的人能指出我正确的方向吗?
var count = fileBars.Count();
var myType = Foo.GetType();
PropertyInfo[] barProperties = null;
for (var i = 0; i < count; i++)
{
barProperties[i] = myType.GetProperty("Bar" + i + 1);
}
答案 0 :(得分:2)
您需要初始化barProperties
:
PropertyInfo[] barProperties = new PropertyInfo[count];
要为属性指定值,请使用SetValue
:
barProperties[i].SetValue(Foo, fileBars[i] );
答案 1 :(得分:2)
我认为您不需要将PropertyInfo
个对象存储在数组中;您可以随时分配值:
var count = fileBars.Count();
var instance = new Foo();
for (var i = 1; i <= count; i++)
{
var property = typeof(Foo).GetProperty("Bar" + i);
if(property != null)
property.SetValue(instance, fileBars[i - 1];
else
// handle having too many bars to fit in Foo
}
答案 2 :(得分:2)
除非你需要保留以后找到的所有属性,否则你不需要barProperties
数组:
var myType = foo.GetType();
int barCount = 0;
foreach(string barValue in fileBars)
{
barCount++;
var barProperty = myType.GetProperty("Bar" + barCount);
barProperty.SetValue(foo, barValue, null);
}