1. 程式人生 > >Android View 雙緩衝技術

Android View 雙緩衝技術

Android中的SurfaceView類就是雙緩衝機制。因此,開發遊戲時儘量使用SurfaceView而不要使用View,這樣的話效率較高,而且SurfaceView的功能也更加完善。為了更容易的瞭解雙緩衝技術,下面介紹用View實現雙緩衝的方法。

    先概述一下,雙緩衝的核心技術就是先通過setBitmap方法將要繪製的所有的圖形會知道一個Bitmap上,然後再來呼叫drawBitmap方法繪製出這個Bitmap,顯示在螢幕上。具體的實現程式碼如下:

先貼出View類程式碼:

package com.lbz.pack.test;

import android.content.Context;
import android.graphics.Bitmap;
import android.graphics.Canvas;
import android.graphics.Paint;
import android.graphics.Bitmap.Config;
import android.graphics.drawable.BitmapDrawable;
import android.view.KeyEvent;
import android.view.MotionEvent;
import android.view.View;

public class GameView extends View implements Runnable
{
	/* 宣告Bitmap物件 */
	Bitmap	mBitQQ	= null;
	
	Paint   mPaint = null;
	
	/* 建立一個緩衝區 */
	Bitmap	mSCBitmap = null;
	
	/* 建立Canvas物件 */
	Canvas mCanvas = null;   
	
	public GameView(Context context)
	{
		super(context);
		
		/* 裝載資源 */
		mBitQQ = ((BitmapDrawable) getResources().getDrawable(R.drawable.qq)).getBitmap();
		
		/* 建立螢幕大小的緩衝區 */
		mSCBitmap=Bitmap.createBitmap(320, 480, Config.ARGB_8888);  
		
		/* 建立Canvas */
		mCanvas = new Canvas();  
		
		/* 設定將內容繪製在mSCBitmap上 */
		mCanvas.setBitmap(mSCBitmap); 
		
		mPaint = new Paint();
		
		/* 將mBitQQ繪製到mSCBitmap上 */
		mCanvas.drawBitmap(mBitQQ, 0, 0, mPaint);
		
		/* 開啟執行緒 */
		new Thread(this).start();
	}
	
	public void onDraw(Canvas canvas)
	{
		super.onDraw(canvas);
		
		/* 將mSCBitmap顯示到螢幕上 */
		canvas.drawBitmap(mSCBitmap, 0, 0, mPaint);
	}
	
	// 觸筆事件
	public boolean onTouchEvent(MotionEvent event)
	{
		return true;
	}


	// 按鍵按下事件
	public boolean onKeyDown(int keyCode, KeyEvent event)
	{
		return true;
	}


	// 按鍵彈起事件
	public boolean onKeyUp(int keyCode, KeyEvent event)
	{
		return false;
	}


	public boolean onKeyMultiple(int keyCode, int repeatCount, KeyEvent event)
	{
		return true;
	}
	
	
	/**
	 * 執行緒處理
	 */
	public void run()
	{
		while (!Thread.currentThread().isInterrupted())
		{
			try
			{
				Thread.sleep(100);
			}
			catch (InterruptedException e)
			{
				Thread.currentThread().interrupt();
			}
			//使用postInvalidate可以直接線上程中更新介面
			postInvalidate();
		}
	}
}

轉貼:http://blog.csdn.net/liubingzhao/article/details/5563113