在一些智能设备中,实现应用的开机自启动是一个很实用的功能。
一般怎么做呢,可能是简单的在AndroidManifest.xml中,里面的第一个启动的Activity中,如MainActivity中这样写一下,加上了"android.intent.category.HOME和DEFAULT属性:
<activity android:name=".activitys.MainActivity" android:label="@string/app_name" android:launchMode="singleTask" android:screenOrientation="landscape" tools:ignore="LockedOrientationActivity"> <intent-filter android:priority="0"> <action android:name="android.intent.action.MAIN" /> <category android:name="android.intent.category.LAUNCHER" /> <category android:name="android.intent.category.HOME" /> <category android:name="android.intent.category.DEFAULT" /> </intent-filter> </activity>
这是挺简单的,但是有什么不好呢?就是现场调试维护的人员感觉很痛苦,还没怎么操作呢一碰到Hone键,就又启动应用了,有的还死活退不出来应用。
有种更好的方式,也挺简单的,即监听开机广播。如下:
/** * 自定义 广播接收者 开机自动启动应用 * 继承 android.content.BroadcastReceiver */ public class AutoStartReceiver extends BroadcastReceiver { private final String TAG = "AutoStartReceiver"; private final String ACTION_BOOT = "android.intent.action.BOOT_COMPLETED"; /** * 接收广播消息后都会进入 onReceive 方法,然后要做的就是对相应的消息做出相应的处理 * * @param context 表示广播接收器所运行的上下文 * @param intent 表示广播接收器收到的Intent */ @Override public void onReceive(Context context, Intent intent) { Log.i(TAG, intent.getAction()); Toast.makeText(context, intent.getAction(), Toast.LENGTH_LONG).show(); /** * 如果 系统 启动的消息,则启动 APP 主页活动 */ if (ACTION_BOOT.equals(intent.getAction())) { Intent intentMainActivity = new Intent(context, MainActivity.class); intentMainActivity.addFlags(Intent.FLAG_ACTIVITY_NEW_TASK); context.startActivity(intentMainActivity); Toast.makeText(context, "启动完毕~", Toast.LENGTH_LONG).show(); } } }
实现了这么一个类后,只需在AndroidManifest.xml中注册一下静态广播监听即可。这样系统开机后应用就可以自动启动啦。而且,维护人员操作也很方便,不会动不动就又把应用启动了,特别是那种没有底部虚拟按键的应用,退出应用挺麻烦的。
<!--注册接收系统开机广播消息的广播接收者--> <receiver android:name=".service.AutoStartReceiver" android:enabled="true" android:exported="true"> <intent-filter> <action android:name="android.intent.action.BOOT_COMPLETED" /> <category android:name="android.intent.category.HOME" /> </intent-filter> </receiver>