访问布局元素到N的深度

时间:2012-05-11 18:02:16

标签: java php android

我在这里有一个非常讨厌的问题,因为我仍然试图将我正在做的每一点都内化,

我目前有一个LinearLayout,然后在onCreate of Activity上,我会用Buttons填充或膨胀其他几个LinearLayout,我的问题是,当我尝试访问按钮时,似乎我没有得到任何接近或从LinearLayout更深入,我可以得到的是LinearLayout(父)和其他LinearLayout(儿童),我相信有一种方法,我只是完全混淆了如何去做。

LinearLayout
 ->LinearLayout(Child1)->Button1, Button2, Button3
 ->LinearLayout(Child2)->Button4, Button5, Button6

我如何才能访问和获取按钮?

我的来源;

for (int x=0; x<ll.getChildCount(); x++){
  View v = ll.getChildAt(x);
  Class c = v.getClass();
  if(c == LinearLayout.class){
    for(int y=0; y< ; y++){
      **I know there is something that must be done here, likewise, is this the most
      efficient way of doing things?
    }
  }
 Log.i("test", c.getName());
}

XML中只存在LinearLayout(Parent),其他则是膨胀的运行时。

1 个答案:

答案 0 :(得分:0)

您应该可以简单地将v转换为LinearLayout,然后像访问其父级一样访问其子级。类似的东西:

for (int x=0; x<ll.getChildCount(); x++){
  View v = ll.getChildAt(x);
  Class c = v.getClass();
  if(c == LinearLayout.class){
    //Cast to LinearLayout since View doesn't expose a way to access children
    LinearLayout innerLayout = (LinearLayout)v;
    for(int y=0; y<innerLayout.getChildCount() ; y++){
      Button b = (Button)innerLayout.getChildAt(y);

      //Do something with b
    }
  }
 Log.i("test", c.getName());
}


根据您的确切层次结构,您可以通过删除反射并简单地执行空检查来简化此操作(如果需要,将其包装在try / catch中并捕获ClassCastException)。在我需要遍历动态生成的布局树的情况下,我通常会做类似的事情:

for (int i = 0; i < outerLayout.getChildCount(); ++i)
{
    try
    {
        LinearLayout innerLayout = (LinearLayout)outerLayout.getChildAt(i);

        if (innerLayout != null)
        {
            for (int j = 0; j < innerLayout.getChildCount(); ++j)
            {
                Button btn = (Button)innerLayout.getChildAt(j);

                //Do something with btn
            }
        }
    }
    catch (ClassCastException cEx)
    {
        Log.w("WARN", "Unexpected child type in outerLayout. " + cEx.getMessage());
    }
}

这是一个未经测试的示例(可能需要更好的异常处理,具体取决于您的要求和布局),但希望它能为您提供一般的想法。如果你想要更多类型不可知,你也可以使用强制转换为ViewGroup。这将允许您根据需要使用不同类型的布局容器作为子容器,因为它们是ViewGroup的子类(这是他们继承getChildAt()getChildCount()的地方)。