我是Android开发的新手。我一直在使用GridLayout来显示动态插入的ImageView。

我的问题位于“ onFocusWindowChanged”中,但是我将onCreate粘贴到了我分配图像的位置。

private List<Behavior> behaviors = null;
private static int NUM_OF_COLUMNS = 2;
private List<ImageView> images;
private GridLayout grid;

@Override
protected void onCreate(Bundle savedInstanceState) {

    super.onCreate(savedInstanceState);
    setContentView(R.layout.activity_behaviors);

    XMLPullParserHandler parser = new XMLPullParserHandler();

    try {
        behaviors = parser.parse(getAssets().open("catagories.xml"));
    } catch (IOException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }

    grid = (GridLayout) findViewById(R.id.behaviorGrid);
    images = new ArrayList<ImageView>();

    grid.setColumnCount(NUM_OF_COLUMNS);
    grid.setRowCount(behaviors.size() / NUM_OF_COLUMNS);

    for (Behavior behavior : behaviors)
        images.add(this.getImageViewFromName(behavior.getName()));

}

@Override
public void onWindowFocusChanged(boolean hasFocus) {

    super.onWindowFocusChanged(hasFocus);
    View view = (View) findViewById(R.id.scrollView);

    int width = (int) (view.getWidth() * .45);
    Log.i("ViewWidth", Integer.toString(width));

    GridLayout.LayoutParams lp = new GridLayout.LayoutParams();
    lp.height = width;
    lp.width = width;

    int childCount = images.size();

    ImageView image;

    for (int i = 0; i < childCount-1; i++) {

        image = images.get(i);
        image.setLayoutParams(lp);
        grid.addView(image);

    }

}


根据我以前的经验,使用

grid.add(View);


工作正常,但现在我只能看到最后一个子显示。通过调试器,我可以看到gridview不仅填充了最后一个元素,还包含了最后一个imageview。

谢谢您的帮助

最佳答案

您应该为每个ImageView创建一个GridLayout.LayoutParams:

for (int i = 0; i < childCount-1; i++) {
    GridLayout.LayoutParams lp = new GridLayout.LayoutParams();
    lp.height = width;
    lp.width = width;

    ......
}


GridLayout.LayoutParams包含位置信息,例如[column:2,row:3]。在您的代码中,所有ImageView都设置了相同的GridLayout.LayoutParams,因此它们位于同一单元格中(彼此重叠)。

当改用LinearLayout.LayoutParams时,其中没有位置信息。 GridLayout将为每个子视图创建一个新的GridLayout.LayoutParams,因此所有ImageView都使用它们自己的不同GridLayout.LayoutParams和位置。

希望这个帮助。您可以阅读GridLayout.java和ViewGroup.java以获得更多详细信息。

关于android - Android GridLayout仅显示最后一个 child ,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/31815732/

10-12 22:35