5

在我的应用程序中,我必须在ViewPager. 我使用了一个片段(例如StudentPageFragment),并编写了小部件初始化代码,onCreateView()如下所示:

public static Fragment newInstance(Context context) {
    StudentPageFragment f = new StudentPageFragment();
    return f;
}

public View onCreateView(LayoutInflater inflater, ViewGroup container,
        Bundle savedInstanceState) {
    ViewGroup root = (ViewGroup) inflater.inflate(R.layout.stud_list_page,
            null);
    // initialize all widgets here
    displayStudentDetails();
    return root;
}

protected void displayStudentDetails() {
    ArrayList<Student>studList = User.getStudentsList();
    if (studList != null) {
        int loc = (pageIndex * 3);
        for (int i = 0; i < 3; i++) {
            if (loc < studList.size()) {
                // populate data in view
            }
            loc++;
        }
    }
}

我维护了一个ArrayList<Student>包含所有学生对象的通用对象。

displayStudentDetails()方法中,我在那里填充了前 3 个 Student 对象。如果我们滑动下一页,相同的片段应该称为显示的下一个 3 个学生对象。

ViewPagerAdapter课堂上:

@Override
public Fragment getItem(int position) {
    Fragment f = new Fragment();
    f = StudentPageFragment.newInstance(_context);
    StudentPageFragment.setPageIndex(position);
    return f;
}

@Override
public int getCount() {
    return User.getPageCount();// this will give student list size divided by 3
}

现在我的问题是所有页面都包含前 3 个学生的详细信息。请给我最好的方法来做到这一点。

4

1 回答 1

3

现在我的问题是所有页面都包含前 3 个学生的详细信息。

如果发生这种情况,您的方法很可能只获取您一直看到的displayStudentDetails()前三个学生详细信息,并且没有考虑. 由于您没有发布该方法,因此我无法推荐解决方案。FragmentViewPager

我维护了一个包含所有学生对象的通用 ArrayList 对象。

您在哪里执行此操作以及如何存储该列表?

f = StudentPageFragment.newInstance(_context);

请不要将 传递Context给您的片段,因为Fragment该类通过您应该使用的方法对Context/进行了引用。ActivitygetActivity()

您应该像这样构建片段:

@Override
public Fragment getItem(int position) {
    return StudentPageFragment.newInstance(position);
}

newInstance()方法将在哪里:

public static Fragment newInstance(int position) {
      StudentPageFragment f = new StudentPageFragment();
      Bundle args = new Bundle();
      args.putInt("position", position);
      f.setArguments(args); 
      return f;
}

然后,您将检索position并在 中使用它Fragment

public View onCreateView(LayoutInflater inflater, ViewGroup container,
        Bundle savedInstanceState) {
    ViewGroup root = (ViewGroup) inflater.inflate(R.layout.stud_list_page,
            container, false);
    // initialize all widgets here        
    displayStudentDetails(getArguments().getInt("position"));
    return root;
}

displayStudentPosition你可以得到这样的值:

protected void displayStudentDetails(int position) {
        ArrayList<Student>studList = User.getStudentsList();
        if (studList != null) {
        for (int i = position; i < 3 && i < studList.size; i++) {
             // populate data
        } 
        } 
}
于 2013-03-04T05:46:17.880 回答