5

LinearLayout子ビューが見つからないため、(から派生した) カスタム ビューで null ポインター例外が発生します。コードは次のとおりです。

public class MyView extends LinearLayout
{
    public MyView(Context context, AttributeSet attrs)
    {
        this(context, attrs, 0);
    }

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

    private TextView mText;

    @Override
    protected void onFinishInflate()
    {
        super.onFinishInflate();
        mText = (TextView) findViewById(R.id.text);

        if (isInEditMode())
        {
            mText.setText("Some example text.");
        }
    }
}

レイアウトは次のmy_view.xmlとおりです ( )。

<?xml version="1.0" encoding="utf-8"?>
<com.example.views.MyView xmlns:android="http://schemas.android.com/apk/res/android"
    android:layout_width="match_parent"
    android:layout_height="wrap_content"
    android:orientation="horizontal" >

    <TextView
        android:id="@+id/text"
        android:layout_width="0dp"
        android:layout_height="match_parent"
        android:layout_weight="1"
        android:gravity="center"
        android:ellipsize="end"
        android:maxLines="4"
        android:paddingLeft="8dp"
        android:paddingRight="8dp"
        android:text="Some text" />

</com.example.views.MyView>

そして、これをXMLファイルに入れる方法は次のとおりです。

    <com.example.views.MyView
        android:id="@+id/my_view"
        android:layout_width="match_parent"
        android:layout_height="wrap_content" />

しかし、レイアウト エディターでプレビューしようとすると、NPE が返されるmText.setText(...)ため、NPE が発生します。getViewById()null

どうしたの?

明確化

これが機能することを期待する理由は、私がそうする場合です

MyView v = (MyView)inflater.inflate(R.layout.my_view);
((TextView)v.findViewById(R.id.text)).setText("Foo");

すべて正常に動作します。それは、レイアウト ファイルを通過するときにレイアウト インフレータが行うことではありませんか? いずれにせよ、(無意味なネストされたビューを取得せずに) 両方の状況を正しく処理するにはどうすればよいですか?

4

1 に答える 1

4

XML ファイルでは、カスタム ビュー クラス (com.example.views.MyView) を使用しようとしていると同時に、内部に TextView を追加しようとしています。不可能です。

変更する必要があるのは次のとおりです。

コードで XML ファイルを拡張する必要があります。

public MyView(Context context, AttributeSet attrs, int defStyle)
{
    super(context, attrs, defStyle);
    LayoutInflater.from(context).inflate(R.layout.<your_layout>.xml, this);
}

XML レイアウト ファイルを次のように変更します。

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
android:layout_width="match_parent"
android:layout_height="wrap_content"
android:orientation="horizontal" >

<TextView
    android:id="@+id/text"
    android:layout_width="0dp"
    android:layout_height="match_parent"
    android:layout_weight="1"
    android:gravity="center"
    android:ellipsize="end"
    android:maxLines="4"
    android:paddingLeft="8dp"
    android:paddingRight="8dp"
    android:text="Some text" />

</LinearLayout>
于 2012-10-29T14:06:09.543 に答える