1

好的,所以我环顾四周,我想我可能会做错事。我在大学选修过 C++ 课程,我喜欢修补,但我仍在学习 Java。

所以我使用 ListAdapter 来放置用户可以从中选择的不同片段的列表,然后他们选择的片段位于 ListAdapter 所在的位置。它只需要数组,没什么大不了的。

/**
 * An array of POJOs used to hold the info about the fragments we'll be
 * swapping between This should be inserted into an array adapter of some
 * sort before being passed onto ListAdapter
 */
private static final FragmentDetails[] FRAGMENT_DETAILS = {
        new FragmentDetails(R.string.action_extraInfo,
                R.string.extraInfo_description,
                ExtraInfoFragment.class),
        new FragmentDetails(R.string.action_largeTach,
                R.string.largeTach_description, 
                LargeTachFragment.class),
                ...
            };
/**
 * @author PyleC1
 * 
 *         A POJO that holds a class object and its resource info
 */
public static class FragmentDetails {
    private final Class<? extends Fragment> fragmentClass;
    private int titleId;
    private int descriptionId;
/**
     * @param titleId
     *            The resource ID of the string for the title
     * @param descriptionId
     *            The resource ID of the string for the description
     * @param fragmentClass
     *            The fragment's class associated with this list position
     */
    FragmentDetails(int titleId, int descriptionId,
            Class<? extends Fragment> fragmentClass) {
            super();
        this.titleId = titleId;
        this.descriptionId = descriptionId;
        this.fragmentClass = fragmentClass;
    }

    ...
}

无论如何,我通过一个名为 CustomArrayAdapter 的简单 get/set 类来运行它,并在附加片段时将其发送到 ListAdapter。

public void onAttach(Activity activity) {
    super.onAttach(activity);

    ListAdapter listAdapter = new CustomArrayAdapter(getActivity(),
        FRAGMENT_DETAILS);
    setListAdapter(listAdapter);

}

到目前为止,一切都很好。当我尝试对 onListItemClick 侦听器进行编程时,问题就出现了。我似乎找不到从类信息中创建真实对象的方法。我环顾四周,发现 .getClass().newInstance() 函数应该与 new 大致相似,所以我尝试了这个。

public void onListItemClick(ListView l, View v, int position, long id) {
    FragmentDetails details = (FragmentDetails) getListAdapter().getItem(position);

        FragmentManager fragmentManager = ...
        FragmentTransaction fragmentTransaction = ...

        fragmentTransaction.add(R.id.fragment_container, 
                                details.fragmentClass.newInstance());
}

这样做会在编译器中引发非法访问异常。我知道类似的东西在 C++ 中是可以接受的。也许是一个类指针?但这可能是 Java 中完全错误的方式。也许不是类型安全的?

我唯一的另一个想法是删除

Class<? extends Fragment> fragmentClass

来自数组的泛型,只使用 switch 语句(可能来自标题 id)来硬编码片段事务,尽管这看起来有点不雅。如果你想启动新的活动,它工作得很好,你可以像这样将泛型类传递给意图:

Class<? extends Foo> bar = someFooClass.getClass();
new Intent(this, bar);

但是片段不接受这一点。

4

1 回答 1

1

根据文档

IllegalAccessException - if the class or its nullary constructor is not accessible.

所以如果你想使用反射来实例化你的片段,所有可能的类都<? extends Fragment>需要提供一个public无参数的构造函数。

于 2013-07-02T16:08:26.003 回答