我开始使用 ConstraintLayout 中的"new"约束选项,即 圆约束

我想以编程方式应用 layout_constraintCircleRadius 属性的值,一旦我将以编程方式计算 View 的半径。

我尝试了许多不同的方法使用

public void constrainCircle (int viewId,int id,int radius,float angle)

document 中描述的方法。

我也在很多论坛上搜索过,但我找不到任何东西。有没有人遇到过这样的问题?

<android.support.constraint.ConstraintLayout
    android:id="@+id/circle_constraint"
    android:layout_width="0dp"
    android:layout_height="0dp"
    app:layout_constraintTop_toTopOf="parent"
    app:layout_constraintStart_toStartOf="parent"
    app:layout_constraintEnd_toEndOf="parent"
    app:layout_constraintWidth_percent="0.8"
    app:layout_constraintDimensionRatio="W,1:1"
    android:background="@drawable/circle">

    <View
        android:id="@+id/circle_center"
        android:layout_width="20dp"
        android:layout_height="20dp"
        app:layout_constraintTop_toTopOf="parent"
        app:layout_constraintBottom_toBottomOf="parent"
        app:layout_constraintStart_toStartOf="parent"
        app:layout_constraintEnd_toEndOf="parent"
        android:background="#ff0000"/>

    <View
        android:id="@+id/circle_position_0"
        android:layout_width="30dp"
        android:layout_height="27dp"
        android:background="#000000"
        app:layout_constraintCircle="@id/circle_center"/>
</android.support.constraint.ConstraintLayout>

circle_center 将停留在主约束 View 的中间,我想以编程方式将半径和角度应用于 circle_position_0。

谢谢你!

最佳答案

如果您想更改 circleRadius 一次而不是从 View 中获取 ConstraintLayout.LayoutParams 并设置您的 circleRadius 属性值。最后将 LayoutParams 应用于 View 。

示例代码:

    ConstraintLayout.LayoutParams layoutParams = (ConstraintLayout.LayoutParams) fab1.getLayoutParams();
    layoutParams.circleRadius = 300;
    fab1.setLayoutParams(layoutParams);

如果要为 circleRadius 设置动画,可以使用 ValueAnimator 进行动画处理。在 onAnimationUpdate 方法中,将新的 circleRadius 应用于 ConstraintLayout.LayoutParams

示例代码:
  private ValueAnimator getAnimator(final FloatingActionButton fab, long duration) {


    ValueAnimator anim = ValueAnimator.ofInt(150, 300);
    anim.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() {
        @Override
        public void onAnimationUpdate(ValueAnimator valueAnimator) {
            int val = (Integer) valueAnimator.getAnimatedValue();
            ConstraintLayout.LayoutParams layoutParams = (ConstraintLayout.LayoutParams) fab.getLayoutParams();
            layoutParams.circleRadius = val;
            fab.setLayoutParams(layoutParams);
        }
    });
    anim.setDuration(duration);
    anim.setInterpolator(new LinearInterpolator());
    anim.setRepeatMode(ValueAnimator.REVERSE);
    anim.setRepeatCount(ValueAnimator.INFINITE);

    return anim;
}



 ValueAnimator valueAnimator1 = getAnimator(fab1, 1000);
 valueAnimator1.start();

10-06 03:28