访问C#中List <object>中包含的对象的特定属性

时间:2016-03-04 03:10:12

标签: c# .net

我似乎无法弄清楚如何访问列表中包含的每个对象的特定属性。例如,如果我引用列表之外的对象(在将其传递给按钮单击之前),我可以看到&#34; tag&#34;,&#34; height&#34;,&#34;等属性。 width&#34;等(该类型的所有标准属性)。但是,一旦将列表传递给我的按钮单击事件,我无法弄清楚如何访问这些特定于对象的属性。

请参考此示例:

private TextBox createTextBox(string name)
{
    // Create TextBox Code is Here
    TextBox dTextBox = new TextBox();
    dTextBox.Name = name;
    dTextBox.Tag = "sometag";
    dTextBox.Height = 12345;
    dTextBox.Width = 12345;
    return dTextBox;
}

private void some_function()
{
    var objectList = new List<Object>();
    objectList.Add(createTextBox("example1"));
    objectList.Add(createTextBox("example2"));
    objectList.Add(createTextBox("example3"));
}

private int button_click(object sender, EventArgs e, Int32 ticketGroupID, List<Object> objectList)
{
    for(int i = 0; i < objectList.Count(); i++)
    {
        Int32 valuableInfo = objectList[i].?? // Here is where I am trying to access specific properties about the object at index i in the list, such as the objects TAG, VALUE, etc. How can this be done?
        // do things with the valuable info
    };

}

提前感谢您的任何帮助。

3 个答案:

答案 0 :(得分:1)

您需要强制键入object。也就是说,将其投放到class

Int32 valuableInfo = ((TextBox)objectList[i]).Height; //now you can access your property

否则,您无法访问该类的属性,因为编译器不知道object的实际类型是什么。此外,您的Intellisense只会将其视为object,而不是您的强类型类(例如:MyClass,或者在您的情况下,类为TextBox

答案 1 :(得分:1)

它实现List<>IEnumerable<T>,因此您可以使用OfType<T>()方法提取已经强类型并且可供您访问的项目:< / p>

var myListOfTypedObjects = myList.OfType<TextBox>();
myListOfTypedObjects.ForEach(tb => Console.Writeline(tb.Name));

答案 2 :(得分:0)

您可以先检查type,然后再将其转换为TextBox反转

见下面的例子:

foreach (var obj in objectList)
{
    // method 1: check first, cast later
    if (obj is TextBox)
    {
        Int32 valueableInfo = ((TextBox)obj).Height;
    }

    // method2: cast first, check later
    var textBox = obj as TextBox;
    if (obj != null)
    {
        Int32 valueableInfo = obj.Height;
    }
}