有3种方法可以解决此问题:
- 如何以声明方式调整进度条颜色
- 如何以编程方式调整进度条颜色,但是要从编译前声明的各种预定颜色中选择颜色
- 如何以编程方式调整进度条颜色,以及如何以编程方式创建颜色。
特别是在#2和#3周围有很多困惑,如对amfcosta答案的评论所示。只要您想将进度栏设置为除原色以外的任何时间,该答案都将产生无法预测的颜色结果,因为它仅修改背景颜色,并且实际的进度条“剪辑”区域仍将是具有降低不透明度的黄色覆盖。例如,使用该方法将背景设置为深紫色将导致进度条“剪辑”颜色有些疯狂的粉红色,这是由于暗紫色和黄色通过减少的alpha混合而产生的。
因此,无论如何,Ryan完美地回答了#1,而Štarke回答了第3个问题的大部分答案,但是对于那些寻求针对#2和#3的完整解决方案的人来说:
如何以编程方式调整进度条颜色,但从XML声明的预定颜色中选择颜色
res / drawable / my_progressbar.xml:
创建此文件,但更改my_progress和my_secondsProgress中的颜色:
(注意:这只是定义默认android SDK ProgressBar的实际XML文件的副本,但我更改了ID和颜色。原始名称为progress_horizontal)
<?xml version="1.0" encoding="utf-8"?>
<layer-list xmlns:android="http://schemas.android.com/apk/res/android">
<item android:id="@+id/my_progress_background">
<shape>
<corners android:radius="5dip" />
<gradient
android:startColor="#ff9d9e9d"
android:centerColor="#ff5a5d5a"
android:centerY="0.75"
android:endColor="#ff747674"
android:angle="270"
/>
</shape>
</item>
<item android:id="@+id/my_secondaryProgress">
<clip>
<shape>
<corners android:radius="5dip" />
<gradient
android:startColor="#80ff171d"
android:centerColor="#80ff1315"
android:centerY="0.75"
android:endColor="#a0ff0208"
android:angle="270"
/>
</shape>
</clip>
</item>
<item android:id="@+id/my_progress">
<clip>
<shape>
<corners android:radius="5dip" />
<gradient
android:startColor="#7d2afdff"
android:centerColor="#ff2afdff"
android:centerY="0.75"
android:endColor="#ff22b9ba"
android:angle="270"
/>
</shape>
</clip>
</item>
在您的Java中:
final Drawable drawable;
int sdk = android.os.Build.VERSION.SDK_INT;
if(sdk < 16) {
drawable = ctx.getResources().getDrawable(R.drawable.my_progressbar);
} else {
drawable = ContextCompat.getDrawable(ctx, R.drawable.my_progressbar);
}
progressBar.setProgressDrawable(drawable)
如何以编程方式调整进度条颜色,以及如何以编程方式创建颜色
编辑:我发现时间来解决此问题。我以前的回答使这一点有些含糊。
ProgressBar由LayerDrawable中的3个Drawable组成。
- 第1层是背景
- 第2层是次要进度色
- 第3层是主要的进度条颜色
在下面的示例中,我将主进度条的颜色更改为青色。
//Create new ClipDrawable to replace the old one
float pxCornerRadius = viewUtils.convertDpToPixel(5);
final float[] roundedCorners = new float[] { pxCornerRadius, pxCornerRadius, pxCornerRadius, pxCornerRadius, pxCornerRadius, pxCornerRadius, pxCornerRadius, pxCornerRadius };
ShapeDrawable shpDrawable = new ShapeDrawable(new RoundRectShape(roundedCorners, null, null));
shpDrawable.getPaint().setColor(Color.CYAN);
final ClipDrawable newProgressClip = new ClipDrawable(shpDrawable, Gravity.LEFT, ClipDrawable.HORIZONTAL);
//Replace the existing ClipDrawable with this new one
final LayerDrawable layers = (LayerDrawable) progressBar.getProgressDrawable();
layers.setDrawableByLayerId(R.id.my_progress, newProgressClip);
该示例将其设置为纯色。您可以通过替换将其设置为渐变颜色
shpDrawable.getPaint().setColor(Color.CYAN);
与
Shader shader = new LinearGradient(0, 0, 0, progressBar.getHeight(), Color.WHITE, Color.BLACK, Shader.TileMode.CLAMP);
shpDrawable.getPaint().setShader(shader);
干杯。
-槊