RecyclerView的item的宽高问题
在创建viewholder传入的View时,如果不指定其viewgroup,就会出现宽高只包裹显示内容的问题。
View view = LayoutInflater.from(context).inflate(R.layout.test_test,null);
上面的做法就会出问题
改成这样就可以正常显示设置的宽高
View view = LayoutInflater.from(context).inflate(R.layout.test_test,parent,false);
那么还是有一个问题。
假如我的view是在adapter创建之前创建的,也就是说我的view是从外边传进来的,不是在onCreateViewHolder方法中创建。这样就无法设置parent。遇到这种情况又要怎么处理呢?
我也只找了很多方法,比如在onCreateViewHolder方法中parent.addView()也没用。
在网上查了很多帖子都是一些扯淡的话,无奈之下我只好查看源码,没想到正好发现解决办法的关键。
看过源码就知道原来我们要传的parent这个参数就是这个recyclerview。



从这里发现原来我们用到的parent就是RecyclerView.this。
这就说明只要在创建view之前有recyclerview,那么即便是在adapter之前创建view也能让这个view在recyclerview中正常显示

附加内容:另类解决item的宽高问题
附加时间 2017-8-30
上面的内容是我挺早前写的,现在遇到新的情况所以补充一下。上面我们说了,如果在创建item时不指定parent,最后展示的效果是会包裹内容。
比如:
<RelativeLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:padding="10dp">
<TextView
android:id="@+id/tv_test"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textSize="@dimen/text_size_15"
android:layout_centerInParent="true" />
</RelativeLayout>
这样的item布局,就算我设置TextView显示在中间,实际运行的时候会展示在左边,这个情况有点像RelativeLayout的viewgroup把里面的空气抽出来一样。
上面的解决方法是没问题的,创建时为这个布局设置parent。但是,有的时候你解耦把RecyclerView和item的耦合度降得很低,这是创建item布局要拿到RecyclerView这个parent很麻烦,这时怎么办?
其实你会发现,有时候不设置parent,Item的宽度也能填充整个父布局,为什么,因为这种情况下item的宽度本来就已经填充布局了,也就是说在宽度上已经没有“空气”了,所以再宽上不会被压缩。
按照这个原理,我们可以来个骚操作解决这个问题,那就是想办法让布局宽度填充,对RelativeLayout来说是件容易的事。
<RelativeLayout
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:padding="10dp">
<TextView
android:id="@+id/tv_test"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:textSize="@dimen/text_size_15"
android:layout_centerInParent="true" />
<TextView
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:layout_alignParentRight="true"
/>
</RelativeLayout>
这样写,展示的时候,第一个TextView的内容就能正常的展示到中间。