android11实现代码进入分屏、代码退出分屏功能

打印 上一主题 下一主题

主题 657|帖子 657|积分 1971

引言

自android7开始,分屏功能官方就已经实现了。Android11的操作方式是点击rescent键,选择一个应用进入分屏,然后系统会主动在下半屏表现另一个应用。
然后客户是客制化的系统,没有任务栏和状态栏。以是需要开发通过代码进入分屏的方式,而且客户盼望可以自由开启一个应用进入上分屏或下分屏,自由退出上分屏或下分屏。这些原生Android11都是没有的,只能新开发。
新开发功能



  • 从taskId进入分屏
  • 启动intent进入分屏
  • 从taskId退出分屏
  • 自由退出分屏

分屏原理分析

首先看一个未分屏状态下的activity栈状态,执行命令
  1. adb shell dumpsys activity activities
复制代码
  1.   Task display areas in top down Z order:
  2.     TaskDisplayArea DefaultTaskDisplayArea
  3.       mLastOrientationSource=Task{5ebffec #12 visible=true type=standard mode=fullscreen translucent=false A=10099:com.android.dialer U=0 StackId=12 sz=1}
  4.       mPreferredTopFocusableStack=Task{5ebffec #12 visible=true type=standard mode=fullscreen translucent=false A=10099:com.android.dialer U=0 StackId=12 sz=1}
  5.       mLastFocusedStack=Task{5ebffec #12 visible=true type=standard mode=fullscreen translucent=false A=10099:com.android.dialer U=0 StackId=12 sz=1}
  6.       Application tokens in top down Z order:
  7.       * Task{5ebffec #12 visible=true type=standard mode=fullscreen translucent=false A=10099:com.android.dialer U=0 StackId=12 sz=1}
  8.         mLastOrientationSource=ActivityRecord{e499cf9 u0 com.android.dialer/.main.impl.MainActivity t12}
  9.         bounds=[0,0][720,1280]
  10.         * ActivityRecord{e499cf9 u0 com.android.dialer/.main.impl.MainActivity t12}
  11.       * Task{d0d36ff #1 visible=true type=home mode=fullscreen translucent=false I=com.android.launcher3/.uioverrides.QuickstepLauncher U=0 StackId=1 sz=1}
  12.         mLastOrientationSource=Task{da384a7 #10 visible=true type=home mode=fullscreen translucent=false I=com.android.launcher3/.uioverrides.QuickstepLauncher U=0 StackId=1 sz=1}
  13.         bounds=[0,0][720,1280]
  14.         * Task{da384a7 #10 visible=true type=home mode=fullscreen translucent=false I=com.android.launcher3/.uioverrides.QuickstepLauncher U=0 StackId=1 sz=1}
  15.           mLastOrientationSource=ActivityRecord{c16f68e u0 com.android.launcher3/.uioverrides.QuickstepLauncher t10}
  16.           bounds=[0,0][720,1280]
  17.           * ActivityRecord{c16f68e u0 com.android.launcher3/.uioverrides.QuickstepLauncher t10}
  18.       * Task{c140c5 #3 visible=false type=undefined mode=split-screen-primary translucent=true ?? U=0 StackId=3 sz=0}
  19.         bounds=[0,0][720,606]
  20.       * Task{b689f28 #4 visible=false type=undefined mode=split-screen-secondary translucent=true ?? U=0 StackId=4 sz=0}
  21.         bounds=[0,626][720,1280]
复制代码
看末了两个task,他们分属于差别的stackId,且都有差别的mode和bounds,mode分别是split-screen-primary和split-screen-secondary。split-screen-primary表示上半屏,且bounds=[0,0][720,606]就是处在上半屏的位置;split-screen-secondary表示下半屏,bounds=[0,626][720,1280]就是处在下半屏的位置。
Android系统其实就是根据stack来实现分屏的,系统启动之初就创建好了几个重要的stack,每个stack规定了本身的bounds和mode,bounds即巨细和表现位置,mode即表现模式。Android系统中的每一个Activity都位于一个Task中,每个task都位于一个ActivityStack中。
全屏模式下大部分activity都处于fullscreen模式下的activityStack,把要分屏表现的activity的task移入分屏ActivityStack即可分屏表现。
从taskId进入分屏

原生android11只支持设置一个taskId表如今上半屏进入分屏状态,我这里实现的可以根据参数设置一个taskId进入上分屏或下分屏。
有四个方法可以实现,分别是:
  1. 1 ActivityTaskManager.setTaskWindowingMode(int taskId, int windowingMode, boolean toTop)
  2. 2 ActivityTaskManager.setTaskWindowingModeSplitScreenPrimary(int taskId, int createMode, boolean toTop, boolean animate, Rect initialBounds, boolean showRecents)
  3. 3
  4. //注:原生android11只支持进入上分屏
  5. final ActivityOptions options = ActivityOptions.makeBasic();
  6. options.setLaunchWindowingMode(true ? WINDOWING_MODE_SPLIT_SCREEN_PRIMARY : WINDOWING_MODE_SPLIT_SCREEN_SECONDARY);
  7. options.setSplitScreenCreateMode(true ? SPLIT_SCREEN_CREATE_MODE_TOP_OR_LEFT : SPLIT_SCREEN_CREATE_MODE_BOTTOM_OR_RIGHT);
  8. ActivityTaskManager.getService().startActivityFromRecents(getTaskId(), options.toBundle())
  9. 4
  10. //注:此方法只适合在已经分屏状态下启动activity进入下半屏
  11. Intent intent = new Intent("android.settings.SETTINGS");
  12. intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK | Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT);
  13. startActivity(intent);
复制代码
启动intent进入分屏

原生android11只支持在已经分屏状态下启动activity表如今另半屏,我这里实现的可以根据参数设置启动intent进入上分屏或下分屏。
  1. Intent intent = new Intent(this, SubActivity.class);
  2. intent.setFlags(Intent.FLAG_ACTIVITY_NEW_TASK | Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT | Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY);
  3. intent.putExtra("showOnSpliteScreenPrimary", inflate.cbShowInSplitePrimary.isChecked());
  4. startActivity(intent);
复制代码
从taskId退出分屏

  1. //第二个参数是WindowConfiguration.WINDOWING_MODE_FULLSCREEN
  2. ActivityTaskManager.setTaskWindowingMode(int taskId, int windowingMode, boolean toTop)
复制代码
自由退出分屏

  1. //此功能新增的,show_splitScreenPrimary指定全屏显示上半屏幕或下半屏。
  2. ActivityTaskManager.getService().exitSpliteScreenMode(show_splitScreenPrimary);
复制代码
功能实现

上面是摆列客户端的使用接口,下面贴出修改点。
关键修改类:
  1. frameworks/base/core/java/android/content/Intent.java
  2. frameworks/base/packages/SystemUI/src/com/android/systemui/stackdivider/Divider.java
  3. frameworks/base/packages/SystemUI/src/com/android/systemui/stackdivider/SplitScreenTaskOrganizer.java
  4. frameworks/base/packages/SystemUI/src/com/android/systemui/stackdivider/WindowManagerProxy.java
  5. frameworks/base/packages/SystemUI/plugin/src/com/android/systemui/plugins/ActivityStarter.java
  6. frameworks/base/services/core/java/com/android/server/wm/ActivityTaskManagerService.java
  7. frameworks/base/services/core/java/com/android/server/wm/RootWindowContainer.java
  8. frameworks/base/services/core/java/com/android/server/wm/TaskDisplayArea.java
复制代码
修改如下:
  1. diff --git a/core/java/android/content/Intent.java b/core/java/android/content/Intent.java
  2. index 24d59a0826c8..8fd92d171cf6 100644
  3. --- a/core/java/android/content/Intent.java
  4. +++ b/core/java/android/content/Intent.java
  5. @@ -6451,7 +6451,8 @@ public class Intent implements Parcelable, Cloneable {
  6.       * required if you want a new instance of an existing activity to be created.
  7.       */
  8.      public static final int FLAG_ACTIVITY_LAUNCH_ADJACENT = 0x00001000;
  9. -
  10. +    //huanghp add: to enable startActivity into splite-screen-mode
  11. +    public static final int FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY = 0x00001001;
  12.      /**
  13.       * If set in an Intent passed to {@link Context#startActivity Context.startActivity()},
  14. diff --git a/packages/SystemUI/src/com/android/systemui/stackdivider/Divider.java b/packages/SystemUI/src/com/android/systemui/stackdivider/Divider.java
  15. index 570a4bb3cd12..4ae96665f635 100644
  16. --- a/packages/SystemUI/src/com/android/systemui/stackdivider/Divider.java
  17. +++ b/packages/SystemUI/src/com/android/systemui/stackdivider/Divider.java
  18. @@ -523,7 +523,8 @@ public class Divider extends SystemUI implements DividerView.DividerCallbacks,
  19.          update(mDisplayController.getDisplayContext(
  20.                  mContext.getDisplayId()).getResources().getConfiguration());
  21.          // Set resizable directly here because applyEnterSplit already resizes home stack.
  22. -        mHomeStackResizable = mWindowManagerProxy.applyEnterSplit(mSplits, mSplitLayout);
  23. +        //huanghp modify:for apply to different split screen states
  24. +        mHomeStackResizable = mWindowManagerProxy.applyEnterSplit2(mSplits, mSplitLayout);
  25.      }
  26.      void startDismissSplit() {
  27. diff --git a/packages/SystemUI/src/com/android/systemui/stackdivider/SplitScreenTaskOrganizer.java b/packages/SystemUI/src/com/android/systemui/stackdivider/SplitScreenTaskOrganizer.java
  28. index 7a313dc0622b..c8e816f3c02f 100644
  29. --- a/packages/SystemUI/src/com/android/systemui/stackdivider/SplitScreenTaskOrganizer.java
  30. +++ b/packages/SystemUI/src/com/android/systemui/stackdivider/SplitScreenTaskOrganizer.java
  31. @@ -214,6 +214,17 @@ class SplitScreenTaskOrganizer extends TaskOrganizer {
  32.                      Log.d(TAG, "   was not in split, but primary is populated, so enter it");
  33.                  }
  34.                  mDivider.startEnterSplit();
  35. +                //huanghp add: to enable start splite-screen-mode from secondary splite
  36. +            } else if (!secondaryIsEmpty && primaryWasEmpty && secondaryWasEmpty) {
  37. +                // Wasn't in split-mode (both were empty), but now that the secondary split is
  38. +                // populated, we should fully enter split by moving everything else into primary.
  39. +                // This just tells window-manager to reparent things, the UI will respond
  40. +                // when it gets new task info for the primary split.
  41. +                if (DEBUG) {
  42. +                    Log.d(TAG, "   was not in split, but secondary is populated, so enter it");
  43. +                }
  44. +                mDivider.startEnterSplit();
  45. +                //huanghp end
  46.              }
  47.          } else if (secondaryImpliesMinimize) {
  48.              // Both splits are populated but the secondary split has a home/recents stack on top,
  49. diff --git a/packages/SystemUI/src/com/android/systemui/stackdivider/WindowManagerProxy.java b/packages/SystemUI/src/com/android/systemui/stackdivider/WindowManagerProxy.java
  50. index 410e3dd39a0b..b13f4195fca7 100644
  51. --- a/packages/SystemUI/src/com/android/systemui/stackdivider/WindowManagerProxy.java
  52. +++ b/packages/SystemUI/src/com/android/systemui/stackdivider/WindowManagerProxy.java
  53. @@ -18,6 +18,7 @@ package com.android.systemui.stackdivider;
  54. import static android.app.WindowConfiguration.ACTIVITY_TYPE_HOME;
  55. import static android.app.WindowConfiguration.ACTIVITY_TYPE_RECENTS;
  56. +import static android.app.WindowConfiguration.ACTIVITY_TYPE_UNDEFINED;
  57. import static android.app.WindowConfiguration.WINDOWING_MODE_FULLSCREEN;
  58. import static android.app.WindowConfiguration.WINDOWING_MODE_UNDEFINED;
  59. import static android.content.res.Configuration.ORIENTATION_LANDSCAPE;
  60. @@ -229,6 +230,51 @@ public class WindowManagerProxy {
  61.          return isHomeResizable;
  62.      }
  63. +    //huanghp add: to support moveTaskToStack split-screen-secondary by systemui
  64. +    boolean applyEnterSplit2(SplitScreenTaskOrganizer tiles, SplitDisplayLayout layout) {
  65. +        // Set launchtile first so that any stack created after
  66. +        // getAllStackInfos and before reparent (even if unlikely) are placed
  67. +        // correctly.
  68. +        final boolean primaryIsEmpty = tiles.mPrimary.topActivityType == ACTIVITY_TYPE_UNDEFINED;
  69. +        TaskOrganizer.setLaunchRoot(DEFAULT_DISPLAY, primaryIsEmpty ? tiles.mPrimary.token: tiles.mSecondary.token);
  70. +        List<ActivityManager.RunningTaskInfo> rootTasks =
  71. +                TaskOrganizer.getRootTasks(DEFAULT_DISPLAY, null /* activityTypes */);
  72. +        WindowContainerTransaction wct = new WindowContainerTransaction();
  73. +        if (rootTasks.isEmpty()) {
  74. +            return false;
  75. +        }
  76. +        ActivityManager.RunningTaskInfo topHomeTask = null;
  77. +        for (int i = rootTasks.size() - 1; i >= 0; --i) {
  78. +            final ActivityManager.RunningTaskInfo rootTask = rootTasks.get(i);
  79. +            // Only move resizeable task to split secondary. However, we have an exception
  80. +            // for non-resizable home because we will minimize to show it.
  81. +            if (!rootTask.isResizeable && rootTask.topActivityType != ACTIVITY_TYPE_HOME) {
  82. +                continue;
  83. +            }
  84. +            // Only move fullscreen tasks to split secondary.
  85. +            if (rootTask.configuration.windowConfiguration.getWindowingMode()
  86. +                    != WINDOWING_MODE_FULLSCREEN) {
  87. +                continue;
  88. +            }
  89. +            // Since this iterates from bottom to top, update topHomeTask for every fullscreen task
  90. +            // so it will be left with the status of the top one.
  91. +            topHomeTask = isHomeOrRecentTask(rootTask) ? rootTask : null;
  92. +            wct.reparent(rootTask.token, primaryIsEmpty ? tiles.mPrimary.token: tiles.mSecondary.token, true /* onTop */);
  93. +        }
  94. +        // Move the secondary split-forward.
  95. +        wct.reorder(primaryIsEmpty ? tiles.mPrimary.token: tiles.mSecondary.token, true /* onTop */);
  96. +        boolean isHomeResizable = applyHomeTasksMinimized(layout, null /* parent */, wct);
  97. +        if (topHomeTask != null) {
  98. +            // Translate/update-crop of secondary out-of-band with sync transaction -- Until BALST
  99. +            // is enabled, this temporarily syncs the home surface position with offset until
  100. +            // sync transaction finishes.
  101. +            wct.setBoundsChangeTransaction(topHomeTask.token, tiles.mHomeBounds);
  102. +        }
  103. +        applySyncTransaction(wct);
  104. +        return isHomeResizable;
  105. +    }
  106. +    //huanghp end
  107. +
  108.      static boolean isHomeOrRecentTask(ActivityManager.RunningTaskInfo ti) {
  109.          final int atype = ti.configuration.windowConfiguration.getActivityType();
  110.          return atype == ACTIVITY_TYPE_HOME || atype == ACTIVITY_TYPE_RECENTS;
  111. diff --git a/services/core/java/com/android/server/wm/ActivityStarter.java b/services/core/java/com/android/server/wm/ActivityStarter.java
  112. index 4c883805ec8e..f96c42c531ef 100644
  113. --- a/services/core/java/com/android/server/wm/ActivityStarter.java
  114. +++ b/services/core/java/com/android/server/wm/ActivityStarter.java
  115. @@ -36,6 +36,7 @@ import static android.app.WindowConfiguration.WINDOWING_MODE_UNDEFINED;
  116. import static android.content.Intent.FLAG_ACTIVITY_CLEAR_TASK;
  117. import static android.content.Intent.FLAG_ACTIVITY_CLEAR_TOP;
  118. import static android.content.Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT;
  119. +import static android.content.Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY;
  120. import static android.content.Intent.FLAG_ACTIVITY_MULTIPLE_TASK;
  121. import static android.content.Intent.FLAG_ACTIVITY_NEW_DOCUMENT;
  122. import static android.content.Intent.FLAG_ACTIVITY_NEW_TASK;
  123. @@ -110,6 +111,7 @@ import android.service.voice.IVoiceInteractionSession;
  124. import android.text.TextUtils;
  125. import android.util.ArraySet;
  126. import android.util.DebugUtils;
  127. +import android.util.Log;
  128. import android.util.Pools.SynchronizedPool;
  129. import android.util.Slog;
  130. @@ -1795,6 +1797,18 @@ class ActivityStarter {
  131.              }
  132.              mOptions.setLaunchWindowingMode(windowingMode);
  133.          }
  134. +        //huanghp add: for enable to enter splite-screen from startActivity
  135. +        else if ((mLaunchFlags & FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY)!=0){
  136. +            boolean showOnSpliteScreenPrimary = r.intent.getBooleanExtra("showOnSpliteScreenPrimary", false);
  137. +            int windowingMode = showOnSpliteScreenPrimary ? WINDOWING_MODE_SPLIT_SCREEN_PRIMARY : WINDOWING_MODE_SPLIT_SCREEN_SECONDARY;
  138. +            if (mOptions == null) {
  139. +                mOptions = ActivityOptions.makeBasic();
  140. +            }
  141. +            mOptions.setLaunchWindowingMode(windowingMode);
  142. +            Log.w(TAG, "computeLaunchParams() called with: r = [" + r + "], sourceRecord = ["
  143. +                    + sourceRecord + "], targetTask = [" + targetTask + "], showOnSpliteScreenPrimary="+ showOnSpliteScreenPrimary + "]");
  144. +        }
  145. +        //huanghp end
  146.          mSupervisor.getLaunchParamsController().calculate(targetTask, r.info.windowLayout, r,
  147.                  sourceRecord, mOptions, PHASE_BOUNDS, mLaunchParams);
  148. diff --git a/services/core/java/com/android/server/wm/ActivityTaskManagerService.java b/services/core/java/com/android/server/wm/ActivityTaskManagerService.java
  149. index b664bb7d9d78..f99c753f73a4 100644
  150. --- a/services/core/java/com/android/server/wm/ActivityTaskManagerService.java
  151. +++ b/services/core/java/com/android/server/wm/ActivityTaskManagerService.java
  152. @@ -2389,6 +2389,39 @@ public class ActivityTaskManagerService extends IActivityTaskManager.Stub {
  153.          return null;
  154.      }
  155. +    @Override
  156. +    public boolean exitSpliteScreenMode(boolean show_splitScreenPrimary){
  157. +        Log.d(TAG, "exitSpliteScreenMode() called with: showPrimaryScreen = [" + show_splitScreenPrimary + "]");
  158. +        enforceCallerIsRecentsOrHasPermission(MANAGE_ACTIVITY_STACKS, "setTaskWindowingMode()");
  159. +        synchronized (mGlobalLock) {
  160. +            final long ident = Binder.clearCallingIdentity();
  161. +            try {
  162. +                TaskDisplayArea defaultTaskDisplayArea = mRootWindowContainer.getDisplayContent(
  163. +                        DEFAULT_DISPLAY).getDefaultTaskDisplayArea();
  164. +                ActivityStack rootSplitScreenPrimaryTask = defaultTaskDisplayArea.getRootSplitScreenPrimaryTask();
  165. +                ActivityStack rootSplitScreenSecondaryTask = defaultTaskDisplayArea.getRootSplitScreenSecondaryTask();
  166. +                if (show_splitScreenPrimary){
  167. +                    if (rootSplitScreenPrimaryTask!=null){
  168. +                        Task topMostTask = rootSplitScreenPrimaryTask.getTopMostTask();
  169. +                        if (topMostTask!=null){
  170. +                            return setTaskWindowingMode(topMostTask.mTaskId, WINDOWING_MODE_FULLSCREEN, true);
  171. +                        }
  172. +                    }
  173. +                }else if (rootSplitScreenSecondaryTask!=null){
  174. +                    Task topMostTask = rootSplitScreenSecondaryTask.getTopMostTask();
  175. +                    if (topMostTask!=null){
  176. +                        return setTaskWindowingMode(topMostTask.mTaskId, WINDOWING_MODE_FULLSCREEN, true);
  177. +                    }
  178. +                }
  179. +            } catch (Exception e) {
  180. +                e.printStackTrace();
  181. +            } finally {
  182. +                Binder.restoreCallingIdentity(ident);
  183. +            }
  184. +        }
  185. +        return false;
  186. +    }
  187. +
  188.      @Override
  189.      public boolean setTaskWindowingMode(int taskId, int windowingMode, boolean toTop) {
  190.          if (windowingMode == WINDOWING_MODE_SPLIT_SCREEN_PRIMARY) {
  191. @@ -2437,6 +2470,11 @@ public class ActivityTaskManagerService extends IActivityTaskManager.Stub {
  192.          }
  193.      }
  194. +    @Override
  195. +    public void toggleSplitScreen() throws RemoteException {
  196. +
  197. +    }
  198. +
  199.      @Override
  200.      public String getCallingPackage(IBinder token) {
  201.          synchronized (mGlobalLock) {
  202. @@ -2846,8 +2884,11 @@ public class ActivityTaskManagerService extends IActivityTaskManager.Stub {
  203.              // The task is already in split-screen and with correct windowing mode.
  204.              return true;
  205.          }
  206. -
  207. -        moveTaskToSplitScreenPrimaryTask(task, toTop);
  208. +        //huanghp modify
  209. +        if (windowingMode== WindowConfiguration.WINDOWING_MODE_SPLIT_SCREEN_PRIMARY){
  210. +            moveTaskToSplitScreenPrimaryTask(task, toTop);
  211. +        }else moveTaskToSplitScreenSecondaryTask(task, toTop);
  212. +        //huanghp end
  213.          return prevMode != task.getWindowingMode();
  214.      }
  215. @@ -2871,6 +2912,31 @@ public class ActivityTaskManagerService extends IActivityTaskManager.Stub {
  216.          mWindowOrganizerController.applyTransaction(wct);
  217.      }
  218. +    //huanghp add
  219. +    void moveTaskToSplitScreenSecondaryTask(Task task, boolean toTop) {
  220. +        Log.d(TAG,
  221. +                "moveTaskToSplitScreenSecondaryTask() called with: task = [" + task + "], toTop = ["
  222. +                        + toTop + "]");
  223. +        final TaskDisplayArea taskDisplayArea = task.getDisplayArea();
  224. +        final ActivityStack secondarySplitTask = taskDisplayArea.getRootSplitScreenSecondaryTask();
  225. +        if (secondarySplitTask == null) {
  226. +            throw new IllegalStateException("Can't enter split without associated organized task");
  227. +        }
  228. +
  229. +        if (toTop) {
  230. +            taskDisplayArea.positionStackAt(POSITION_TOP, secondarySplitTask,
  231. +                    false /* includingParents */);
  232. +        }
  233. +        WindowContainerTransaction wct = new WindowContainerTransaction();
  234. +        // Clear out current windowing mode before reparenting to split taks.
  235. +        wct.setWindowingMode(
  236. +                task.getStack().mRemoteToken.toWindowContainerToken(), WINDOWING_MODE_UNDEFINED);
  237. +        wct.reparent(task.getStack().mRemoteToken.toWindowContainerToken(),
  238. +                secondarySplitTask.mRemoteToken.toWindowContainerToken(), toTop);
  239. +        mWindowOrganizerController.applyTransaction(wct);
  240. +    }
  241. +    //huanghp end
  242. +
  243.      /**
  244.       * Removes stacks in the input windowing modes from the system if they are of activity type
  245.       * ACTIVITY_TYPE_STANDARD or ACTIVITY_TYPE_UNDEFINED
  246. diff --git a/services/core/java/com/android/server/wm/RootWindowContainer.java b/services/core/java/com/android/server/wm/RootWindowContainer.java
  247. index 5c1b6eefcecc..41cded3f35fc 100644
  248. --- a/services/core/java/com/android/server/wm/RootWindowContainer.java
  249. +++ b/services/core/java/com/android/server/wm/RootWindowContainer.java
  250. @@ -27,6 +27,7 @@ import static android.app.WindowConfiguration.ACTIVITY_TYPE_UNDEFINED;
  251. import static android.app.WindowConfiguration.WINDOWING_MODE_FULLSCREEN_OR_SPLIT_SCREEN_SECONDARY;
  252. import static android.app.WindowConfiguration.WINDOWING_MODE_PINNED;
  253. import static android.app.WindowConfiguration.WINDOWING_MODE_SPLIT_SCREEN_PRIMARY;
  254. +import static android.app.WindowConfiguration.WINDOWING_MODE_SPLIT_SCREEN_SECONDARY;
  255. import static android.app.WindowConfiguration.WINDOWING_MODE_UNDEFINED;
  256. import static android.content.Intent.FLAG_ACTIVITY_NEW_TASK;
  257. import static android.content.pm.ActivityInfo.LAUNCH_SINGLE_INSTANCE;
  258. @@ -133,6 +134,7 @@ import android.service.voice.IVoiceInteractionSession;
  259. import android.util.ArraySet;
  260. import android.util.DisplayMetrics;
  261. import android.util.IntArray;
  262. +import android.util.Log;
  263. import android.util.Pair;
  264. import android.util.Slog;
  265. import android.util.SparseArray;
  266. @@ -3008,23 +3010,36 @@ class RootWindowContainer extends WindowContainer<DisplayContent>
  267.          if (!r.canBeLaunchedOnDisplay(taskDisplayArea.getDisplayId())) {
  268.              return null;
  269.          }
  270. +        //huanghp add: to get the desired splite-window-mode
  271. +        int expectWindowMode=-1;
  272. +        if ((r.intent.getFlags()&Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY)!=0){
  273. +            boolean showOnSpliteScreenPrimary = r.intent.getBooleanExtra("showOnSpliteScreenPrimary", false);
  274. +            expectWindowMode= showOnSpliteScreenPrimary? WINDOWING_MODE_SPLIT_SCREEN_PRIMARY:WINDOWING_MODE_SPLIT_SCREEN_SECONDARY;
  275. +        }
  276. +        //huanghp end
  277.          // If {@code r} is already in target display area and its task is the same as the candidate
  278.          // task, the intention should be getting a launch stack for the reusable activity, so we can
  279.          // use the existing stack.
  280.          if (candidateTask != null && (r.getTask() == null || r.getTask() == candidateTask)) {
  281. -            // TODO(b/153920825): Fix incorrect evaluation of attached state
  282. -            final TaskDisplayArea attachedTaskDisplayArea = r.getTask() != null
  283. -                    ? r.getTask().getDisplayArea() : r.getDisplayArea();
  284. -            if (attachedTaskDisplayArea == null || attachedTaskDisplayArea == taskDisplayArea) {
  285. -                return candidateTask.getStack();
  286. -            }
  287. -            // Or the candidate task is already a root task that can be reused by reparenting
  288. -            // it to the target display.
  289. -            if (candidateTask.isRootTask()) {
  290. -                final ActivityStack stack = candidateTask.getStack();
  291. -                stack.reparent(taskDisplayArea, true /* onTop */);
  292. -                return stack;
  293. +            //huanghp add
  294. +            if (expectWindowMode!=-1 && expectWindowMode!=candidateTask.getWindowingMode()){
  295. +                Log.w(TAG, "getValidLaunchStackInTaskDisplayArea: with expectWindowMode different");
  296. +            }else {
  297. +                huanghp end
  298. +                // TODO(b/153920825): Fix incorrect evaluation of attached state
  299. +                final TaskDisplayArea attachedTaskDisplayArea = r.getTask() != null
  300. +                        ? r.getTask().getDisplayArea() : r.getDisplayArea();
  301. +                if (attachedTaskDisplayArea == null || attachedTaskDisplayArea == taskDisplayArea) {
  302. +                    return candidateTask.getStack();
  303. +                }
  304. +                // Or the candidate task is already a root task that can be reused by reparenting
  305. +                // it to the target display.
  306. +                if (candidateTask.isRootTask()) {
  307. +                    final ActivityStack stack = candidateTask.getStack();
  308. +                    stack.reparent(taskDisplayArea, true /* onTop */);
  309. +                    return stack;
  310. +                }
  311.              }
  312.          }
  313. @@ -3072,6 +3087,18 @@ class RootWindowContainer extends WindowContainer<DisplayContent>
  314.          }
  315.          if (stack.mCreatedByOrganizer) {
  316.              // Don't launch directly into task created by organizer...but why can't we?
  317. +            //huanghp add: to enable launch activity into splite-screen-mode
  318. +            if (r.supportsSplitScreenWindowingMode() && (r.intent.getFlags()&Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY)!=0){
  319. +                boolean showOnSpliteScreenPrimary = r.intent.getBooleanExtra("showOnSpliteScreenPrimary", false);
  320. +                if ((showOnSpliteScreenPrimary && stack.getWindowingMode()==WINDOWING_MODE_SPLIT_SCREEN_PRIMARY && windowingMode==WINDOWING_MODE_SPLIT_SCREEN_PRIMARY)
  321. +                || (!showOnSpliteScreenPrimary && stack.getWindowingMode()==WINDOWING_MODE_SPLIT_SCREEN_SECONDARY && windowingMode==WINDOWING_MODE_SPLIT_SCREEN_SECONDARY)){
  322. +                    Log.w(TAG, "isValidLaunchStack() called with FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY: stack = [" + stack + "], r = [" + r + "], windowingMode = [" + windowingMode + "]");
  323. +                    return true;
  324. +                }
  325. +            }
  326. +            Log.w(TAG, "isValidLaunchStack() called with##stack.mCreatedByOrganizer: stack = [" + stack + "], r = [" + r
  327. +                    + "], windowingMode = [" + windowingMode + "]");
  328. +            //huanghp end
  329.              return false;
  330.          }
  331.          // There is a 1-to-1 relationship between stack and task when not in
  332. diff --git a/services/core/java/com/android/server/wm/TaskDisplayArea.java b/services/core/java/com/android/server/wm/TaskDisplayArea.java
  333. index 79f3b8340b21..eccd3594ece6 100644
  334. --- a/services/core/java/com/android/server/wm/TaskDisplayArea.java
  335. +++ b/services/core/java/com/android/server/wm/TaskDisplayArea.java
  336. @@ -1480,6 +1480,13 @@ final class TaskDisplayArea extends DisplayArea<ActivityStack> {
  337.              // Switch to the display's windowing mode if we are not in split-screen mode and we are
  338.              // trying to launch in split-screen secondary.
  339.              windowingMode = WINDOWING_MODE_UNDEFINED;
  340. +            //huanghp add: enable to launch in split-screen secondary or primary
  341. +            if (r!=null && (r.intent.getFlags()&Intent.FLAG_ACTIVITY_LAUNCH_ADJACENT_ARBITRARY)!=0){
  342. +                boolean showOnSpliteScreenPrimary = r.intent.getBooleanExtra(
  343. +                        "showOnSpliteScreenPrimary", false);
  344. +                windowingMode= showOnSpliteScreenPrimary? WINDOWING_MODE_SPLIT_SCREEN_PRIMARY:WINDOWING_MODE_SPLIT_SCREEN_SECONDARY ;
  345. +            }
  346. +            //huanghp end
  347.          } else if (inSplitScreenMode && windowingMode == WINDOWING_MODE_UNDEFINED) {
  348.              windowingMode = WINDOWING_MODE_SPLIT_SCREEN_SECONDARY;
  349.          }
  350. --
  351. 2.34.1
复制代码
end,谢谢!

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。

本帖子中包含更多资源

您需要 登录 才可以下载或查看,没有账号?立即注册

x
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

星球的眼睛

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表