27

カスタムビューでデータバインディングを使用しようとしています (George Mount がここで示した可能な使用法)。

<merge>タグなしで複合ビューを構築することは想像できません。ただし、この状況ではデータバインディングは失敗します。

MyCompoundViewクラス:

public class MyCompoundView extends RelativeLayout {

MyCompoundViewBinding binding;

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

private void init(Context context){
    LayoutInflater inflater = (LayoutInflater) context.getSystemService(Context.LAYOUT_INFLATER_SERVICE);
    binding = MyCompoundViewBinding.inflate(inflater, this, true);
}

my_compound_view.xml: byapp:isGone="@{!data.isViewVisible}"複合ビュー全体の可視性を制御したかった

<?xml version="1.0" encoding="utf-8"?>

<layout
    xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    >

    <data>
        <variable name="data" type="com.example.MyViewModel"/>
    </data>

    <merge
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        app:isGone="@{!data.isViewVisible}">

        <ImageView
            android:id="@+id/image_image"
            android:layout_width="60dp"
            android:layout_height="60dp"
            app:imageUrl="@{data.imagePhotoUrl}"/>

         <!-- tons of other views-->

    </merge>

</layout>

コンパイラ エラー:

Error:(13) No resource identifier found for attribute 'isGone' in package 'com.example'
Error:(17, 21) No resource type specified (at 'isGone' with value '@{!data.isViewVisible}').

私はすべての必要な@BindingAdapter方法を持っています。今、私はからビューを継承し、代わりにFrameLayout使用します-そしてそれは機能します。しかし、ネストされたレイアウトが余分にあります。<RelativeLayout><merge>

質問: merge属性は無視されます。それを回避する方法はありますか?

Android Studio 1.5.1 安定版

Gradle プラグインcom.android.tools.build:gradle:1.5.0

4

2 に答える 2

17

インフレーション後はマージ オブジェクトがないため、マージ タグで値を割り当てるものはありません。マージで機能するバインド タグは考えられません。

タグをルート要素に割り当て、BindingAdapter を使用して必要なことを行うことができます。

<layout
    xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:app="http://schemas.android.com/apk/res-auto"
    >

    <data>
        <variable name="data" type="com.example.MyViewModel"/>
    </data>

    <merge
        android:layout_width="wrap_content"
        android:layout_height="wrap_content">
        <ImageView
            app:isGone="@{!data.isViewVisible}"
            android:id="@+id/image_image"
            android:layout_width="60dp"
            android:layout_height="60dp"
            app:imageUrl="@{data.imagePhotoUrl}"/>
         <!-- tons of other views-->
    </merge>
</layout>

Binding クラス自体で何かをしたい場合は、DataBindingUtil を使用してビューからオブジェクトを見つけることができます。

@BindingAdapter("isGone")
public static void setGone(View view, boolean isGone) {
    ViewDataBinding binding = DataBindingUtil.findBinding(view);
    //... do what you want with the binding.
}
于 2016-02-24T06:25:57.743 に答える