本文轉自:http://blog.163.com/whatwhyhow@126/blog/static/133422389201131811752268/
在IntentActivity中重寫下列方法:onCreate onStart onRestart onResume onPause onStop onDestroy onNewIntent
一、其他應用發Intent,執行下列方法:
I/@@@philn(12410):
onCreate
I/@@@philn(12410):
onStart
I/@@@philn(12410):
onResume
發Intent的方法:
Uri uri = Uri.parse("philn://blog.163.com");
Intent it = new Intent(Intent.ACTION_VIEW, uri);
startActivity(it);
二、接收Intent聲明:
<activity android:name=".IntentActivity" android:launchMode="singleTask"
android:label="@string/testname">
<intent-filter>
<action android:name="android.intent.action.VIEW" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.BROWSABLE" />
<data android:scheme="philn"/>
</intent-filter>
</activity>
三、如果IntentActivity處於任務棧的頂端,也就是說之前開啟過的Activity,現在處於
I/@@@philn(12410):
onPause
I/@@@philn(12410):
onStop 狀態的話
其他應用再發送Intent的話,執行順序為:
I/@@@philn(12410):
onNewIntent
I/@@@philn(12410):
onRestart
I/@@@philn(12410):
onStart
I/@@@philn(12410):
onResume
在Android應用程式開發的時候,從一個Activity啟動另一個Activity並傳遞一些資料到新的Activity上非常簡單,但是當您需要讓後台啟動並執行Activity回到前台並傳遞一些資料可能就會存在一點點小問題。
首先,在預設情況下,當您通過Intent啟到一個Activity的時候,就算已經存在一個相同的正在啟動並執行Activity,系統都會建立一個新的Activity執行個體並顯示出來。為了不讓Activity執行個體化多次,我們需要通過在AndroidManifest.xml配置activity的載入方式(launchMode)以實現單任務模式,如下所示:
1 <activity android:label="@string/app_name" android:launchmode="singleTask"android:name="Activity1">
2 </activity>
launchMode為singleTask的時候,通過Intent啟到一個Activity,如果系統已經存在一個執行個體,系統就會將請求發送到這個執行個體上,但這個時候,系統就不會再調用通常情況下我們處理請求資料的onCreate方法,而是調用onNewIntent方法,如下所示:
1 protected void onNewIntent(Intent intent) {
2 super.onNewIntent(intent);
3 setIntent(intent);//must store the new intent unless getIntent() will return the old one
4 processExtraData();
5 }
不要忘記,系統可能會隨時殺掉後台啟動並執行Activity,如果這一切發生,那麼系統就會調用onCreate方法,而不調用onNewIntent方法,一個好的解決方案就是在onCreate和onNewIntent方法中調用同一個處理資料的方法,如下所示:
01 public void onCreate(Bundle savedInstanceState) {
02 super.onCreate(savedInstanceState);
03 setContentView(R.layout.main);
04 processExtraData();
05 }
06
07 protected void onNewIntent(Intent intent) {
08 super.onNewIntent(intent);
09 setIntent(intent);//must store the new intent unless getIntent() will return the old one
10 processExtraData()
11 }
12
13 private void processExtraData(){
14 Intent intent = getIntent();
15 //use the data received here
16 }