Android桌面一:Android应用的快捷方式
一:简介
Android快捷方式作为Android设备的杀手锏技能,一直都是非常重要的一个功能
Android 7.1(API 25)开始,新增了ShortcutManager,可以对桌面久按应用图标弹出的快捷方式进行管理。但是,Android 7.1上,直接往桌面上添加快捷方式依然是使用上面说到的这种旧方式,但是Android O上,Google应该是想通过比较统一的接口来管理桌面快捷方式了,所以摒弃了这种形式,转而使用ShortcutManager进行管理。所以API 26上,ShortcutManager新增了对Pinned Shortcuts(固定快捷方式) 的管理。
二:Android O以前使用实例:
1,添加快捷方式:
Intent addIntent = new Intent("com.android.launcher.action.INSTALL_SHORTCUT");
Parcelable icon = Intent.ShortcutIconResource.fromContext(this, R.drawable.bbb); //获取快捷键的图标
Intent myIntent = new Intent(this, MainActivity.class);
addIntent.putExtra("duplicate", false); // 不允许重复创建
addIntent.putExtra(Intent.EXTRA_SHORTCUT_NAME, "快捷方式");//快捷方式的标题
addIntent.putExtra(Intent.EXTRA_SHORTCUT_ICON_RESOURCE, icon);//快捷方式的图标
addIntent.putExtra(Intent.EXTRA_SHORTCUT_INTENT, myIntent);//快捷方式的动作
sendBroadcast(addIntent);//发送广播
installShortCut("快捷方式", R.drawable.bbb, new Intent(this, MainActivity.class));
2,权限:
要在手机桌面上添加快捷方式,首先需要在manifest中添加权限。
<!-- 添加快捷方式 -->
<uses-permission android:name="com.android.launcher.permission.INSTALL_SHORTCUT" />
<!-- 移除快捷方式 -->
<uses-permission android:name="com.android.launcher.permission.UNINSTALL_SHORTCUT" />
<!-- 查询快捷方式 -->
<uses-permission android:name="com.android.launcher.permission.READ_SETTINGS" />
3,移除快捷方式
移除快捷方式的action:
public static final String ACTION_REMOVE_SHORTCUT = "com.android.launcher.action.UNINSTALL_SHORTCUT";
移除快捷方式的方法:
private void removeShortcut(String name) {
Intent intent = new Intent(ACTION_REMOVE_SHORTCUT);
// 名字
intent.putExtra(Intent.EXTRA_SHORTCUT_NAME, name);
// 设置关联程序
Intent launcherIntent = new Intent(MainActivity.this,
MainActivity.class).setAction(Intent.ACTION_MAIN);
intent.putExtra(Intent.EXTRA_SHORTCUT_INTENT, launcherIntent);
// 发送广播
sendBroadcast(intent);
}
4,判断快捷方式是否存在的方法
if (LauncherUtil.isShortCutExist(mActivity, tvName)) {
Toast.makeText(mActivity, "添加桌面快捷方式成功", Toast.LENGTH_SHORT).show();
} else {
Toast.makeText(mActivity, "创建桌面图标失败,请检查系统应用设置快捷方式权限", Toast.LENGTH_LONG).show();
}
Android O使用实例:
public void addShortCut(Context context) {
ShortcutManager shortcutManager = (ShortcutManager) context.getSystemService(Context.SHORTCUT_SERVICE);
if (shortcutManager.isRequestPinShortcutSupported()) {
Intent shortcutInfoIntent = new Intent(context, MainActivity.class);
shortcutInfoIntent.setAction(Intent.ACTION_VIEW);
//action必须设置,不然报错
ShortcutInfo info = new ShortcutInfo.Builder(context, "shortId")
.setIcon(Icon.createWithResource(context, R.drawable.bbb))
.setShortLabel("Short Label")
.setIntent(shortcutInfoIntent)
.build();
//当添加快捷方式的确认弹框弹出来时,将被回调
PendingIntent shortcutCallbackIntent = PendingIntent.getBroadcast(context, 0, new Intent(context, MyReceiver.class), PendingIntent.FLAG_UPDATE_CURRENT);
shortcutManager.requestPinShortcut(info, shortcutCallbackIntent.getIntentSender());
}
}