自定义viewGroup内部的自定义 View 不可见,如何显示它?
还是有更好的方法来做到这一点?

没有编译或运行时错误,但 View 未显示在viewGroup中,它应该像其他 View 一样用颜色填充该区域,但是它是白色的,并且该 View 的颜色未显示在CustomLayout内部

xml代码,前两个 View 显示没有问题,但是嵌套在CustomLayout中的第三个 View 没有显示,只是白色区域,内部 View 不可见

CustomViewOne是一个单独的类文件,CustomViewTwo和CustomViewThree都作为静态内部类嵌套在MainActivity类中,而CustomLayout是一个单独的文件

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:tools="http://schemas.android.com/tools"
android:layout_width="match_parent"
android:layout_height="match_parent"
android:orientation="vertical"
tools:context=".MainActivity" >

<com.example.customviewexample.CustomViewOne
    android:layout_width="100dp"
    android:layout_height="50dp" />

<view
    class="com.example.customviewexample.MainActivity$CustomViewTwo"
    android:layout_width="100dp"
    android:layout_height="50dp" />

<com.example.customviewexample.CustomLayout
    android:layout_width="100dp"
    android:layout_height="50dp">

    <view
        class="com.example.customviewexample.MainActivity$CustomViewThree"
           android:layout_width="match_parent"
           android:layout_height="match_parent" />

</com.example.customviewexample.CustomLayout>

</LinearLayout>

这是CustomViewThree的代码,就像其他自定义View一样简单,它只是用颜色填充区域,它嵌套在MainActivity内部,因此您必须使用MainActivity $ CustomViewThree来访问它。
public static class CustomViewThree extends View {

public CustomViewThree(Context context) {
    super(context);

}

public CustomViewThree(Context context, AttributeSet attrs) {
    super(context, attrs);

}

public CustomViewThree(Context context, AttributeSet attrs, int defStyleAttr) {
    super(context, attrs, defStyleAttr);

}

@Override
protected void onDraw(Canvas canvas) {

    super.onDraw(canvas);

    canvas.drawColor(Color.GREEN);
}

}

这是CustomLayout类的代码
public class CustomLayout extends FrameLayout {

public CustomLayout(Context context) {
    super(context);
   init(context);
}

public CustomLayout(Context context, AttributeSet attrs) {
    super(context, attrs);
   init(context);
}

public CustomLayout(Context context, AttributeSet attrs, int defStyle) {
    super(context, attrs, defStyle);
   init(context);
}

public void init(Context context) {

}

@Override
protected void onLayout(boolean changed, int l, int t, int r, int b) {

}

}

最佳答案



您的包裹 child 的父CustomLayout具有一个空的onLayout()方法,该方法使 child 不出现。此方法在ViewGroup中很重要,因为该小部件使用它来将其子代放置在其中。因此,您需要为此方法提供一个实现以放置子项(通过在每个具有适当位置的子项上调用layout()方法)。随着CustomLayout扩展FrameLayout的扩展,您可以调用super方法以使用FrameLayout的实现,甚至更好地删除重写的方法(有实现它的理由吗?)。

09-27 04:06