我正在尝试创建一个带有圆角(和选择的背景颜色)的 View ,我可以使用不同的背景颜色重复使用它;很难解释,所以这是我的代码:
/app/src/com/packagename/whatever/CustomDrawableView.java
package com.packagename.whatever;
import android.content.Context;
import android.content.res.TypedArray;
import android.graphics.Canvas;
import android.graphics.drawable.PaintDrawable;
import android.util.AttributeSet;
import android.view.View;
public class CustomDrawableView extends View {
private PaintDrawable mDrawable;
int radius;
private void init(AttributeSet attrs) {
TypedArray a = getContext().obtainStyledAttributes(attrs,R.styleable.RoundedRect);
radius = a.getInteger(R.styleable.RoundedRect_radius, 0);
}
public CustomDrawableView(Context context, AttributeSet attrs) {
super(context, attrs);
init(attrs);
mDrawable = new PaintDrawable();
}
protected void onDraw(Canvas canvas) {
mDrawable.setCornerRadius(radius);
mDrawable.draw(canvas);
}
}
这是用于显示自定义组件的 XML:
/app/res/layout/test.xml
<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
xmlns:ny="http://schemas.android.com/apk/res/com.packagename.whatever"
android:layout_width="fill_parent"
android:layout_height="fill_parent"
android:background="#ffffff"
android:padding="10dp">
<com.packagename.whatever.CustomDrawableView
android:id="@+id/custom"
android:layout_width="200dp"
android:layout_height="200dp"
android:background="#b80010"
ny:radius="50"
/>
</LinearLayout>
我希望红色框有 50 像素的圆角,但正如您所见,它没有:
这个想法是我可以轻松地更改 XML 中的背景颜色,并自动拥有一个漂亮的圆角 View ,而无需创建多个可绘制对象。
谢谢您的帮助!
最佳答案
您需要将拐角半径和颜色设置为背景可绘制对象。
这是一种可行的方法。抓取您在android:background中设置的颜色,然后使用它来创建一个新的可绘制对象,将该对象设置为构造函数中的背景。只要您仅将android:background设置为颜色值,它就会起作用。
public CustomDrawableView(Context context, AttributeSet attrs) {
super(context, attrs);
init(attrs);
// pull out the background color
int color = attrs.getAttributeIntValue("http://schemas.android.com/apk/res/android", "background", 0xffffffff);
// create a new background drawable, set the color and radius and set it in place
mDrawable = new PaintDrawable();
mDrawable.getPaint().setColor(color);
mDrawable.setCornerRadius(radius);
setBackgroundDrawable(mDrawable);
}
如果覆盖onDraw,请确保先调用super.onDraw(canvas)以绘制背景。
关于带有/圆角的 Android 自定义组件 View ,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/5826841/