4

将 320*50 视图扩展到全屏时遇到了问题。

如果我直接展开它,它可以工作,但动作非常突然,我认为这不是一个好的用户体验。所以我先隐藏视图,然后展开它,两秒钟后,再次显示视图。

TextView.setVisibility(VIEW.INVISIBLE);
ViewGroup.LayoutParams lp = TextView.getLayoutParams();
lp.width = ViewGroup.LayoutParams.FILL_PARENT;
lp.height = ViewGroup.LayoutParams.FILL_PARENT;

//after two seconds
handler.postDelay(new Show(),2000);

class Show implements Runnable{
   @Override
public void run(){
       TextView.setVisibility(VIEW.VISIBLE);
   }
}

所以我留了两秒钟让应用程序展开视图。然后两秒钟后视图将再次显示。我预计视图在显示时会扩展到全屏。但实际上,并没有。视图在显示后而不是在隐藏的两秒钟内执行展开操作。

4

2 回答 2

3
  1. 添加android:animateLayoutChanges="true"到您的ViewGroup.
  2. 用于setVisibility()控制目标 View的可见性。
  3. 如果您的目标View下方还有其他代码,请在之前添加到您的外部代码和以下代码: Viewandroid:animateLayoutChanges="true" ViewGroupsetVisibility()

    LayoutTransition layoutTransition = rootLinearLayout.getLayoutTransition();
    layoutTransition.enableTransitionType(LayoutTransition.CHANGING);
    
于 2020-01-09T19:54:30.167 回答
0

我知道现在回答这个问题真的太晚了,但我只会告诉我选择为有需要的人动画布局更改的方式。

Android 有一个特殊的 Animation 类ScaleAnimation,我们可以在其中平滑地展开或折叠视图。

通过对角线展开显示视图:

ScaleAnimation expand = new ScaleAnimation(
   0, 1.0f,
   0, 1.0f,
Animation.RELATIVE_TO_PARENT, 0,
Animation.RELATIVE_TO_PARENT, 0);
expand.setDuration(250);

view.startAnimation(expand)

使用的构造函数是:

ScaleAnimation(float fromX, float toX, float fromY, float toY, int pivotXType, float pivotXValue, int pivotYType, float pivotYValue)

因此,您可以相应地更改值。

例如,下面的示例将水平动画视图:

ScaleAnimation expand = new ScaleAnimation(
   0, 1.1f,
   1f, 1f,
   Animation.RELATIVE_TO_PARENT, 0,
   Animation.RELATIVE_TO_PARENT, 0);
expand.setDuration(250);

您可以根据需要更改fromX, toX, fromY& 。toY

例如,如果显示视图并且您必须将其展开,则根据需要将fromXand放置fromY1.0f, and 。toXtoY

现在,使用同一个类,您可以通过稍微扩展视图然后将其缩小到原始大小来创建更酷的显示视图效果。为此,AnimationSet将使用。所以它会产生一种泡沫效应。

下面的示例用于创建气泡效果以显示视图:

AnimationSet expandAndShrink = new AnimationSet(true);
ScaleAnimation expand = new ScaleAnimation(
   0, 1.1f,
   0, 1.1f,
Animation.RELATIVE_TO_PARENT, 0,
Animation.RELATIVE_TO_PARENT, 0);
expand.setDuration(250);

ScaleAnimation shrink = new ScaleAnimation(
   1.1f, 1f,
   1.1f, 1f,
Animation.RELATIVE_TO_PARENT, 0,
Animation.RELATIVE_TO_PARENT, 0);
shrink.setStartOffset(250);
shrink.setDuration(120);

expandAndShrink.addAnimation(expand);
expandAndShrink.addAnimation(shrink);
expandAndShrink.setFillAfter(true);
expandAndShrink.setInterpolator(new AccelerateInterpolator(1.0f));

view.startAnimation(expandAndShrink);
于 2019-03-07T15:59:27.900 回答