Android開發之自定義UI組件詳解

Android開發自定義UI組件實現紅色小球跟隨手指移動

要寫實現自定義UI組件,要創建一個BallView類,繼承View類,在BallView類中創建畫筆,然後重寫OnDraw()方法和OnTouchEvent()方法。

/**
 * Created by nuist__NJUPT on 2021/5/9.
 * 自定義UI組件
 * View組件在佈局中是一個矩形的空白區域,沒有任何內容
 * 而UI組件之所以有內容,是因為繼承瞭View組件之後在其提供的空白區域上重新繪制外觀,這就是UI組件的實現原理
 * 利用UI組件的實現原理,可以開發出一些特殊的UI組件,
 * 這些自定義UI組件創建時需要定義一個繼承View類的子類
 * 然後重寫View類的一個或者多個方法
 *
 */

public class BallView extends View {

    public BallView(Context context) {   //重寫構造方法
        super(context);
    }

    public BallView(Context context, AttributeSet attrs) {   //重寫構造方法
        super(context, attrs);
    }

    //定義圓形的圓形坐標
    public float currentX = 60 ;
    public float currentY = 60 ;
    //創建畫筆
    Paint paint = new Paint() ;

    @Override
    protected void onDraw(Canvas canvas) {//重寫OnDraw()方法:當組件要繪制內容時候回調該方法
        super.onDraw(canvas);
        //設置畫筆的顏色為紅色
        paint.setColor(Color.RED);
        //畫一個圓心坐標為(60,60),半徑為20的圓形
        canvas.drawCircle(currentX,currentY,20,paint);
    }

    @Override
    public boolean onTouchEvent(MotionEvent event) { //重寫OnTouchEvent()方法:當觸摸屏幕時候回調該方法
        //得到觸摸後圓心坐標所在位置
        currentX = event.getX() ;
        currentY = event.getY() ;
        //通知當前組件繪制
        invalidate() ;
        return true ; //表明處理方法已經處理該事件
    }
}

在自定義組件完成後,需要在java代碼中把該組件添加到容器中,才能看到想要的效果。

代碼如下:

ublic class CodeUiActivity extends AppCompatActivity {

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_code_ui);

        LinearLayout rootView = (LinearLayout) findViewById(R.id.root_view);//實例化佈局對象
        BallView ballView = new BallView(this) ; //實例自定義的UI組件
        rootView.addView(ballView) ;//將自定義組件添加到容器中

    }
}

佈局文件需要設置佈局的id,需要在Java代碼中綁定。

XML文件如下:

<?xml version="1.0" encoding="utf-8"?>
<LinearLayout xmlns:android="http://schemas.android.com/apk/res/android"
    xmlns:tools="http://schemas.android.com/tools"
    android:layout_width="match_parent"
    android:layout_height="match_parent"
    android:orientation="vertical"
    android:id="@+id/root_view"
    tools:context="com.example.nuist__njupt.uidesign.CodeUiActivity">
</LinearLayout>

實現效果如下:

總結

到此這篇關於Android開發之自定義UI組件的文章就介紹到這瞭,更多相關Android自定義UI組件內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: