對智能手機有所瞭解的朋友都知道其中一個應用廣泛的手機作業系統Android 開源手機作業系統。那麼在這一系統中想要實現通話的監聽功能的話,我們應當如何操作呢?在這裡就為大家詳細介紹了Android監聽通話的相關實現方法。
開發應用程式的時候,我們希望能夠監聽電話的呼入,以便執行暫停音樂播放器等操作,當電話結束之後,再次恢複播放。在Android平台可以通過TelephonyManager和PhoneStateListener來完成此任務。
TelephonyManager作為一個Service介面提供給使用者查詢電話相關的內容,比如IMEI,LineNumber1等。通過下面的代碼即可獲得TelephonyManager的執行個體。
java代碼:
複製代碼 代碼如下:TelephonyManager mTelephonyMgr = (TelephonyManager) this .getSystemService(Context.TELEPHONY_SERVICE);
在Android平台中,PhoneStateListener是個很有用的監聽器,用來監聽電話的狀態,比如呼叫狀態和串連服務等。Android監聽通話方法如下所示:
java代碼:
複製代碼 代碼如下:public void onCallForwardingIndicatorChanged(boolean cfi)
public void onCallStateChanged(int state, String incomingNumber)
public void onCellLocationChanged(CellLocation location)
public void onDataActivity(int direction)
public void onDataConnectionStateChanged(int state)
public void onMessageWaitingIndicatorChanged(boolean mwi)
public void onServiceStateChanged(ServiceState serviceState)
public void onSignalStrengthChanged(int asu)
這裡我們只需要覆蓋onCallStateChanged()方法即可監聽呼叫狀態。在TelephonyManager中定義了三種狀態,分別是響鈴(RINGING),摘機(OFFHOOK)和空閑(IDLE),我們通過state的值就知道現在的電話狀態了。
獲得了TelephonyManager介面之後,調用listen()方法即可實現Android監聽通話。
java代碼:
mTelephonyMgr.listen(new TeleListener(), PhoneStateListener.LISTEN_CALL_STATE);
下面是個簡單的測試例子,只是把呼叫狀態追加到TextView之上。
java代碼:
複製代碼 代碼如下:package eoe.demo;
import android.app.Activity;
import android.content.Context;
import android.os.Bundle;
import android.telephony.PhoneStateListener;
import android.telephony.TelephonyManager;
import android.util.Log;
import android.widget.TextView;
public class Telephony extends Activity {
private static final String TAG = "Telephony";
TextView view = null;
@Override
protected void onCreate(Bundle savedInstanceState) {
super.onCreate(savedInstanceState);
TelephonyManager mTelephonyMgr = (TelephonyManager) this .getSystemService(Context.TELEPHONY_SERVICE);
mTelephonyMgr.listen(new TeleListener(), PhoneStateListener.LISTEN_CALL_STATE);
view = new TextView(this);
view.setText("listen the state of phone\n");
setContentView(view);
}
class TeleListener extends PhoneStateListener {
@Override
public void onCallStateChanged(int state, String incomingNumber) {
super.onCallStateChanged(state, incomingNumber);
switch (state) {
case TelephonyManager.CALL_STATE_IDLE: {
Log.e(TAG, "CALL_STATE_IDLE");
view.append("CALL_STATE_IDLE " + "\n");
break;
}
case TelephonyManager.CALL_STATE_OFFHOOK: {
Log.e(TAG, "CALL_STATE_OFFHOOK");
view.append("CALL_STATE_OFFHOOK" + "\n");
break;
}
case TelephonyManager.CALL_STATE_RINGING: {
Log.e(TAG, "CALL_STATE_RINGING");
view.append("CALL_STATE_RINGING" + "\n");
break;
}
default: break;
}
}
}
}
不要忘記在AndroidManifest.xml裡面添加個permission.
java代碼:
< uses-permission android:name="android.permission.READ_PHONE_STATE" />