简介:
我有一个线性布局,它包含两个子线性布局,如下所示:

<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    android:id="@+id/dual_pane"
    android:layout_width="fill_parent"
    android:layout_height="fill_parent"
    android:orientation="horizontal"
    android:weightSum="1.0">

    <!-- Screen 1 -->
    <LinearLayout
        android:layout_width="0dp"
        android:layout_height="match_parent"
        android:background="#ff0000"
        android:layout_weight="1">
    </LinearLayout>

    <!-- Screen 2 -->
    <LinearLayout
        android:layout_width="0dp"
        android:layout_height="match_parent"
        android:background="#ff6600"
        android:layout_weight="1">
    </LinearLayout>
</LinearLayout>

最初,我想“屏幕1”采取所有屏幕宽度可用。因此,我的r.id.dual_窗格的weightsum属性为1.0。这个很好用!如果weightsum=1.0,屏幕1占据整个屏幕!
加载一些资源后,我将r.id.dual_窗格weightsum更改为2.0,这将导致屏幕1和屏幕2的宽度都减少50%。这也很完美。当weightsum=2.0时,两个屏幕都占宽度的50%。
问题:
我想设置weightsum属性的动画,所以我的屏幕2将滑入。
我的目标是蜂巢,所以minsdk版本是11,我想,使用新的objectanimator框架,我可以很容易地动画这个属性,以获得良好的平滑效果。我验证了linearlayout确实有getweightsum()和setweightsum()方法(我认为这是使用objectanimator所必需的)。
自己的努力:
下面是使用objectanimator显示和隐藏screen2的代码:
private void showScreen2()
{
    //Not-animated will work...
    //mDualPane.setWeightSum(2.0f);

    // Now try to animate the weightSum
    float ws = mDualPane.getWeightSum();
    ObjectAnimator anim = ObjectAnimator.ofFloat(mDualPane, "weightSum", ws, 2.0f);
    anim.setDuration(5000);
    anim.start();
}

private void hideScreen2()
{
    //Not-animated will work...
    //mDualPane.setWeightSum(1.0f);

    // Now try to animate the weightSum
    float ws = mDualPane.getWeightSum();
    ObjectAnimator anim = ObjectAnimator.ofFloat(mDualPane, "weightSum", ws, 1.0f);
    anim.setDuration(5000);
    anim.start();
}

这里,我的mdualpane是我的根线布局…
问题:
当我调用这些函数时,什么都不会发生。屏幕保持原样。
我需要在mdualpane的某个地方调用requestLayout()吗?我是不是缺少一些关于objectanimator的知识?或者无法设置weightsum属性的动画?
也:
1)我不想弄乱硬编码的宽度,并制作动画。现在我想要两个屏幕都是50-50,但我以后可能会改变。无论如何,我需要能够设置两个宽度之间的特定比率。
2)我研究了布局转换和切换可见性,但没有效果

最佳答案

我是对的,我需要自己更新布局:

float ws = mDualPane.getWeightSum();
ObjectAnimator anim = ObjectAnimator.ofFloat(mDualPane, "weightSum", ws, 2.0f);
anim.setDuration(5000);
anim.addUpdateListener(this);
anim.start();

现在,我向objectanimator添加了一个updateListener,它由我的活动实现并更新布局:
@Override
public void onAnimationUpdate(ValueAnimator animation) {
    mDualPane.requestLayout();
}

我觉得很奇怪,objectanimator并没有调用它本身,但无论如何,这是如何让它工作的。
在我看来,这个解决方案特别好,因为你可以很好地动画布局滑入,独立于屏幕大小…

07-27 17:22