2

所以我有一个 RecycleView,我要用 FirebaseRecyclerViewAdapter 填充。

我正在关注这个例子:https ://github.com/firebase/firebaseui-android#using-a-recyclerview

不过,我遇到了一个奇怪的错误:

java.lang.ClassCastException: android.support.v7.widget.AppCompatTextView 不能转换为 android.view.ViewGroup

这就是我在 onCreateView 中的内容:

RecyclerView recycler = (RecyclerView) mView.findViewById(R.id.rvTasks);
recycler.setLayoutManager(new LinearLayoutManager(getActivity()));

FirebaseRecyclerViewAdapter mAdapter = 
  new FirebaseRecyclerViewAdapter<Task, TaskViewHolder>(Task.class, android.R.layout.simple_list_item_1, TaskViewHolder.class, mRef) {
        @Override
        public void populateViewHolder(TaskViewHolder taskViewHolder, Task task) {
            taskViewHolder.taskText.setText(task.getText());
        }
};
recycler.setAdapter(mAdapter);

这是 ViewHolder:

私有静态类 TaskViewHolder 扩展 RecyclerView.ViewHolder { TextView taskText;

    public TaskViewHolder(View itemView) {
        super(itemView);
        taskText = (TextView)itemView.findViewById(android.R.id.text1);
    }
}

这是任务类:

public class Task {
  String author;
  String text;

  public Task() {
  }

  public Task(String author, String text) {
      this.author = author;
      this.text = text;
  }

  public String getAuthor() {
      return author;
  }

  public String getText() {
      return text;
  }
}

有任何想法吗?提前致谢!

4

1 回答 1

2

你真的应该在你的帖子上放置更多的错误。它会显示问题发生在哪里。但是,在查看他的来源后,我会尝试做出有根据的猜测FirebaseRecyclerViewAdapter

问题似乎与您传递给适配器的布局有关,android.R.layout.simple_list_item_1. 适配器需要一个由 的子类包装的布局,ViewGroup例如 a或一些其他类型的 Layout。是这样实现的:LinearLayoutFrameLayoutandroid.R.layout.simple_list_item_1

<TextView xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@android:id/text1"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:textAppearance="?android:attr/textAppearanceListItemSmall"
    android:gravity="center_vertical"
    android:paddingStart="?android:attr/listPreferredItemPaddingStart"
    android:paddingEnd="?android:attr/listPreferredItemPaddingEnd"
    android:minHeight="?android:attr/listPreferredItemHeightSmall" />

如您所见,TextView没有包裹在布局内。修复错误的最快方法是创建自己的布局,TextView内部FrameLayout如下:

<FrameLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="wrap_content">
    <TextView 
        android:id="@android:id/text1"
        android:layout_width="match_parent"
        android:layout_height="wrap_content"
        android:textAppearance="?android:attr/textAppearanceListItemSmall"
        android:gravity="center_vertical"
        android:paddingStart="?android:attr/listPreferredItemPaddingStart"
        android:paddingEnd="?android:attr/listPreferredItemPaddingEnd"
        android:minHeight="?android:attr/listPreferredItemHeightSmall" />
</FrameLayout>

然后,您将创建的布局传递给适配器。让我们调用它my_simple_list_item_1.xml,您可以将其作为R.layout.my_simple_list_item_1.

于 2015-11-17T16:37:31.467 回答