嗨,大家好我想要一个高度为30%屏幕的imageview我应该怎么做?这是我的代码,但它不工作当我更改constraintLayout高度以匹配父它占用所有屏幕,当我将它设置为wrap_content现在我什么都没有在屏幕上 这是我的代码:
<?xml version="1.0" encoding="utf-8"?>
<android.support.constraint.ConstraintLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:app="http://schemas.android.com/apk/res-auto"
android:layout_width="match_parent"
android:layout_height="wrap_content">
<android.support.v7.widget.AppCompatImageView
android:layout_width="match_parent"
android:layout_height="0dp"
app:layout_constraintBottom_toTopOf="@+id/guideline1"
app:layout_constraintTop_toTopOf="parent"
app:srcCompat="@drawable/pic" />
<android.support.constraint.Guideline
android:id="@+id/guideline1"
android:layout_width="wrap_content"
android:layout_height="wrap_content"
android:orientation="horizontal"
app:layout_constraintGuide_percent="0.25"/>
</android.support.constraint.ConstraintLayout>
答案 0 :(得分:0)
我认为您提供的XML适用于RecyclerView
中的每个项目,并且您希望每个项目占据RecyclerView
高度的1/3。在适配器的RecyclerView
中创建了onCreateViewHolder()
项,通常只考虑其自己的内容并膨胀到保存其内容所需的大小。
您希望强制要求RecyclerView
项必须占据RecyclerView
高度的1/3。没有办法在XML中执行此操作,因此您将不得不求助于代码。
我认为这很容易,但它有点牵扯,但请耐心等待。
您需要确定RecyclerView
的高度,以便计算该值的1/3作为每个项目的高度。不幸的是,正如我所发现的那样,RecyclerView
的高度在创建视图持有者之前不会确定。所以,我们陷入了困境:我们需要RecyclerView
的高度来构建视图持有者,但必须构建视图持有者以确定RecyclerView
的高度。
要解决此问题,我们会将RecyclerView
的高度设置为match_parent
。这将使RecyclerView
与其父级一样高。如果完全测量RecyclerView
之前的父级,我们可以获得高度。我们将使用全局布局侦听器来捕获父级的高度。此代码应在创建RecyclerView
(此处为mRecyclerView
)之后且在设置适配器之前执行。在我的测试套件中,我定义了活动的离子onCreate()
。
mRecyclerView.getViewTreeObserver().addOnGlobalLayoutListener(new ViewTreeObserver.OnGlobalLayoutListener() {
@Override
public void onGlobalLayout() {
// Remove the listener so we don't get called again.
mRecyclerView.getViewTreeObserver().removeOnGlobalLayoutListener(this);
// Capture the height of the parent view group.
int height = ((ViewGroup) mRecyclerView.getParent()).getHeight();
// And let the adapter know the height.
adapter.setItemHeight(height);
// Now that we know the height of the RecyclerView and its items, we
// can set the adapter so the items can be created with the proper height.
mRecyclerView.setAdapter(adapter);
}
});
将setItemHeight()
添加到适配器以捕获项目高度。
private int mItemHeight;
public void setItemHeight(int parentHeight) {
mItemHeight = parentHeight / 3;
}
最后,我们可以使用项目高度来创建项目:
@Override
public ItemHolder onCreateViewHolder(ViewGroup parent, int viewType) {
View view = LayoutInflater.from(parent.getContext()).inflate(R.layout.list_item, parent, false);
view.getLayoutParams().height = mItemHeight;
return new ItemHolder(view);
}
如果RecyclerView
有填充,边距或装饰,您可能需要调整项目的高度。