我有这个布局。

<data>
    <import type="android.view.View" />
    <variable
        name="shouldBeVisible"
        type="java.lang.Boolean" />
</data>

<LinearLayout
    android:layout_width="match_parent"
    android:layout_height="wrap_content">

    <CheckBox
        android:id="@+id/checkbox"
        android:layout_width="wrap_content"
        android:layout_height="wrap_content"
        android:checked="@={shouldBeVisible}" />

    <LinearLayout
        android:layout_width="40dp"
        android:layout_height="30dp"
        android:background="#dd0"
        android:visibility="@{shouldBeVisible ? View.VISIBLE : View.GONE}" />

</LinearLayout>
shouldBeVisible默认为false。 有没有办法使shouldBeVisible为真? 我想在这种情况下使LinearLayout可见。

到目前为止,我正在使用binding.shouldBeVisible=true

最佳答案

要解决该错误,您可以使用以下几种方法:
1)您可以将原始 bool 类型与反向逻辑一起使用(shouldBeVisible-> shouldBeHidden)

<variable name="shouldBeHidden" type="boolean" />

<LinearLayout
    android:layout_width="40dp"
    android:layout_height="30dp"
    android:background="#dd0"
    android:visibility="@{shouldBeHidden ? View.GONE : View.VISIBLE}" />

2)第二种方法是使用装箱的 bool 类型(如您现在所述)并在表达式中设置默认值
<LinearLayout
    android:layout_width="40dp"
    android:layout_height="30dp"
    android:background="#dd0"
    android:visibility="@{(shouldBeVisible ?? true) ? View.VISIBLE : View.GONE}" />

3)第三种方式-在绑定(bind)膨胀后手动进行设置(就像您现在已经做过的那样)
binding.shouldBeVisible=true

4)在数据绑定(bind)值中使用默认关键字
<LinearLayout
    android:layout_width="40dp"
    android:layout_height="30dp"
    android:background="#dd0"
    android:visibility="@{shouldBeVisible ? View.VISIBLE : View.GONE, default=View.GONE}" />

选择最适合您需求的一种。

10-08 15:06