我们知道,实现android的Activity之间相互跳转需要用到Intent,
Intent又分为显式Intent和隐式Intent,
显式Intent很简单,比如我在FirstActivity中想跳转到SecondActivity,只需要直接声明就行了:
<pre style="margin-top: 0px; margin-bottom: 0px; white-space: pre-wrap; overflow-wrap: break-word; font-family: "Courier New" !important; font-size: 12px !important;">Intent intent = new Intent(FirstActivity.this, SecondActivity.class);</pre>
而在使用隐式Intent实现Activity之间跳转的时候,并没有明确指定要打开哪个activity,
而是通过指定3个参数:action,category,data,
然后让系统去寻找能够匹配得上这三个参数的Acativity,如果有多个符合条件的Activity,就会让用户选择其中一个打开。
例如我选择手机相册中的一张照片,点击“发送”按钮:
然后就可以让我选择是发送给QQ好友,微信好友还是发送到朋友圈。这实际上就是一个隐式Intent启动Activity的实例。
而决定一个Activity能够响应哪些Intent,就需要在AndroidManifest.xml的<activity>标签下配置<intent-filter>的内容,可以指定当前活动能够响应的action,category和data,比如说我在SecondActivity下设置如下代码:
[](javascript:void(0); "复制代码")
<pre style="margin-top: 0px; margin-bottom: 0px; white-space: pre-wrap; overflow-wrap: break-word; font-family: "Courier New" !important; font-size: 12px !important;"><activity
android:name=".SecondActivity" android:label="@string/title_activity_second" android:theme="@style/AppTheme.NoActionBar" >
<intent-filter>
<action android:name="android.intent.action.MYACTION" />
<category android:name="android.intent.category.DEFAULT" />
<category android:name="android.intent.category.MYCATEGORY" />
</intent-filter>
</activity></pre>
[](javascript:void(0); "复制代码")
再在MainActivity中通过隐式Intent:
<pre style="margin-top: 0px; margin-bottom: 0px; white-space: pre-wrap; overflow-wrap: break-word; font-family: "Courier New" !important; font-size: 12px !important;">Intent intent=new Intent("android.intent.action.MYACTION");
startActivity(intent);</pre>
然后就启动了SecondActivity。
在这里,看似我们在Intent中只指定了要打开的活动只需要响应一个Action为“android.intent.action.MYACTION”就行,但是实际上,系统在使用隐式Intent的时候,会自动帮我们添加上“android.intent.category.default”,所以——实际上所有需要被隐式Intent启动的activity,都要加上<category android:name="android.intent.category.DEFAULT" />这一段声明,否则就会启动不了并提示无法匹配该Intent的错误:
如果你要隐式启动的那个活动是程序最先启动的那个activity,
即声明了<category android:name="android.intent.category.LAUNCHER" />,
就可以不用写<category android:name="android.intent.category.DEFAULT" />的声明了,
(在这里LAUNCHER,就是你打开程序,最先启动的那一个Activity。)另外,LAUNCHER一定要配合action MAIN一起使用,否则不会启动,即:
<pre style="margin-top: 0px; margin-bottom: 0px; white-space: pre-wrap; overflow-wrap: break-word; font-family: "Courier New" !important; font-size: 12px !important;"><intent-filter>
<action android:name="android.intent.action.MAIN" />
<category android:name="android.intent.category.LAUNCHER" />
</intent-filter></pre>
好了,经过上面的解说,如果我们想要做一个home应用,怎么做呢
也是很简单的,只需要在manifest中相应的activity中配置一下Home就可以了
<intent-filter>
...
<category android:name="android.intent.category.HOME" />
<intent-filter>
好了,以上就是本章所学习的知识