Reputation: 6669
Android canvas change color
I have an app with two views
<com.myexample.ui.view.BackgroundView
android:id="@+id/id_draw_canvas_classroom"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:layout_marginBottom="3dp"
android:layout_marginLeft="5dp"
android:layout_marginRight="5dp"
android:layout_marginTop="3dp"
android:layout_weight="1"
android:background="#FFFFFFFF" />
<com.myexample.ui.view.FrontView
android:id="@+id/id_draw_canvas_user"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:layout_marginBottom="3dp"
android:layout_marginLeft="5dp"
android:layout_marginRight="5dp"
android:layout_marginTop="3dp"
android:layout_weight="1"
android:background="#00000000" />
This views are overlapped, and during a period of time I load information in the view of the background. During that time I would like to set the FrontView in white, and then (when the background finish loading) turn to transparent.
In the FrontView I have a Canvas with a bitmap. Is working, and I am able to do this if I want to set the background in transparent
canvas.drawColor(0);
set the background in white
canvas.drawColor(-1);
But I am not able to change white for transparent.
Thank you
Upvotes: 14
Views: 46916
Reputation: 41
if you want to change the background color of Canvas try this:
canvas.drawColor(ContextCompat.getColor(getContext(), R.color.yourColor));
Upvotes: 4
Reputation: 6669
Is not what I wanted to achieve but is a workaround and maybe is helpful for somebody, I am putting in invisible the second canvas, and then when is ready, I put it visible back.
@Override
public void lock(String message) {
runOnUiThread(new Runnable() {
@Override
public void run() {
canvasFront.setReadyToDraw(false);
canvasBackground.setVisibility(View.INVISIBLE);
}
});
}
@Override
public void unlock() {
runOnUiThread(new Runnable() {
@Override
public void run() {
drawViewClassroom.setVisibility(View.VISIBLE);
canvasFront.setReadyToDraw(true);
}
});
}
Upvotes: 1
Reputation:
Try this:
/*
* A = Alpha a.k.a. transparency
* R = Red color
* G = Green color
* B = Blue color
*
* All of them have a range from 0 to 255
*/
canvas.drawARGB(0, 225, 225, 255);
Or, as @njzk2 stated, you can also use this one:
canvas.drawColor(Color.TRANSPARENT, PorterDuff.Mode.CLEAR);
But I think the first option is better because it is more precise for, as example, if you want to set it less transparent.
Upvotes: 24
Reputation: 2555
Create a paint
Paint myPaint = new Paint();
myPaint.setColor(res.getColor(R.color.white));
And set your canvas
canvas.draw...(... , myPaint);
Upvotes: 6