blob: 24b27b9f15931e1e2e17bedaa2a94ac707314c58 [file] [log] [blame]
Michael Wrightd02c5b62014-02-10 15:10:22 -08001/*
2 * Copyright (C) 2010 The Android Open Source Project
3 *
4 * Licensed under the Apache License, Version 2.0 (the "License");
5 * you may not use this file except in compliance with the License.
6 * You may obtain a copy of the License at
7 *
8 * http://www.apache.org/licenses/LICENSE-2.0
9 *
10 * Unless required by applicable law or agreed to in writing, software
11 * distributed under the License is distributed on an "AS IS" BASIS,
12 * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13 * See the License for the specific language governing permissions and
14 * limitations under the License.
15 */
16
17#define LOG_TAG "InputDispatcher"
18#define ATRACE_TAG ATRACE_TAG_INPUT
19
John Recke0710582019-09-26 13:46:12 -070020#define LOG_NDEBUG 1
Michael Wrightd02c5b62014-02-10 15:10:22 -080021
22// Log detailed debug messages about each inbound event notification to the dispatcher.
23#define DEBUG_INBOUND_EVENT_DETAILS 0
24
25// Log detailed debug messages about each outbound event processed by the dispatcher.
26#define DEBUG_OUTBOUND_EVENT_DETAILS 0
27
28// Log debug messages about the dispatch cycle.
29#define DEBUG_DISPATCH_CYCLE 0
30
31// Log debug messages about registrations.
32#define DEBUG_REGISTRATION 0
33
34// Log debug messages about input event injection.
35#define DEBUG_INJECTION 0
36
37// Log debug messages about input focus tracking.
Siarhei Vishniakou86587282019-09-09 18:20:15 +010038static constexpr bool DEBUG_FOCUS = false;
Michael Wrightd02c5b62014-02-10 15:10:22 -080039
40// Log debug messages about the app switch latency optimization.
41#define DEBUG_APP_SWITCH 0
42
43// Log debug messages about hover events.
44#define DEBUG_HOVER 0
45
46#include "InputDispatcher.h"
47
Garfield Tane84e6f92019-08-29 17:28:41 -070048#include "Connection.h"
49
Michael Wrightd02c5b62014-02-10 15:10:22 -080050#include <errno.h>
Siarhei Vishniakou443ad902019-03-06 17:25:41 -080051#include <inttypes.h>
Michael Wrightd02c5b62014-02-10 15:10:22 -080052#include <limits.h>
Siarhei Vishniakoude4bf152019-08-16 11:12:52 -050053#include <statslog.h>
Mark Salyzyna5e161b2016-09-29 08:08:05 -070054#include <stddef.h>
Michael Wrightd02c5b62014-02-10 15:10:22 -080055#include <time.h>
Mark Salyzyna5e161b2016-09-29 08:08:05 -070056#include <unistd.h>
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -070057#include <queue>
58#include <sstream>
Mark Salyzyna5e161b2016-09-29 08:08:05 -070059
Michael Wright2b3c3302018-03-02 17:19:13 +000060#include <android-base/chrono_utils.h>
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -080061#include <android-base/stringprintf.h>
Robert Carr4e670e52018-08-15 13:26:12 -070062#include <binder/Binder.h>
Garfield Tan0fc2fa72019-08-29 17:22:15 -070063#include <log/log.h>
64#include <powermanager/PowerManager.h>
65#include <utils/Trace.h>
Michael Wrightd02c5b62014-02-10 15:10:22 -080066
67#define INDENT " "
68#define INDENT2 " "
69#define INDENT3 " "
70#define INDENT4 " "
71
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -080072using android::base::StringPrintf;
73
Garfield Tane84e6f92019-08-29 17:28:41 -070074namespace android::inputdispatcher {
Michael Wrightd02c5b62014-02-10 15:10:22 -080075
76// Default input dispatching timeout if there is no focused application or paused window
77// from which to determine an appropriate dispatching timeout.
Michael Wright2b3c3302018-03-02 17:19:13 +000078constexpr nsecs_t DEFAULT_INPUT_DISPATCHING_TIMEOUT = 5000 * 1000000LL; // 5 sec
Michael Wrightd02c5b62014-02-10 15:10:22 -080079
80// Amount of time to allow for all pending events to be processed when an app switch
81// key is on the way. This is used to preempt input dispatch and drop input events
82// when an application takes too long to respond and the user has pressed an app switch key.
Michael Wright2b3c3302018-03-02 17:19:13 +000083constexpr nsecs_t APP_SWITCH_TIMEOUT = 500 * 1000000LL; // 0.5sec
Michael Wrightd02c5b62014-02-10 15:10:22 -080084
85// Amount of time to allow for an event to be dispatched (measured since its eventTime)
86// before considering it stale and dropping it.
Michael Wright2b3c3302018-03-02 17:19:13 +000087constexpr nsecs_t STALE_EVENT_TIMEOUT = 10000 * 1000000LL; // 10sec
Michael Wrightd02c5b62014-02-10 15:10:22 -080088
89// Amount of time to allow touch events to be streamed out to a connection before requiring
90// that the first event be finished. This value extends the ANR timeout by the specified
91// amount. For example, if streaming is allowed to get ahead by one second relative to the
92// queue of waiting unfinished events, then ANRs will similarly be delayed by one second.
Michael Wright2b3c3302018-03-02 17:19:13 +000093constexpr nsecs_t STREAM_AHEAD_EVENT_TIMEOUT = 500 * 1000000LL; // 0.5sec
Michael Wrightd02c5b62014-02-10 15:10:22 -080094
95// Log a warning when an event takes longer than this to process, even if an ANR does not occur.
Michael Wright2b3c3302018-03-02 17:19:13 +000096constexpr nsecs_t SLOW_EVENT_PROCESSING_WARNING_TIMEOUT = 2000 * 1000000LL; // 2sec
97
98// Log a warning when an interception call takes longer than this to process.
99constexpr std::chrono::milliseconds SLOW_INTERCEPTION_THRESHOLD = 50ms;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800100
101// Number of recent events to keep for debugging purposes.
Michael Wright2b3c3302018-03-02 17:19:13 +0000102constexpr size_t RECENT_QUEUE_MAX_SIZE = 10;
103
Michael Wrightd02c5b62014-02-10 15:10:22 -0800104static inline nsecs_t now() {
105 return systemTime(SYSTEM_TIME_MONOTONIC);
106}
107
108static inline const char* toString(bool value) {
109 return value ? "true" : "false";
110}
111
112static inline int32_t getMotionEventActionPointerIndex(int32_t action) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700113 return (action & AMOTION_EVENT_ACTION_POINTER_INDEX_MASK) >>
114 AMOTION_EVENT_ACTION_POINTER_INDEX_SHIFT;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800115}
116
117static bool isValidKeyAction(int32_t action) {
118 switch (action) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700119 case AKEY_EVENT_ACTION_DOWN:
120 case AKEY_EVENT_ACTION_UP:
121 return true;
122 default:
123 return false;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800124 }
125}
126
127static bool validateKeyEvent(int32_t action) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700128 if (!isValidKeyAction(action)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800129 ALOGE("Key event has invalid action code 0x%x", action);
130 return false;
131 }
132 return true;
133}
134
Michael Wright7b159c92015-05-14 14:48:03 +0100135static bool isValidMotionAction(int32_t action, int32_t actionButton, int32_t pointerCount) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800136 switch (action & AMOTION_EVENT_ACTION_MASK) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700137 case AMOTION_EVENT_ACTION_DOWN:
138 case AMOTION_EVENT_ACTION_UP:
139 case AMOTION_EVENT_ACTION_CANCEL:
140 case AMOTION_EVENT_ACTION_MOVE:
141 case AMOTION_EVENT_ACTION_OUTSIDE:
142 case AMOTION_EVENT_ACTION_HOVER_ENTER:
143 case AMOTION_EVENT_ACTION_HOVER_MOVE:
144 case AMOTION_EVENT_ACTION_HOVER_EXIT:
145 case AMOTION_EVENT_ACTION_SCROLL:
146 return true;
147 case AMOTION_EVENT_ACTION_POINTER_DOWN:
148 case AMOTION_EVENT_ACTION_POINTER_UP: {
149 int32_t index = getMotionEventActionPointerIndex(action);
150 return index >= 0 && index < pointerCount;
151 }
152 case AMOTION_EVENT_ACTION_BUTTON_PRESS:
153 case AMOTION_EVENT_ACTION_BUTTON_RELEASE:
154 return actionButton != 0;
155 default:
156 return false;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800157 }
158}
159
Michael Wright7b159c92015-05-14 14:48:03 +0100160static bool validateMotionEvent(int32_t action, int32_t actionButton, size_t pointerCount,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700161 const PointerProperties* pointerProperties) {
162 if (!isValidMotionAction(action, actionButton, pointerCount)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800163 ALOGE("Motion event has invalid action code 0x%x", action);
164 return false;
165 }
166 if (pointerCount < 1 || pointerCount > MAX_POINTERS) {
Narayan Kamath37764c72014-03-27 14:21:09 +0000167 ALOGE("Motion event has invalid pointer count %zu; value must be between 1 and %d.",
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700168 pointerCount, MAX_POINTERS);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800169 return false;
170 }
171 BitSet32 pointerIdBits;
172 for (size_t i = 0; i < pointerCount; i++) {
173 int32_t id = pointerProperties[i].id;
174 if (id < 0 || id > MAX_POINTER_ID) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700175 ALOGE("Motion event has invalid pointer id %d; value must be between 0 and %d", id,
176 MAX_POINTER_ID);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800177 return false;
178 }
179 if (pointerIdBits.hasBit(id)) {
180 ALOGE("Motion event has duplicate pointer id %d", id);
181 return false;
182 }
183 pointerIdBits.markBit(id);
184 }
185 return true;
186}
187
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -0800188static void dumpRegion(std::string& dump, const Region& region) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800189 if (region.isEmpty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -0800190 dump += "<empty>";
Michael Wrightd02c5b62014-02-10 15:10:22 -0800191 return;
192 }
193
194 bool first = true;
195 Region::const_iterator cur = region.begin();
196 Region::const_iterator const tail = region.end();
197 while (cur != tail) {
198 if (first) {
199 first = false;
200 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -0800201 dump += "|";
Michael Wrightd02c5b62014-02-10 15:10:22 -0800202 }
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -0800203 dump += StringPrintf("[%d,%d][%d,%d]", cur->left, cur->top, cur->right, cur->bottom);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800204 cur++;
205 }
206}
207
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -0700208/**
209 * Find the entry in std::unordered_map by key, and return it.
210 * If the entry is not found, return a default constructed entry.
211 *
212 * Useful when the entries are vectors, since an empty vector will be returned
213 * if the entry is not found.
214 * Also useful when the entries are sp<>. If an entry is not found, nullptr is returned.
215 */
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -0700216template <typename K, typename V>
217static V getValueByKey(const std::unordered_map<K, V>& map, K key) {
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -0700218 auto it = map.find(key);
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -0700219 return it != map.end() ? it->second : V{};
Tiger Huang721e26f2018-07-24 22:26:19 +0800220}
221
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -0700222/**
223 * Find the entry in std::unordered_map by value, and remove it.
224 * If more than one entry has the same value, then all matching
225 * key-value pairs will be removed.
226 *
227 * Return true if at least one value has been removed.
228 */
229template <typename K, typename V>
230static bool removeByValue(std::unordered_map<K, V>& map, const V& value) {
231 bool removed = false;
232 for (auto it = map.begin(); it != map.end();) {
233 if (it->second == value) {
234 it = map.erase(it);
235 removed = true;
236 } else {
237 it++;
238 }
239 }
240 return removed;
241}
Michael Wrightd02c5b62014-02-10 15:10:22 -0800242
243// --- InputDispatcher ---
244
Garfield Tan00f511d2019-06-12 16:55:40 -0700245InputDispatcher::InputDispatcher(const sp<InputDispatcherPolicyInterface>& policy)
246 : mPolicy(policy),
247 mPendingEvent(nullptr),
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700248 mLastDropReason(DropReason::NOT_DROPPED),
Garfield Tan00f511d2019-06-12 16:55:40 -0700249 mAppSwitchSawKeyDown(false),
250 mAppSwitchDueTime(LONG_LONG_MAX),
251 mNextUnblockedEvent(nullptr),
252 mDispatchEnabled(false),
253 mDispatchFrozen(false),
254 mInputFilterEnabled(false),
255 mFocusedDisplayId(ADISPLAY_ID_DEFAULT),
256 mInputTargetWaitCause(INPUT_TARGET_WAIT_CAUSE_NONE) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800257 mLooper = new Looper(false);
Prabir Pradhanf93562f2018-11-29 12:13:37 -0800258 mReporter = createInputReporter();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800259
Yi Kong9b14ac62018-07-17 13:48:38 -0700260 mKeyRepeatState.lastKeyEntry = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800261
262 policy->getDispatcherConfiguration(&mConfig);
263}
264
265InputDispatcher::~InputDispatcher() {
266 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -0800267 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800268
269 resetKeyRepeatLocked();
270 releasePendingEventLocked();
271 drainInboundQueueLocked();
272 }
273
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -0700274 while (!mConnectionsByFd.empty()) {
275 sp<Connection> connection = mConnectionsByFd.begin()->second;
276 unregisterInputChannel(connection->inputChannel);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800277 }
278}
279
280void InputDispatcher::dispatchOnce() {
281 nsecs_t nextWakeupTime = LONG_LONG_MAX;
282 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -0800283 std::scoped_lock _l(mLock);
284 mDispatcherIsAlive.notify_all();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800285
286 // Run a dispatch loop if there are no pending commands.
287 // The dispatch loop might enqueue commands to run afterwards.
288 if (!haveCommandsLocked()) {
289 dispatchOnceInnerLocked(&nextWakeupTime);
290 }
291
292 // Run all pending commands if there are any.
293 // If any commands were run then force the next poll to wake up immediately.
294 if (runCommandsLockedInterruptible()) {
295 nextWakeupTime = LONG_LONG_MIN;
296 }
297 } // release lock
298
299 // Wait for callback or timeout or wake. (make sure we round up, not down)
300 nsecs_t currentTime = now();
301 int timeoutMillis = toMillisecondTimeoutDelay(currentTime, nextWakeupTime);
302 mLooper->pollOnce(timeoutMillis);
303}
304
305void InputDispatcher::dispatchOnceInnerLocked(nsecs_t* nextWakeupTime) {
306 nsecs_t currentTime = now();
307
Jeff Browndc5992e2014-04-11 01:27:26 -0700308 // Reset the key repeat timer whenever normal dispatch is suspended while the
309 // device is in a non-interactive state. This is to ensure that we abort a key
310 // repeat if the device is just coming out of sleep.
311 if (!mDispatchEnabled) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800312 resetKeyRepeatLocked();
313 }
314
315 // If dispatching is frozen, do not process timeouts or try to deliver any new events.
316 if (mDispatchFrozen) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +0100317 if (DEBUG_FOCUS) {
318 ALOGD("Dispatch frozen. Waiting some more.");
319 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800320 return;
321 }
322
323 // Optimize latency of app switches.
324 // Essentially we start a short timeout when an app switch key (HOME / ENDCALL) has
325 // been pressed. When it expires, we preempt dispatch and drop all other pending events.
326 bool isAppSwitchDue = mAppSwitchDueTime <= currentTime;
327 if (mAppSwitchDueTime < *nextWakeupTime) {
328 *nextWakeupTime = mAppSwitchDueTime;
329 }
330
331 // Ready to start a new event.
332 // If we don't already have a pending event, go grab one.
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700333 if (!mPendingEvent) {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700334 if (mInboundQueue.empty()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800335 if (isAppSwitchDue) {
336 // The inbound queue is empty so the app switch key we were waiting
337 // for will never arrive. Stop waiting for it.
338 resetPendingAppSwitchLocked(false);
339 isAppSwitchDue = false;
340 }
341
342 // Synthesize a key repeat if appropriate.
343 if (mKeyRepeatState.lastKeyEntry) {
344 if (currentTime >= mKeyRepeatState.nextRepeatTime) {
345 mPendingEvent = synthesizeKeyRepeatLocked(currentTime);
346 } else {
347 if (mKeyRepeatState.nextRepeatTime < *nextWakeupTime) {
348 *nextWakeupTime = mKeyRepeatState.nextRepeatTime;
349 }
350 }
351 }
352
353 // Nothing to do if there is no pending event.
354 if (!mPendingEvent) {
355 return;
356 }
357 } else {
358 // Inbound queue has at least one entry.
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700359 mPendingEvent = mInboundQueue.front();
360 mInboundQueue.pop_front();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800361 traceInboundQueueLengthLocked();
362 }
363
364 // Poke user activity for this event.
365 if (mPendingEvent->policyFlags & POLICY_FLAG_PASS_TO_USER) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700366 pokeUserActivityLocked(*mPendingEvent);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800367 }
368
369 // Get ready to dispatch the event.
370 resetANRTimeoutsLocked();
371 }
372
373 // Now we have an event to dispatch.
374 // All events are eventually dequeued and processed this way, even if we intend to drop them.
Yi Kong9b14ac62018-07-17 13:48:38 -0700375 ALOG_ASSERT(mPendingEvent != nullptr);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800376 bool done = false;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700377 DropReason dropReason = DropReason::NOT_DROPPED;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800378 if (!(mPendingEvent->policyFlags & POLICY_FLAG_PASS_TO_USER)) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700379 dropReason = DropReason::POLICY;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800380 } else if (!mDispatchEnabled) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700381 dropReason = DropReason::DISABLED;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800382 }
383
384 if (mNextUnblockedEvent == mPendingEvent) {
Yi Kong9b14ac62018-07-17 13:48:38 -0700385 mNextUnblockedEvent = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800386 }
387
388 switch (mPendingEvent->type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700389 case EventEntry::TYPE_CONFIGURATION_CHANGED: {
390 ConfigurationChangedEntry* typedEntry =
391 static_cast<ConfigurationChangedEntry*>(mPendingEvent);
392 done = dispatchConfigurationChangedLocked(currentTime, typedEntry);
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700393 dropReason = DropReason::NOT_DROPPED; // configuration changes are never dropped
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700394 break;
395 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800396
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700397 case EventEntry::TYPE_DEVICE_RESET: {
398 DeviceResetEntry* typedEntry = static_cast<DeviceResetEntry*>(mPendingEvent);
399 done = dispatchDeviceResetLocked(currentTime, typedEntry);
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700400 dropReason = DropReason::NOT_DROPPED; // device resets are never dropped
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700401 break;
402 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800403
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700404 case EventEntry::TYPE_KEY: {
405 KeyEntry* typedEntry = static_cast<KeyEntry*>(mPendingEvent);
406 if (isAppSwitchDue) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700407 if (isAppSwitchKeyEvent(*typedEntry)) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700408 resetPendingAppSwitchLocked(true);
409 isAppSwitchDue = false;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700410 } else if (dropReason == DropReason::NOT_DROPPED) {
411 dropReason = DropReason::APP_SWITCH;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700412 }
413 }
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700414 if (dropReason == DropReason::NOT_DROPPED && isStaleEvent(currentTime, *typedEntry)) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700415 dropReason = DropReason::STALE;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700416 }
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700417 if (dropReason == DropReason::NOT_DROPPED && mNextUnblockedEvent) {
418 dropReason = DropReason::BLOCKED;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700419 }
420 done = dispatchKeyLocked(currentTime, typedEntry, &dropReason, nextWakeupTime);
421 break;
422 }
423
424 case EventEntry::TYPE_MOTION: {
425 MotionEntry* typedEntry = static_cast<MotionEntry*>(mPendingEvent);
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700426 if (dropReason == DropReason::NOT_DROPPED && isAppSwitchDue) {
427 dropReason = DropReason::APP_SWITCH;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800428 }
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700429 if (dropReason == DropReason::NOT_DROPPED && isStaleEvent(currentTime, *typedEntry)) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700430 dropReason = DropReason::STALE;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700431 }
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700432 if (dropReason == DropReason::NOT_DROPPED && mNextUnblockedEvent) {
433 dropReason = DropReason::BLOCKED;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700434 }
435 done = dispatchMotionLocked(currentTime, typedEntry, &dropReason, nextWakeupTime);
436 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800437 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800438
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700439 default:
440 ALOG_ASSERT(false);
441 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800442 }
443
444 if (done) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700445 if (dropReason != DropReason::NOT_DROPPED) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700446 dropInboundEventLocked(*mPendingEvent, dropReason);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800447 }
Michael Wright3a981722015-06-10 15:26:13 +0100448 mLastDropReason = dropReason;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800449
450 releasePendingEventLocked();
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700451 *nextWakeupTime = LONG_LONG_MIN; // force next poll to wake up immediately
Michael Wrightd02c5b62014-02-10 15:10:22 -0800452 }
453}
454
455bool InputDispatcher::enqueueInboundEventLocked(EventEntry* entry) {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700456 bool needWake = mInboundQueue.empty();
457 mInboundQueue.push_back(entry);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800458 traceInboundQueueLengthLocked();
459
460 switch (entry->type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700461 case EventEntry::TYPE_KEY: {
462 // Optimize app switch latency.
463 // If the application takes too long to catch up then we drop all events preceding
464 // the app switch key.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700465 const KeyEntry& keyEntry = static_cast<const KeyEntry&>(*entry);
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700466 if (isAppSwitchKeyEvent(keyEntry)) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700467 if (keyEntry.action == AKEY_EVENT_ACTION_DOWN) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700468 mAppSwitchSawKeyDown = true;
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700469 } else if (keyEntry.action == AKEY_EVENT_ACTION_UP) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700470 if (mAppSwitchSawKeyDown) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800471#if DEBUG_APP_SWITCH
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700472 ALOGD("App switch is pending!");
Michael Wrightd02c5b62014-02-10 15:10:22 -0800473#endif
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700474 mAppSwitchDueTime = keyEntry.eventTime + APP_SWITCH_TIMEOUT;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700475 mAppSwitchSawKeyDown = false;
476 needWake = true;
477 }
478 }
479 }
480 break;
481 }
482
483 case EventEntry::TYPE_MOTION: {
484 // Optimize case where the current application is unresponsive and the user
485 // decides to touch a window in a different application.
486 // If the application takes too long to catch up then we drop all events preceding
487 // the touch into the other window.
488 MotionEntry* motionEntry = static_cast<MotionEntry*>(entry);
489 if (motionEntry->action == AMOTION_EVENT_ACTION_DOWN &&
490 (motionEntry->source & AINPUT_SOURCE_CLASS_POINTER) &&
491 mInputTargetWaitCause == INPUT_TARGET_WAIT_CAUSE_APPLICATION_NOT_READY &&
492 mInputTargetWaitApplicationToken != nullptr) {
493 int32_t displayId = motionEntry->displayId;
494 int32_t x =
495 int32_t(motionEntry->pointerCoords[0].getAxisValue(AMOTION_EVENT_AXIS_X));
496 int32_t y =
497 int32_t(motionEntry->pointerCoords[0].getAxisValue(AMOTION_EVENT_AXIS_Y));
498 sp<InputWindowHandle> touchedWindowHandle =
499 findTouchedWindowAtLocked(displayId, x, y);
500 if (touchedWindowHandle != nullptr &&
501 touchedWindowHandle->getApplicationToken() !=
502 mInputTargetWaitApplicationToken) {
503 // User touched a different application than the one we are waiting on.
504 // Flag the event, and start pruning the input queue.
505 mNextUnblockedEvent = motionEntry;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800506 needWake = true;
507 }
508 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700509 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800510 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800511 }
512
513 return needWake;
514}
515
516void InputDispatcher::addRecentEventLocked(EventEntry* entry) {
517 entry->refCount += 1;
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700518 mRecentQueue.push_back(entry);
519 if (mRecentQueue.size() > RECENT_QUEUE_MAX_SIZE) {
520 mRecentQueue.front()->release();
521 mRecentQueue.pop_front();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800522 }
523}
524
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700525sp<InputWindowHandle> InputDispatcher::findTouchedWindowAtLocked(int32_t displayId, int32_t x,
526 int32_t y, bool addOutsideTargets,
527 bool addPortalWindows) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800528 // Traverse windows from front to back to find touched window.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +0800529 const std::vector<sp<InputWindowHandle>> windowHandles = getWindowHandlesLocked(displayId);
530 for (const sp<InputWindowHandle>& windowHandle : windowHandles) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800531 const InputWindowInfo* windowInfo = windowHandle->getInfo();
532 if (windowInfo->displayId == displayId) {
533 int32_t flags = windowInfo->layoutParamsFlags;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800534
535 if (windowInfo->visible) {
536 if (!(flags & InputWindowInfo::FLAG_NOT_TOUCHABLE)) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700537 bool isTouchModal = (flags &
538 (InputWindowInfo::FLAG_NOT_FOCUSABLE |
539 InputWindowInfo::FLAG_NOT_TOUCH_MODAL)) == 0;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800540 if (isTouchModal || windowInfo->touchableRegionContainsPoint(x, y)) {
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800541 int32_t portalToDisplayId = windowInfo->portalToDisplayId;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700542 if (portalToDisplayId != ADISPLAY_ID_NONE &&
543 portalToDisplayId != displayId) {
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800544 if (addPortalWindows) {
545 // For the monitoring channels of the display.
546 mTempTouchState.addPortalWindow(windowHandle);
547 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700548 return findTouchedWindowAtLocked(portalToDisplayId, x, y,
549 addOutsideTargets, addPortalWindows);
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800550 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800551 // Found window.
552 return windowHandle;
553 }
554 }
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800555
556 if (addOutsideTargets && (flags & InputWindowInfo::FLAG_WATCH_OUTSIDE_TOUCH)) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700557 mTempTouchState.addOrUpdateWindow(windowHandle,
558 InputTarget::FLAG_DISPATCH_AS_OUTSIDE,
559 BitSet32(0));
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800560 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800561 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800562 }
563 }
Yi Kong9b14ac62018-07-17 13:48:38 -0700564 return nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800565}
566
Garfield Tane84e6f92019-08-29 17:28:41 -0700567std::vector<TouchedMonitor> InputDispatcher::findTouchedGestureMonitorsLocked(
Michael Wright3dd60e22019-03-27 22:06:44 +0000568 int32_t displayId, const std::vector<sp<InputWindowHandle>>& portalWindows) {
569 std::vector<TouchedMonitor> touchedMonitors;
570
571 std::vector<Monitor> monitors = getValueByKey(mGestureMonitorsByDisplay, displayId);
572 addGestureMonitors(monitors, touchedMonitors);
573 for (const sp<InputWindowHandle>& portalWindow : portalWindows) {
574 const InputWindowInfo* windowInfo = portalWindow->getInfo();
575 monitors = getValueByKey(mGestureMonitorsByDisplay, windowInfo->portalToDisplayId);
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700576 addGestureMonitors(monitors, touchedMonitors, -windowInfo->frameLeft,
577 -windowInfo->frameTop);
Michael Wright3dd60e22019-03-27 22:06:44 +0000578 }
579 return touchedMonitors;
580}
581
582void InputDispatcher::addGestureMonitors(const std::vector<Monitor>& monitors,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700583 std::vector<TouchedMonitor>& outTouchedMonitors,
584 float xOffset, float yOffset) {
Michael Wright3dd60e22019-03-27 22:06:44 +0000585 if (monitors.empty()) {
586 return;
587 }
588 outTouchedMonitors.reserve(monitors.size() + outTouchedMonitors.size());
589 for (const Monitor& monitor : monitors) {
590 outTouchedMonitors.emplace_back(monitor, xOffset, yOffset);
591 }
592}
593
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700594void InputDispatcher::dropInboundEventLocked(const EventEntry& entry, DropReason dropReason) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800595 const char* reason;
596 switch (dropReason) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700597 case DropReason::POLICY:
Michael Wrightd02c5b62014-02-10 15:10:22 -0800598#if DEBUG_INBOUND_EVENT_DETAILS
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700599 ALOGD("Dropped event because policy consumed it.");
Michael Wrightd02c5b62014-02-10 15:10:22 -0800600#endif
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700601 reason = "inbound event was dropped because the policy consumed it";
602 break;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700603 case DropReason::DISABLED:
604 if (mLastDropReason != DropReason::DISABLED) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700605 ALOGI("Dropped event because input dispatch is disabled.");
606 }
607 reason = "inbound event was dropped because input dispatch is disabled";
608 break;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700609 case DropReason::APP_SWITCH:
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700610 ALOGI("Dropped event because of pending overdue app switch.");
611 reason = "inbound event was dropped because of pending overdue app switch";
612 break;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700613 case DropReason::BLOCKED:
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700614 ALOGI("Dropped event because the current application is not responding and the user "
615 "has started interacting with a different application.");
616 reason = "inbound event was dropped because the current application is not responding "
617 "and the user has started interacting with a different application";
618 break;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700619 case DropReason::STALE:
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700620 ALOGI("Dropped event because it is stale.");
621 reason = "inbound event was dropped because it is stale";
622 break;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700623 case DropReason::NOT_DROPPED: {
624 LOG_ALWAYS_FATAL("Should not be dropping a NOT_DROPPED event");
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700625 return;
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700626 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800627 }
628
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700629 switch (entry.type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700630 case EventEntry::TYPE_KEY: {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800631 CancelationOptions options(CancelationOptions::CANCEL_NON_POINTER_EVENTS, reason);
632 synthesizeCancelationEventsForAllConnectionsLocked(options);
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700633 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800634 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700635 case EventEntry::TYPE_MOTION: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700636 const MotionEntry& motionEntry = static_cast<const MotionEntry&>(entry);
637 if (motionEntry.source & AINPUT_SOURCE_CLASS_POINTER) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700638 CancelationOptions options(CancelationOptions::CANCEL_POINTER_EVENTS, reason);
639 synthesizeCancelationEventsForAllConnectionsLocked(options);
640 } else {
641 CancelationOptions options(CancelationOptions::CANCEL_NON_POINTER_EVENTS, reason);
642 synthesizeCancelationEventsForAllConnectionsLocked(options);
643 }
644 break;
645 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800646 }
647}
648
Siarhei Vishniakou61291d42019-02-11 18:13:20 -0800649static bool isAppSwitchKeyCode(int32_t keyCode) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700650 return keyCode == AKEYCODE_HOME || keyCode == AKEYCODE_ENDCALL ||
651 keyCode == AKEYCODE_APP_SWITCH;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800652}
653
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700654bool InputDispatcher::isAppSwitchKeyEvent(const KeyEntry& keyEntry) {
655 return !(keyEntry.flags & AKEY_EVENT_FLAG_CANCELED) && isAppSwitchKeyCode(keyEntry.keyCode) &&
656 (keyEntry.policyFlags & POLICY_FLAG_TRUSTED) &&
657 (keyEntry.policyFlags & POLICY_FLAG_PASS_TO_USER);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800658}
659
660bool InputDispatcher::isAppSwitchPendingLocked() {
661 return mAppSwitchDueTime != LONG_LONG_MAX;
662}
663
664void InputDispatcher::resetPendingAppSwitchLocked(bool handled) {
665 mAppSwitchDueTime = LONG_LONG_MAX;
666
667#if DEBUG_APP_SWITCH
668 if (handled) {
669 ALOGD("App switch has arrived.");
670 } else {
671 ALOGD("App switch was abandoned.");
672 }
673#endif
674}
675
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700676bool InputDispatcher::isStaleEvent(nsecs_t currentTime, const EventEntry& entry) {
677 return currentTime - entry.eventTime >= STALE_EVENT_TIMEOUT;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800678}
679
680bool InputDispatcher::haveCommandsLocked() const {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700681 return !mCommandQueue.empty();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800682}
683
684bool InputDispatcher::runCommandsLockedInterruptible() {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700685 if (mCommandQueue.empty()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800686 return false;
687 }
688
689 do {
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700690 std::unique_ptr<CommandEntry> commandEntry = std::move(mCommandQueue.front());
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700691 mCommandQueue.pop_front();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800692 Command command = commandEntry->command;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700693 command(*this, commandEntry.get()); // commands are implicitly 'LockedInterruptible'
Michael Wrightd02c5b62014-02-10 15:10:22 -0800694
695 commandEntry->connection.clear();
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700696 } while (!mCommandQueue.empty());
Michael Wrightd02c5b62014-02-10 15:10:22 -0800697 return true;
698}
699
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700700void InputDispatcher::postCommandLocked(std::unique_ptr<CommandEntry> commandEntry) {
701 mCommandQueue.push_back(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -0800702}
703
704void InputDispatcher::drainInboundQueueLocked() {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -0700705 while (!mInboundQueue.empty()) {
706 EventEntry* entry = mInboundQueue.front();
707 mInboundQueue.pop_front();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800708 releaseInboundEventLocked(entry);
709 }
710 traceInboundQueueLengthLocked();
711}
712
713void InputDispatcher::releasePendingEventLocked() {
714 if (mPendingEvent) {
715 resetANRTimeoutsLocked();
716 releaseInboundEventLocked(mPendingEvent);
Yi Kong9b14ac62018-07-17 13:48:38 -0700717 mPendingEvent = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800718 }
719}
720
721void InputDispatcher::releaseInboundEventLocked(EventEntry* entry) {
722 InjectionState* injectionState = entry->injectionState;
723 if (injectionState && injectionState->injectionResult == INPUT_EVENT_INJECTION_PENDING) {
724#if DEBUG_DISPATCH_CYCLE
725 ALOGD("Injected inbound event was dropped.");
726#endif
Siarhei Vishniakou62683e82019-03-06 17:59:56 -0800727 setInjectionResult(entry, INPUT_EVENT_INJECTION_FAILED);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800728 }
729 if (entry == mNextUnblockedEvent) {
Yi Kong9b14ac62018-07-17 13:48:38 -0700730 mNextUnblockedEvent = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800731 }
732 addRecentEventLocked(entry);
733 entry->release();
734}
735
736void InputDispatcher::resetKeyRepeatLocked() {
737 if (mKeyRepeatState.lastKeyEntry) {
738 mKeyRepeatState.lastKeyEntry->release();
Yi Kong9b14ac62018-07-17 13:48:38 -0700739 mKeyRepeatState.lastKeyEntry = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800740 }
741}
742
Garfield Tane84e6f92019-08-29 17:28:41 -0700743KeyEntry* InputDispatcher::synthesizeKeyRepeatLocked(nsecs_t currentTime) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800744 KeyEntry* entry = mKeyRepeatState.lastKeyEntry;
745
746 // Reuse the repeated key entry if it is otherwise unreferenced.
Michael Wright2e732952014-09-24 13:26:59 -0700747 uint32_t policyFlags = entry->policyFlags &
748 (POLICY_FLAG_RAW_MASK | POLICY_FLAG_PASS_TO_USER | POLICY_FLAG_TRUSTED);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800749 if (entry->refCount == 1) {
750 entry->recycle();
751 entry->eventTime = currentTime;
752 entry->policyFlags = policyFlags;
753 entry->repeatCount += 1;
754 } else {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700755 KeyEntry* newEntry =
756 new KeyEntry(SYNTHESIZED_EVENT_SEQUENCE_NUM, currentTime, entry->deviceId,
757 entry->source, entry->displayId, policyFlags, entry->action,
758 entry->flags, entry->keyCode, entry->scanCode, entry->metaState,
759 entry->repeatCount + 1, entry->downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800760
761 mKeyRepeatState.lastKeyEntry = newEntry;
762 entry->release();
763
764 entry = newEntry;
765 }
766 entry->syntheticRepeat = true;
767
768 // Increment reference count since we keep a reference to the event in
769 // mKeyRepeatState.lastKeyEntry in addition to the one we return.
770 entry->refCount += 1;
771
772 mKeyRepeatState.nextRepeatTime = currentTime + mConfig.keyRepeatDelay;
773 return entry;
774}
775
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700776bool InputDispatcher::dispatchConfigurationChangedLocked(nsecs_t currentTime,
777 ConfigurationChangedEntry* entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800778#if DEBUG_OUTBOUND_EVENT_DETAILS
Siarhei Vishniakou5d83f602017-09-12 12:40:29 -0700779 ALOGD("dispatchConfigurationChanged - eventTime=%" PRId64, entry->eventTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800780#endif
781
782 // Reset key repeating in case a keyboard device was added or removed or something.
783 resetKeyRepeatLocked();
784
785 // Enqueue a command to run outside the lock to tell the policy that the configuration changed.
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700786 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
787 &InputDispatcher::doNotifyConfigurationChangedLockedInterruptible);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800788 commandEntry->eventTime = entry->eventTime;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700789 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -0800790 return true;
791}
792
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700793bool InputDispatcher::dispatchDeviceResetLocked(nsecs_t currentTime, DeviceResetEntry* entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800794#if DEBUG_OUTBOUND_EVENT_DETAILS
Siarhei Vishniakou5d83f602017-09-12 12:40:29 -0700795 ALOGD("dispatchDeviceReset - eventTime=%" PRId64 ", deviceId=%d", entry->eventTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700796 entry->deviceId);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800797#endif
798
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700799 CancelationOptions options(CancelationOptions::CANCEL_ALL_EVENTS, "device was reset");
Michael Wrightd02c5b62014-02-10 15:10:22 -0800800 options.deviceId = entry->deviceId;
801 synthesizeCancelationEventsForAllConnectionsLocked(options);
802 return true;
803}
804
805bool InputDispatcher::dispatchKeyLocked(nsecs_t currentTime, KeyEntry* entry,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700806 DropReason* dropReason, nsecs_t* nextWakeupTime) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800807 // Preprocessing.
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700808 if (!entry->dispatchInProgress) {
809 if (entry->repeatCount == 0 && entry->action == AKEY_EVENT_ACTION_DOWN &&
810 (entry->policyFlags & POLICY_FLAG_TRUSTED) &&
811 (!(entry->policyFlags & POLICY_FLAG_DISABLE_KEY_REPEAT))) {
812 if (mKeyRepeatState.lastKeyEntry &&
813 mKeyRepeatState.lastKeyEntry->keyCode == entry->keyCode) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800814 // We have seen two identical key downs in a row which indicates that the device
815 // driver is automatically generating key repeats itself. We take note of the
816 // repeat here, but we disable our own next key repeat timer since it is clear that
817 // we will not need to synthesize key repeats ourselves.
818 entry->repeatCount = mKeyRepeatState.lastKeyEntry->repeatCount + 1;
819 resetKeyRepeatLocked();
820 mKeyRepeatState.nextRepeatTime = LONG_LONG_MAX; // don't generate repeats ourselves
821 } else {
822 // Not a repeat. Save key down state in case we do see a repeat later.
823 resetKeyRepeatLocked();
824 mKeyRepeatState.nextRepeatTime = entry->eventTime + mConfig.keyRepeatTimeout;
825 }
826 mKeyRepeatState.lastKeyEntry = entry;
827 entry->refCount += 1;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700828 } else if (!entry->syntheticRepeat) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800829 resetKeyRepeatLocked();
830 }
831
832 if (entry->repeatCount == 1) {
833 entry->flags |= AKEY_EVENT_FLAG_LONG_PRESS;
834 } else {
835 entry->flags &= ~AKEY_EVENT_FLAG_LONG_PRESS;
836 }
837
838 entry->dispatchInProgress = true;
839
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700840 logOutboundKeyDetails("dispatchKey - ", *entry);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800841 }
842
843 // Handle case where the policy asked us to try again later last time.
844 if (entry->interceptKeyResult == KeyEntry::INTERCEPT_KEY_RESULT_TRY_AGAIN_LATER) {
845 if (currentTime < entry->interceptKeyWakeupTime) {
846 if (entry->interceptKeyWakeupTime < *nextWakeupTime) {
847 *nextWakeupTime = entry->interceptKeyWakeupTime;
848 }
849 return false; // wait until next wakeup
850 }
851 entry->interceptKeyResult = KeyEntry::INTERCEPT_KEY_RESULT_UNKNOWN;
852 entry->interceptKeyWakeupTime = 0;
853 }
854
855 // Give the policy a chance to intercept the key.
856 if (entry->interceptKeyResult == KeyEntry::INTERCEPT_KEY_RESULT_UNKNOWN) {
857 if (entry->policyFlags & POLICY_FLAG_PASS_TO_USER) {
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700858 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
Siarhei Vishniakou49a350a2019-07-26 18:44:23 -0700859 &InputDispatcher::doInterceptKeyBeforeDispatchingLockedInterruptible);
Tiger Huang721e26f2018-07-24 22:26:19 +0800860 sp<InputWindowHandle> focusedWindowHandle =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700861 getValueByKey(mFocusedWindowHandlesByDisplay, getTargetDisplayId(*entry));
Tiger Huang721e26f2018-07-24 22:26:19 +0800862 if (focusedWindowHandle != nullptr) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700863 commandEntry->inputChannel = getInputChannelLocked(focusedWindowHandle->getToken());
Michael Wrightd02c5b62014-02-10 15:10:22 -0800864 }
865 commandEntry->keyEntry = entry;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -0700866 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -0800867 entry->refCount += 1;
868 return false; // wait for the command to run
869 } else {
870 entry->interceptKeyResult = KeyEntry::INTERCEPT_KEY_RESULT_CONTINUE;
871 }
872 } else if (entry->interceptKeyResult == KeyEntry::INTERCEPT_KEY_RESULT_SKIP) {
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700873 if (*dropReason == DropReason::NOT_DROPPED) {
874 *dropReason = DropReason::POLICY;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800875 }
876 }
877
878 // Clean up if dropping the event.
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700879 if (*dropReason != DropReason::NOT_DROPPED) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700880 setInjectionResult(entry,
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700881 *dropReason == DropReason::POLICY ? INPUT_EVENT_INJECTION_SUCCEEDED
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700882 : INPUT_EVENT_INJECTION_FAILED);
Prabir Pradhanf93562f2018-11-29 12:13:37 -0800883 mReporter->reportDroppedKey(entry->sequenceNum);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800884 return true;
885 }
886
887 // Identify targets.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +0800888 std::vector<InputTarget> inputTargets;
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700889 int32_t injectionResult =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700890 findFocusedWindowTargetsLocked(currentTime, *entry, inputTargets, nextWakeupTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800891 if (injectionResult == INPUT_EVENT_INJECTION_PENDING) {
892 return false;
893 }
894
Siarhei Vishniakou62683e82019-03-06 17:59:56 -0800895 setInjectionResult(entry, injectionResult);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800896 if (injectionResult != INPUT_EVENT_INJECTION_SUCCEEDED) {
897 return true;
898 }
899
Arthur Hung2fbf37f2018-09-13 18:16:41 +0800900 // Add monitor channels from event's or focused display.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700901 addGlobalMonitoringTargetsLocked(inputTargets, getTargetDisplayId(*entry));
Michael Wrightd02c5b62014-02-10 15:10:22 -0800902
903 // Dispatch the key.
904 dispatchEventLocked(currentTime, entry, inputTargets);
905 return true;
906}
907
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700908void InputDispatcher::logOutboundKeyDetails(const char* prefix, const KeyEntry& entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800909#if DEBUG_OUTBOUND_EVENT_DETAILS
Siarhei Vishniakoua62a8dd2018-06-08 21:17:33 +0100910 ALOGD("%seventTime=%" PRId64 ", deviceId=%d, source=0x%x, displayId=%" PRId32 ", "
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700911 "policyFlags=0x%x, action=0x%x, flags=0x%x, keyCode=0x%x, scanCode=0x%x, "
912 "metaState=0x%x, repeatCount=%d, downTime=%" PRId64,
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700913 prefix, entry.eventTime, entry.deviceId, entry.source, entry.displayId, entry.policyFlags,
914 entry.action, entry.flags, entry.keyCode, entry.scanCode, entry.metaState,
915 entry.repeatCount, entry.downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800916#endif
917}
918
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700919bool InputDispatcher::dispatchMotionLocked(nsecs_t currentTime, MotionEntry* entry,
920 DropReason* dropReason, nsecs_t* nextWakeupTime) {
Michael Wright3dd60e22019-03-27 22:06:44 +0000921 ATRACE_CALL();
Michael Wrightd02c5b62014-02-10 15:10:22 -0800922 // Preprocessing.
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700923 if (!entry->dispatchInProgress) {
Michael Wrightd02c5b62014-02-10 15:10:22 -0800924 entry->dispatchInProgress = true;
925
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700926 logOutboundMotionDetails("dispatchMotion - ", *entry);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800927 }
928
929 // Clean up if dropping the event.
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700930 if (*dropReason != DropReason::NOT_DROPPED) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700931 setInjectionResult(entry,
Siarhei Vishniakou0fb1a0e2019-10-22 11:23:36 -0700932 *dropReason == DropReason::POLICY ? INPUT_EVENT_INJECTION_SUCCEEDED
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700933 : INPUT_EVENT_INJECTION_FAILED);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800934 return true;
935 }
936
937 bool isPointerEvent = entry->source & AINPUT_SOURCE_CLASS_POINTER;
938
939 // Identify targets.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +0800940 std::vector<InputTarget> inputTargets;
Michael Wrightd02c5b62014-02-10 15:10:22 -0800941
942 bool conflictingPointerActions = false;
943 int32_t injectionResult;
944 if (isPointerEvent) {
945 // Pointer event. (eg. touchscreen)
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700946 injectionResult =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700947 findTouchedWindowTargetsLocked(currentTime, *entry, inputTargets, nextWakeupTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700948 &conflictingPointerActions);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800949 } else {
950 // Non touch event. (eg. trackball)
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700951 injectionResult =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700952 findFocusedWindowTargetsLocked(currentTime, *entry, inputTargets, nextWakeupTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800953 }
954 if (injectionResult == INPUT_EVENT_INJECTION_PENDING) {
955 return false;
956 }
957
Siarhei Vishniakou62683e82019-03-06 17:59:56 -0800958 setInjectionResult(entry, injectionResult);
Michael Wrightd02c5b62014-02-10 15:10:22 -0800959 if (injectionResult != INPUT_EVENT_INJECTION_SUCCEEDED) {
Michael Wrightfa13dcf2015-06-12 13:25:11 +0100960 if (injectionResult != INPUT_EVENT_INJECTION_PERMISSION_DENIED) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700961 CancelationOptions::Mode mode(isPointerEvent
962 ? CancelationOptions::CANCEL_POINTER_EVENTS
963 : CancelationOptions::CANCEL_NON_POINTER_EVENTS);
Michael Wrightfa13dcf2015-06-12 13:25:11 +0100964 CancelationOptions options(mode, "input event injection failed");
965 synthesizeCancelationEventsForMonitorsLocked(options);
966 }
Michael Wrightd02c5b62014-02-10 15:10:22 -0800967 return true;
968 }
969
Arthur Hung2fbf37f2018-09-13 18:16:41 +0800970 // Add monitor channels from event's or focused display.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700971 addGlobalMonitoringTargetsLocked(inputTargets, getTargetDisplayId(*entry));
Michael Wrightd02c5b62014-02-10 15:10:22 -0800972
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800973 if (isPointerEvent) {
974 ssize_t stateIndex = mTouchStatesByDisplay.indexOfKey(entry->displayId);
975 if (stateIndex >= 0) {
976 const TouchState& state = mTouchStatesByDisplay.valueAt(stateIndex);
Arthur Hung7c3ae9c2019-03-11 11:23:03 +0800977 if (!state.portalWindows.empty()) {
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800978 // The event has gone through these portal windows, so we add monitoring targets of
979 // the corresponding displays as well.
980 for (size_t i = 0; i < state.portalWindows.size(); i++) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +0800981 const InputWindowInfo* windowInfo = state.portalWindows[i]->getInfo();
Michael Wright3dd60e22019-03-27 22:06:44 +0000982 addGlobalMonitoringTargetsLocked(inputTargets, windowInfo->portalToDisplayId,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700983 -windowInfo->frameLeft, -windowInfo->frameTop);
Tiger Huang85b8c5e2019-01-17 18:34:54 +0800984 }
985 }
986 }
987 }
988
Michael Wrightd02c5b62014-02-10 15:10:22 -0800989 // Dispatch the motion.
990 if (conflictingPointerActions) {
991 CancelationOptions options(CancelationOptions::CANCEL_POINTER_EVENTS,
Garfield Tan0fc2fa72019-08-29 17:22:15 -0700992 "conflicting pointer actions");
Michael Wrightd02c5b62014-02-10 15:10:22 -0800993 synthesizeCancelationEventsForAllConnectionsLocked(options);
994 }
995 dispatchEventLocked(currentTime, entry, inputTargets);
996 return true;
997}
998
Siarhei Vishniakoud2770042019-10-29 11:08:14 -0700999void InputDispatcher::logOutboundMotionDetails(const char* prefix, const MotionEntry& entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001000#if DEBUG_OUTBOUND_EVENT_DETAILS
Siarhei Vishniakou777a10b2018-01-31 16:45:06 -08001001 ALOGD("%seventTime=%" PRId64 ", deviceId=%d, source=0x%x, displayId=%" PRId32
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001002 ", policyFlags=0x%x, "
1003 "action=0x%x, actionButton=0x%x, flags=0x%x, "
1004 "metaState=0x%x, buttonState=0x%x,"
1005 "edgeFlags=0x%x, xPrecision=%f, yPrecision=%f, downTime=%" PRId64,
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001006 prefix, entry.eventTime, entry.deviceId, entry.source, entry.displayId, entry.policyFlags,
1007 entry.action, entry.actionButton, entry.flags, entry.metaState, entry.buttonState,
1008 entry.edgeFlags, entry.xPrecision, entry.yPrecision, entry.downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001009
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001010 for (uint32_t i = 0; i < entry.pointerCount; i++) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001011 ALOGD(" Pointer %d: id=%d, toolType=%d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001012 "x=%f, y=%f, pressure=%f, size=%f, "
1013 "touchMajor=%f, touchMinor=%f, toolMajor=%f, toolMinor=%f, "
1014 "orientation=%f",
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001015 i, entry.pointerProperties[i].id, entry.pointerProperties[i].toolType,
1016 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_X),
1017 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_Y),
1018 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_PRESSURE),
1019 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_SIZE),
1020 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOUCH_MAJOR),
1021 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOUCH_MINOR),
1022 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOOL_MAJOR),
1023 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOOL_MINOR),
1024 entry.pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_ORIENTATION));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001025 }
1026#endif
1027}
1028
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001029void InputDispatcher::dispatchEventLocked(nsecs_t currentTime, EventEntry* eventEntry,
1030 const std::vector<InputTarget>& inputTargets) {
Michael Wright3dd60e22019-03-27 22:06:44 +00001031 ATRACE_CALL();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001032#if DEBUG_DISPATCH_CYCLE
1033 ALOGD("dispatchEventToCurrentInputTargets");
1034#endif
1035
1036 ALOG_ASSERT(eventEntry->dispatchInProgress); // should already have been set to true
1037
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001038 pokeUserActivityLocked(*eventEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001039
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001040 for (const InputTarget& inputTarget : inputTargets) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07001041 sp<Connection> connection = getConnectionLocked(inputTarget.inputChannel->getToken());
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07001042 if (connection != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001043 prepareDispatchCycleLocked(currentTime, connection, eventEntry, &inputTarget);
1044 } else {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001045 if (DEBUG_FOCUS) {
1046 ALOGD("Dropping event delivery to target with channel '%s' because it "
1047 "is no longer registered with the input dispatcher.",
1048 inputTarget.inputChannel->getName().c_str());
1049 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001050 }
1051 }
1052}
1053
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001054int32_t InputDispatcher::handleTargetsNotReadyLocked(
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001055 nsecs_t currentTime, const EventEntry& entry,
Michael Wrightd02c5b62014-02-10 15:10:22 -08001056 const sp<InputApplicationHandle>& applicationHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001057 const sp<InputWindowHandle>& windowHandle, nsecs_t* nextWakeupTime, const char* reason) {
Yi Kong9b14ac62018-07-17 13:48:38 -07001058 if (applicationHandle == nullptr && windowHandle == nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001059 if (mInputTargetWaitCause != INPUT_TARGET_WAIT_CAUSE_SYSTEM_NOT_READY) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001060 if (DEBUG_FOCUS) {
1061 ALOGD("Waiting for system to become ready for input. Reason: %s", reason);
1062 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001063 mInputTargetWaitCause = INPUT_TARGET_WAIT_CAUSE_SYSTEM_NOT_READY;
1064 mInputTargetWaitStartTime = currentTime;
1065 mInputTargetWaitTimeoutTime = LONG_LONG_MAX;
1066 mInputTargetWaitTimeoutExpired = false;
Robert Carr740167f2018-10-11 19:03:41 -07001067 mInputTargetWaitApplicationToken.clear();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001068 }
1069 } else {
1070 if (mInputTargetWaitCause != INPUT_TARGET_WAIT_CAUSE_APPLICATION_NOT_READY) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001071 if (DEBUG_FOCUS) {
1072 ALOGD("Waiting for application to become ready for input: %s. Reason: %s",
1073 getApplicationWindowLabel(applicationHandle, windowHandle).c_str(), reason);
1074 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001075 nsecs_t timeout;
Yi Kong9b14ac62018-07-17 13:48:38 -07001076 if (windowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001077 timeout = windowHandle->getDispatchingTimeout(DEFAULT_INPUT_DISPATCHING_TIMEOUT);
Yi Kong9b14ac62018-07-17 13:48:38 -07001078 } else if (applicationHandle != nullptr) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001079 timeout =
1080 applicationHandle->getDispatchingTimeout(DEFAULT_INPUT_DISPATCHING_TIMEOUT);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001081 } else {
1082 timeout = DEFAULT_INPUT_DISPATCHING_TIMEOUT;
1083 }
1084
1085 mInputTargetWaitCause = INPUT_TARGET_WAIT_CAUSE_APPLICATION_NOT_READY;
1086 mInputTargetWaitStartTime = currentTime;
1087 mInputTargetWaitTimeoutTime = currentTime + timeout;
1088 mInputTargetWaitTimeoutExpired = false;
Robert Carr740167f2018-10-11 19:03:41 -07001089 mInputTargetWaitApplicationToken.clear();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001090
Yi Kong9b14ac62018-07-17 13:48:38 -07001091 if (windowHandle != nullptr) {
Robert Carr740167f2018-10-11 19:03:41 -07001092 mInputTargetWaitApplicationToken = windowHandle->getApplicationToken();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001093 }
Robert Carr740167f2018-10-11 19:03:41 -07001094 if (mInputTargetWaitApplicationToken == nullptr && applicationHandle != nullptr) {
1095 mInputTargetWaitApplicationToken = applicationHandle->getApplicationToken();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001096 }
1097 }
1098 }
1099
1100 if (mInputTargetWaitTimeoutExpired) {
1101 return INPUT_EVENT_INJECTION_TIMED_OUT;
1102 }
1103
1104 if (currentTime >= mInputTargetWaitTimeoutTime) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001105 onANRLocked(currentTime, applicationHandle, windowHandle, entry.eventTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001106 mInputTargetWaitStartTime, reason);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001107
1108 // Force poll loop to wake up immediately on next iteration once we get the
1109 // ANR response back from the policy.
1110 *nextWakeupTime = LONG_LONG_MIN;
1111 return INPUT_EVENT_INJECTION_PENDING;
1112 } else {
1113 // Force poll loop to wake up when timeout is due.
1114 if (mInputTargetWaitTimeoutTime < *nextWakeupTime) {
1115 *nextWakeupTime = mInputTargetWaitTimeoutTime;
1116 }
1117 return INPUT_EVENT_INJECTION_PENDING;
1118 }
1119}
1120
Robert Carr803535b2018-08-02 16:38:15 -07001121void InputDispatcher::removeWindowByTokenLocked(const sp<IBinder>& token) {
1122 for (size_t d = 0; d < mTouchStatesByDisplay.size(); d++) {
1123 TouchState& state = mTouchStatesByDisplay.editValueAt(d);
1124 state.removeWindowByToken(token);
1125 }
1126}
1127
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001128void InputDispatcher::resumeAfterTargetsNotReadyTimeoutLocked(
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07001129 nsecs_t newTimeout, const sp<IBinder>& inputConnectionToken) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001130 if (newTimeout > 0) {
1131 // Extend the timeout.
1132 mInputTargetWaitTimeoutTime = now() + newTimeout;
1133 } else {
1134 // Give up.
1135 mInputTargetWaitTimeoutExpired = true;
1136
1137 // Input state will not be realistic. Mark it out of sync.
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07001138 sp<Connection> connection = getConnectionLocked(inputConnectionToken);
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07001139 if (connection != nullptr) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07001140 removeWindowByTokenLocked(inputConnectionToken);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001141
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07001142 if (connection->status == Connection::STATUS_NORMAL) {
1143 CancelationOptions options(CancelationOptions::CANCEL_ALL_EVENTS,
1144 "application not responding");
1145 synthesizeCancelationEventsForConnectionLocked(connection, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001146 }
1147 }
1148 }
1149}
1150
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001151nsecs_t InputDispatcher::getTimeSpentWaitingForApplicationLocked(nsecs_t currentTime) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001152 if (mInputTargetWaitCause == INPUT_TARGET_WAIT_CAUSE_APPLICATION_NOT_READY) {
1153 return currentTime - mInputTargetWaitStartTime;
1154 }
1155 return 0;
1156}
1157
1158void InputDispatcher::resetANRTimeoutsLocked() {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001159 if (DEBUG_FOCUS) {
1160 ALOGD("Resetting ANR timeouts.");
1161 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001162
1163 // Reset input target wait timeout.
1164 mInputTargetWaitCause = INPUT_TARGET_WAIT_CAUSE_NONE;
Robert Carr740167f2018-10-11 19:03:41 -07001165 mInputTargetWaitApplicationToken.clear();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001166}
1167
Tiger Huang721e26f2018-07-24 22:26:19 +08001168/**
1169 * Get the display id that the given event should go to. If this event specifies a valid display id,
1170 * then it should be dispatched to that display. Otherwise, the event goes to the focused display.
1171 * Focused display is the display that the user most recently interacted with.
1172 */
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001173int32_t InputDispatcher::getTargetDisplayId(const EventEntry& entry) {
Tiger Huang721e26f2018-07-24 22:26:19 +08001174 int32_t displayId;
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001175 switch (entry.type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001176 case EventEntry::TYPE_KEY: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001177 const KeyEntry& keyEntry = static_cast<const KeyEntry&>(entry);
1178 displayId = keyEntry.displayId;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001179 break;
1180 }
1181 case EventEntry::TYPE_MOTION: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001182 const MotionEntry& motionEntry = static_cast<const MotionEntry&>(entry);
1183 displayId = motionEntry.displayId;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001184 break;
1185 }
1186 default: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001187 ALOGE("Unsupported event type '%" PRId32 "' for target display.", entry.type);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001188 return ADISPLAY_ID_NONE;
1189 }
Tiger Huang721e26f2018-07-24 22:26:19 +08001190 }
1191 return displayId == ADISPLAY_ID_NONE ? mFocusedDisplayId : displayId;
1192}
1193
Michael Wrightd02c5b62014-02-10 15:10:22 -08001194int32_t InputDispatcher::findFocusedWindowTargetsLocked(nsecs_t currentTime,
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001195 const EventEntry& entry,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001196 std::vector<InputTarget>& inputTargets,
1197 nsecs_t* nextWakeupTime) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001198 int32_t injectionResult;
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001199 std::string reason;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001200
Tiger Huang721e26f2018-07-24 22:26:19 +08001201 int32_t displayId = getTargetDisplayId(entry);
1202 sp<InputWindowHandle> focusedWindowHandle =
1203 getValueByKey(mFocusedWindowHandlesByDisplay, displayId);
1204 sp<InputApplicationHandle> focusedApplicationHandle =
1205 getValueByKey(mFocusedApplicationHandlesByDisplay, displayId);
1206
Michael Wrightd02c5b62014-02-10 15:10:22 -08001207 // If there is no currently focused window and no focused application
1208 // then drop the event.
Tiger Huang721e26f2018-07-24 22:26:19 +08001209 if (focusedWindowHandle == nullptr) {
1210 if (focusedApplicationHandle != nullptr) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001211 injectionResult =
1212 handleTargetsNotReadyLocked(currentTime, entry, focusedApplicationHandle,
1213 nullptr, nextWakeupTime,
1214 "Waiting because no window has focus but there is "
1215 "a focused application that may eventually add a "
1216 "window when it finishes starting up.");
Michael Wrightd02c5b62014-02-10 15:10:22 -08001217 goto Unresponsive;
1218 }
1219
Arthur Hung3b413f22018-10-26 18:05:34 +08001220 ALOGI("Dropping event because there is no focused window or focused application in display "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001221 "%" PRId32 ".",
1222 displayId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001223 injectionResult = INPUT_EVENT_INJECTION_FAILED;
1224 goto Failed;
1225 }
1226
1227 // Check permissions.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001228 if (!checkInjectionPermission(focusedWindowHandle, entry.injectionState)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001229 injectionResult = INPUT_EVENT_INJECTION_PERMISSION_DENIED;
1230 goto Failed;
1231 }
1232
Jeff Brownffb49772014-10-10 19:01:34 -07001233 // Check whether the window is ready for more input.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001234 reason = checkWindowReadyForMoreInputLocked(currentTime, focusedWindowHandle, entry, "focused");
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001235 if (!reason.empty()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001236 injectionResult =
1237 handleTargetsNotReadyLocked(currentTime, entry, focusedApplicationHandle,
1238 focusedWindowHandle, nextWakeupTime, reason.c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001239 goto Unresponsive;
1240 }
1241
1242 // Success! Output targets.
1243 injectionResult = INPUT_EVENT_INJECTION_SUCCEEDED;
Tiger Huang721e26f2018-07-24 22:26:19 +08001244 addWindowTargetLocked(focusedWindowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001245 InputTarget::FLAG_FOREGROUND | InputTarget::FLAG_DISPATCH_AS_IS,
1246 BitSet32(0), inputTargets);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001247
1248 // Done.
1249Failed:
1250Unresponsive:
1251 nsecs_t timeSpentWaitingForApplication = getTimeSpentWaitingForApplicationLocked(currentTime);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08001252 updateDispatchStatistics(currentTime, entry, injectionResult, timeSpentWaitingForApplication);
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001253 if (DEBUG_FOCUS) {
1254 ALOGD("findFocusedWindow finished: injectionResult=%d, "
1255 "timeSpentWaitingForApplication=%0.1fms",
1256 injectionResult, timeSpentWaitingForApplication / 1000000.0);
1257 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001258 return injectionResult;
1259}
1260
1261int32_t InputDispatcher::findTouchedWindowTargetsLocked(nsecs_t currentTime,
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001262 const MotionEntry& entry,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001263 std::vector<InputTarget>& inputTargets,
1264 nsecs_t* nextWakeupTime,
1265 bool* outConflictingPointerActions) {
Michael Wright3dd60e22019-03-27 22:06:44 +00001266 ATRACE_CALL();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001267 enum InjectionPermission {
1268 INJECTION_PERMISSION_UNKNOWN,
1269 INJECTION_PERMISSION_GRANTED,
1270 INJECTION_PERMISSION_DENIED
1271 };
1272
Michael Wrightd02c5b62014-02-10 15:10:22 -08001273 // For security reasons, we defer updating the touch state until we are sure that
1274 // event injection will be allowed.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001275 int32_t displayId = entry.displayId;
1276 int32_t action = entry.action;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001277 int32_t maskedAction = action & AMOTION_EVENT_ACTION_MASK;
1278
1279 // Update the touch state as needed based on the properties of the touch event.
1280 int32_t injectionResult = INPUT_EVENT_INJECTION_PENDING;
1281 InjectionPermission injectionPermission = INJECTION_PERMISSION_UNKNOWN;
1282 sp<InputWindowHandle> newHoverWindowHandle;
1283
Jeff Brownf086ddb2014-02-11 14:28:48 -08001284 // Copy current touch state into mTempTouchState.
1285 // This state is always reset at the end of this function, so if we don't find state
1286 // for the specified display then our initial state will be empty.
Yi Kong9b14ac62018-07-17 13:48:38 -07001287 const TouchState* oldState = nullptr;
Jeff Brownf086ddb2014-02-11 14:28:48 -08001288 ssize_t oldStateIndex = mTouchStatesByDisplay.indexOfKey(displayId);
1289 if (oldStateIndex >= 0) {
1290 oldState = &mTouchStatesByDisplay.valueAt(oldStateIndex);
1291 mTempTouchState.copyFrom(*oldState);
1292 }
1293
1294 bool isSplit = mTempTouchState.split;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001295 bool switchedDevice = mTempTouchState.deviceId >= 0 && mTempTouchState.displayId >= 0 &&
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001296 (mTempTouchState.deviceId != entry.deviceId || mTempTouchState.source != entry.source ||
1297 mTempTouchState.displayId != displayId);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001298 bool isHoverAction = (maskedAction == AMOTION_EVENT_ACTION_HOVER_MOVE ||
1299 maskedAction == AMOTION_EVENT_ACTION_HOVER_ENTER ||
1300 maskedAction == AMOTION_EVENT_ACTION_HOVER_EXIT);
1301 bool newGesture = (maskedAction == AMOTION_EVENT_ACTION_DOWN ||
1302 maskedAction == AMOTION_EVENT_ACTION_SCROLL || isHoverAction);
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001303 const bool isFromMouse = entry.source == AINPUT_SOURCE_MOUSE;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001304 bool wrongDevice = false;
1305 if (newGesture) {
1306 bool down = maskedAction == AMOTION_EVENT_ACTION_DOWN;
Kevin Schoedel1eb587b2017-05-03 13:58:56 -04001307 if (switchedDevice && mTempTouchState.down && !down && !isHoverAction) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001308 if (DEBUG_FOCUS) {
1309 ALOGD("Dropping event because a pointer for a different device is already down "
1310 "in display %" PRId32,
1311 displayId);
1312 }
Kevin Schoedel1eb587b2017-05-03 13:58:56 -04001313 // TODO: test multiple simultaneous input streams.
Michael Wrightd02c5b62014-02-10 15:10:22 -08001314 injectionResult = INPUT_EVENT_INJECTION_FAILED;
1315 switchedDevice = false;
1316 wrongDevice = true;
1317 goto Failed;
1318 }
1319 mTempTouchState.reset();
1320 mTempTouchState.down = down;
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001321 mTempTouchState.deviceId = entry.deviceId;
1322 mTempTouchState.source = entry.source;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001323 mTempTouchState.displayId = displayId;
1324 isSplit = false;
Kevin Schoedel1eb587b2017-05-03 13:58:56 -04001325 } else if (switchedDevice && maskedAction == AMOTION_EVENT_ACTION_MOVE) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001326 if (DEBUG_FOCUS) {
1327 ALOGI("Dropping move event because a pointer for a different device is already active "
1328 "in display %" PRId32,
1329 displayId);
1330 }
Kevin Schoedel1eb587b2017-05-03 13:58:56 -04001331 // TODO: test multiple simultaneous input streams.
1332 injectionResult = INPUT_EVENT_INJECTION_PERMISSION_DENIED;
1333 switchedDevice = false;
1334 wrongDevice = true;
1335 goto Failed;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001336 }
1337
1338 if (newGesture || (isSplit && maskedAction == AMOTION_EVENT_ACTION_POINTER_DOWN)) {
1339 /* Case 1: New splittable pointer going down, or need target for hover or scroll. */
1340
Garfield Tan00f511d2019-06-12 16:55:40 -07001341 int32_t x;
1342 int32_t y;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001343 int32_t pointerIndex = getMotionEventActionPointerIndex(action);
Garfield Tan00f511d2019-06-12 16:55:40 -07001344 // Always dispatch mouse events to cursor position.
1345 if (isFromMouse) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001346 x = int32_t(entry.xCursorPosition);
1347 y = int32_t(entry.yCursorPosition);
Garfield Tan00f511d2019-06-12 16:55:40 -07001348 } else {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001349 x = int32_t(entry.pointerCoords[pointerIndex].getAxisValue(AMOTION_EVENT_AXIS_X));
1350 y = int32_t(entry.pointerCoords[pointerIndex].getAxisValue(AMOTION_EVENT_AXIS_Y));
Garfield Tan00f511d2019-06-12 16:55:40 -07001351 }
Michael Wright3dd60e22019-03-27 22:06:44 +00001352 bool isDown = maskedAction == AMOTION_EVENT_ACTION_DOWN;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001353 sp<InputWindowHandle> newTouchedWindowHandle =
1354 findTouchedWindowAtLocked(displayId, x, y, isDown /*addOutsideTargets*/,
1355 true /*addPortalWindows*/);
Michael Wright3dd60e22019-03-27 22:06:44 +00001356
1357 std::vector<TouchedMonitor> newGestureMonitors = isDown
1358 ? findTouchedGestureMonitorsLocked(displayId, mTempTouchState.portalWindows)
1359 : std::vector<TouchedMonitor>{};
Michael Wrightd02c5b62014-02-10 15:10:22 -08001360
Michael Wrightd02c5b62014-02-10 15:10:22 -08001361 // Figure out whether splitting will be allowed for this window.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001362 if (newTouchedWindowHandle != nullptr &&
1363 newTouchedWindowHandle->getInfo()->supportsSplitTouch()) {
Garfield Tanaddb02b2019-06-25 16:36:13 -07001364 // New window supports splitting, but we should never split mouse events.
1365 isSplit = !isFromMouse;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001366 } else if (isSplit) {
1367 // New window does not support splitting but we have already split events.
1368 // Ignore the new window.
Yi Kong9b14ac62018-07-17 13:48:38 -07001369 newTouchedWindowHandle = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001370 }
1371
1372 // Handle the case where we did not find a window.
Yi Kong9b14ac62018-07-17 13:48:38 -07001373 if (newTouchedWindowHandle == nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001374 // Try to assign the pointer to the first foreground window we find, if there is one.
1375 newTouchedWindowHandle = mTempTouchState.getFirstForegroundWindowHandle();
Michael Wright3dd60e22019-03-27 22:06:44 +00001376 }
1377
1378 if (newTouchedWindowHandle == nullptr && newGestureMonitors.empty()) {
1379 ALOGI("Dropping event because there is no touchable window or gesture monitor at "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001380 "(%d, %d) in display %" PRId32 ".",
1381 x, y, displayId);
Michael Wright3dd60e22019-03-27 22:06:44 +00001382 injectionResult = INPUT_EVENT_INJECTION_FAILED;
1383 goto Failed;
1384 }
1385
1386 if (newTouchedWindowHandle != nullptr) {
1387 // Set target flags.
1388 int32_t targetFlags = InputTarget::FLAG_FOREGROUND | InputTarget::FLAG_DISPATCH_AS_IS;
1389 if (isSplit) {
1390 targetFlags |= InputTarget::FLAG_SPLIT;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001391 }
Michael Wright3dd60e22019-03-27 22:06:44 +00001392 if (isWindowObscuredAtPointLocked(newTouchedWindowHandle, x, y)) {
1393 targetFlags |= InputTarget::FLAG_WINDOW_IS_OBSCURED;
1394 } else if (isWindowObscuredLocked(newTouchedWindowHandle)) {
1395 targetFlags |= InputTarget::FLAG_WINDOW_IS_PARTIALLY_OBSCURED;
1396 }
1397
1398 // Update hover state.
1399 if (isHoverAction) {
1400 newHoverWindowHandle = newTouchedWindowHandle;
1401 } else if (maskedAction == AMOTION_EVENT_ACTION_SCROLL) {
1402 newHoverWindowHandle = mLastHoverWindowHandle;
1403 }
1404
1405 // Update the temporary touch state.
1406 BitSet32 pointerIds;
1407 if (isSplit) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001408 uint32_t pointerId = entry.pointerProperties[pointerIndex].id;
Michael Wright3dd60e22019-03-27 22:06:44 +00001409 pointerIds.markBit(pointerId);
1410 }
1411 mTempTouchState.addOrUpdateWindow(newTouchedWindowHandle, targetFlags, pointerIds);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001412 }
1413
Michael Wright3dd60e22019-03-27 22:06:44 +00001414 mTempTouchState.addGestureMonitors(newGestureMonitors);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001415 } else {
1416 /* Case 2: Pointer move, up, cancel or non-splittable pointer down. */
1417
1418 // If the pointer is not currently down, then ignore the event.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001419 if (!mTempTouchState.down) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001420 if (DEBUG_FOCUS) {
1421 ALOGD("Dropping event because the pointer is not down or we previously "
1422 "dropped the pointer down event in display %" PRId32,
1423 displayId);
1424 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001425 injectionResult = INPUT_EVENT_INJECTION_FAILED;
1426 goto Failed;
1427 }
1428
1429 // Check whether touches should slip outside of the current foreground window.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001430 if (maskedAction == AMOTION_EVENT_ACTION_MOVE && entry.pointerCount == 1 &&
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001431 mTempTouchState.isSlippery()) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001432 int32_t x = int32_t(entry.pointerCoords[0].getAxisValue(AMOTION_EVENT_AXIS_X));
1433 int32_t y = int32_t(entry.pointerCoords[0].getAxisValue(AMOTION_EVENT_AXIS_Y));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001434
1435 sp<InputWindowHandle> oldTouchedWindowHandle =
1436 mTempTouchState.getFirstForegroundWindowHandle();
1437 sp<InputWindowHandle> newTouchedWindowHandle =
1438 findTouchedWindowAtLocked(displayId, x, y);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001439 if (oldTouchedWindowHandle != newTouchedWindowHandle &&
1440 oldTouchedWindowHandle != nullptr && newTouchedWindowHandle != nullptr) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001441 if (DEBUG_FOCUS) {
1442 ALOGD("Touch is slipping out of window %s into window %s in display %" PRId32,
1443 oldTouchedWindowHandle->getName().c_str(),
1444 newTouchedWindowHandle->getName().c_str(), displayId);
1445 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001446 // Make a slippery exit from the old window.
1447 mTempTouchState.addOrUpdateWindow(oldTouchedWindowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001448 InputTarget::FLAG_DISPATCH_AS_SLIPPERY_EXIT,
1449 BitSet32(0));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001450
1451 // Make a slippery entrance into the new window.
1452 if (newTouchedWindowHandle->getInfo()->supportsSplitTouch()) {
1453 isSplit = true;
1454 }
1455
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001456 int32_t targetFlags =
1457 InputTarget::FLAG_FOREGROUND | InputTarget::FLAG_DISPATCH_AS_SLIPPERY_ENTER;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001458 if (isSplit) {
1459 targetFlags |= InputTarget::FLAG_SPLIT;
1460 }
1461 if (isWindowObscuredAtPointLocked(newTouchedWindowHandle, x, y)) {
1462 targetFlags |= InputTarget::FLAG_WINDOW_IS_OBSCURED;
1463 }
1464
1465 BitSet32 pointerIds;
1466 if (isSplit) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001467 pointerIds.markBit(entry.pointerProperties[0].id);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001468 }
1469 mTempTouchState.addOrUpdateWindow(newTouchedWindowHandle, targetFlags, pointerIds);
1470 }
1471 }
1472 }
1473
1474 if (newHoverWindowHandle != mLastHoverWindowHandle) {
1475 // Let the previous window know that the hover sequence is over.
Yi Kong9b14ac62018-07-17 13:48:38 -07001476 if (mLastHoverWindowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001477#if DEBUG_HOVER
1478 ALOGD("Sending hover exit event to window %s.",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001479 mLastHoverWindowHandle->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001480#endif
1481 mTempTouchState.addOrUpdateWindow(mLastHoverWindowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001482 InputTarget::FLAG_DISPATCH_AS_HOVER_EXIT,
1483 BitSet32(0));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001484 }
1485
1486 // Let the new window know that the hover sequence is starting.
Yi Kong9b14ac62018-07-17 13:48:38 -07001487 if (newHoverWindowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001488#if DEBUG_HOVER
1489 ALOGD("Sending hover enter event to window %s.",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001490 newHoverWindowHandle->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001491#endif
1492 mTempTouchState.addOrUpdateWindow(newHoverWindowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001493 InputTarget::FLAG_DISPATCH_AS_HOVER_ENTER,
1494 BitSet32(0));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001495 }
1496 }
1497
1498 // Check permission to inject into all touched foreground windows and ensure there
1499 // is at least one touched foreground window.
1500 {
1501 bool haveForegroundWindow = false;
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001502 for (const TouchedWindow& touchedWindow : mTempTouchState.windows) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001503 if (touchedWindow.targetFlags & InputTarget::FLAG_FOREGROUND) {
1504 haveForegroundWindow = true;
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001505 if (!checkInjectionPermission(touchedWindow.windowHandle, entry.injectionState)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001506 injectionResult = INPUT_EVENT_INJECTION_PERMISSION_DENIED;
1507 injectionPermission = INJECTION_PERMISSION_DENIED;
1508 goto Failed;
1509 }
1510 }
1511 }
Michael Wright3dd60e22019-03-27 22:06:44 +00001512 bool hasGestureMonitor = !mTempTouchState.gestureMonitors.empty();
1513 if (!haveForegroundWindow && !hasGestureMonitor) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001514 if (DEBUG_FOCUS) {
1515 ALOGD("Dropping event because there is no touched foreground window in display "
1516 "%" PRId32 " or gesture monitor to receive it.",
1517 displayId);
1518 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001519 injectionResult = INPUT_EVENT_INJECTION_FAILED;
1520 goto Failed;
1521 }
1522
1523 // Permission granted to injection into all touched foreground windows.
1524 injectionPermission = INJECTION_PERMISSION_GRANTED;
1525 }
1526
1527 // Check whether windows listening for outside touches are owned by the same UID. If it is
1528 // set the policy flag that we will not reveal coordinate information to this window.
1529 if (maskedAction == AMOTION_EVENT_ACTION_DOWN) {
1530 sp<InputWindowHandle> foregroundWindowHandle =
1531 mTempTouchState.getFirstForegroundWindowHandle();
Michael Wright3dd60e22019-03-27 22:06:44 +00001532 if (foregroundWindowHandle) {
1533 const int32_t foregroundWindowUid = foregroundWindowHandle->getInfo()->ownerUid;
1534 for (const TouchedWindow& touchedWindow : mTempTouchState.windows) {
1535 if (touchedWindow.targetFlags & InputTarget::FLAG_DISPATCH_AS_OUTSIDE) {
1536 sp<InputWindowHandle> inputWindowHandle = touchedWindow.windowHandle;
1537 if (inputWindowHandle->getInfo()->ownerUid != foregroundWindowUid) {
1538 mTempTouchState.addOrUpdateWindow(inputWindowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001539 InputTarget::FLAG_ZERO_COORDS,
1540 BitSet32(0));
Michael Wright3dd60e22019-03-27 22:06:44 +00001541 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001542 }
1543 }
1544 }
1545 }
1546
1547 // Ensure all touched foreground windows are ready for new input.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001548 for (const TouchedWindow& touchedWindow : mTempTouchState.windows) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001549 if (touchedWindow.targetFlags & InputTarget::FLAG_FOREGROUND) {
Jeff Brownffb49772014-10-10 19:01:34 -07001550 // Check whether the window is ready for more input.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001551 std::string reason =
1552 checkWindowReadyForMoreInputLocked(currentTime, touchedWindow.windowHandle,
1553 entry, "touched");
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001554 if (!reason.empty()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001555 injectionResult = handleTargetsNotReadyLocked(currentTime, entry, nullptr,
1556 touchedWindow.windowHandle,
1557 nextWakeupTime, reason.c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001558 goto Unresponsive;
1559 }
1560 }
1561 }
1562
1563 // If this is the first pointer going down and the touched window has a wallpaper
1564 // then also add the touched wallpaper windows so they are locked in for the duration
1565 // of the touch gesture.
1566 // We do not collect wallpapers during HOVER_MOVE or SCROLL because the wallpaper
1567 // engine only supports touch events. We would need to add a mechanism similar
1568 // to View.onGenericMotionEvent to enable wallpapers to handle these events.
1569 if (maskedAction == AMOTION_EVENT_ACTION_DOWN) {
1570 sp<InputWindowHandle> foregroundWindowHandle =
1571 mTempTouchState.getFirstForegroundWindowHandle();
Michael Wright3dd60e22019-03-27 22:06:44 +00001572 if (foregroundWindowHandle && foregroundWindowHandle->getInfo()->hasWallpaper) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001573 const std::vector<sp<InputWindowHandle>> windowHandles =
1574 getWindowHandlesLocked(displayId);
1575 for (const sp<InputWindowHandle>& windowHandle : windowHandles) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001576 const InputWindowInfo* info = windowHandle->getInfo();
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001577 if (info->displayId == displayId &&
1578 windowHandle->getInfo()->layoutParamsType == InputWindowInfo::TYPE_WALLPAPER) {
1579 mTempTouchState
1580 .addOrUpdateWindow(windowHandle,
1581 InputTarget::FLAG_WINDOW_IS_OBSCURED |
1582 InputTarget::
1583 FLAG_WINDOW_IS_PARTIALLY_OBSCURED |
1584 InputTarget::FLAG_DISPATCH_AS_IS,
1585 BitSet32(0));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001586 }
1587 }
1588 }
1589 }
1590
1591 // Success! Output targets.
1592 injectionResult = INPUT_EVENT_INJECTION_SUCCEEDED;
1593
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001594 for (const TouchedWindow& touchedWindow : mTempTouchState.windows) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001595 addWindowTargetLocked(touchedWindow.windowHandle, touchedWindow.targetFlags,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001596 touchedWindow.pointerIds, inputTargets);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001597 }
1598
Michael Wright3dd60e22019-03-27 22:06:44 +00001599 for (const TouchedMonitor& touchedMonitor : mTempTouchState.gestureMonitors) {
1600 addMonitoringTargetLocked(touchedMonitor.monitor, touchedMonitor.xOffset,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001601 touchedMonitor.yOffset, inputTargets);
Michael Wright3dd60e22019-03-27 22:06:44 +00001602 }
1603
Michael Wrightd02c5b62014-02-10 15:10:22 -08001604 // Drop the outside or hover touch windows since we will not care about them
1605 // in the next iteration.
1606 mTempTouchState.filterNonAsIsTouchWindows();
1607
1608Failed:
1609 // Check injection permission once and for all.
1610 if (injectionPermission == INJECTION_PERMISSION_UNKNOWN) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001611 if (checkInjectionPermission(nullptr, entry.injectionState)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001612 injectionPermission = INJECTION_PERMISSION_GRANTED;
1613 } else {
1614 injectionPermission = INJECTION_PERMISSION_DENIED;
1615 }
1616 }
1617
1618 // Update final pieces of touch state if the injector had permission.
1619 if (injectionPermission == INJECTION_PERMISSION_GRANTED) {
1620 if (!wrongDevice) {
1621 if (switchedDevice) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001622 if (DEBUG_FOCUS) {
1623 ALOGD("Conflicting pointer actions: Switched to a different device.");
1624 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001625 *outConflictingPointerActions = true;
1626 }
1627
1628 if (isHoverAction) {
1629 // Started hovering, therefore no longer down.
Jeff Brownf086ddb2014-02-11 14:28:48 -08001630 if (oldState && oldState->down) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001631 if (DEBUG_FOCUS) {
1632 ALOGD("Conflicting pointer actions: Hover received while pointer was "
1633 "down.");
1634 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001635 *outConflictingPointerActions = true;
1636 }
Jeff Brownf086ddb2014-02-11 14:28:48 -08001637 mTempTouchState.reset();
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001638 if (maskedAction == AMOTION_EVENT_ACTION_HOVER_ENTER ||
1639 maskedAction == AMOTION_EVENT_ACTION_HOVER_MOVE) {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001640 mTempTouchState.deviceId = entry.deviceId;
1641 mTempTouchState.source = entry.source;
Jeff Brownf086ddb2014-02-11 14:28:48 -08001642 mTempTouchState.displayId = displayId;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001643 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001644 } else if (maskedAction == AMOTION_EVENT_ACTION_UP ||
1645 maskedAction == AMOTION_EVENT_ACTION_CANCEL) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001646 // All pointers up or canceled.
Jeff Brownf086ddb2014-02-11 14:28:48 -08001647 mTempTouchState.reset();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001648 } else if (maskedAction == AMOTION_EVENT_ACTION_DOWN) {
1649 // First pointer went down.
Jeff Brownf086ddb2014-02-11 14:28:48 -08001650 if (oldState && oldState->down) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001651 if (DEBUG_FOCUS) {
1652 ALOGD("Conflicting pointer actions: Down received while already down.");
1653 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001654 *outConflictingPointerActions = true;
1655 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001656 } else if (maskedAction == AMOTION_EVENT_ACTION_POINTER_UP) {
1657 // One pointer went up.
1658 if (isSplit) {
1659 int32_t pointerIndex = getMotionEventActionPointerIndex(action);
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001660 uint32_t pointerId = entry.pointerProperties[pointerIndex].id;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001661
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001662 for (size_t i = 0; i < mTempTouchState.windows.size();) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001663 TouchedWindow& touchedWindow = mTempTouchState.windows[i];
Michael Wrightd02c5b62014-02-10 15:10:22 -08001664 if (touchedWindow.targetFlags & InputTarget::FLAG_SPLIT) {
1665 touchedWindow.pointerIds.clearBit(pointerId);
1666 if (touchedWindow.pointerIds.isEmpty()) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001667 mTempTouchState.windows.erase(mTempTouchState.windows.begin() + i);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001668 continue;
1669 }
1670 }
1671 i += 1;
1672 }
1673 }
Jeff Brownf086ddb2014-02-11 14:28:48 -08001674 }
1675
1676 // Save changes unless the action was scroll in which case the temporary touch
1677 // state was only valid for this one action.
1678 if (maskedAction != AMOTION_EVENT_ACTION_SCROLL) {
1679 if (mTempTouchState.displayId >= 0) {
1680 if (oldStateIndex >= 0) {
1681 mTouchStatesByDisplay.editValueAt(oldStateIndex).copyFrom(mTempTouchState);
1682 } else {
1683 mTouchStatesByDisplay.add(displayId, mTempTouchState);
1684 }
1685 } else if (oldStateIndex >= 0) {
1686 mTouchStatesByDisplay.removeItemsAt(oldStateIndex);
1687 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001688 }
1689
1690 // Update hover state.
1691 mLastHoverWindowHandle = newHoverWindowHandle;
1692 }
1693 } else {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001694 if (DEBUG_FOCUS) {
1695 ALOGD("Not updating touch focus because injection was denied.");
1696 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001697 }
1698
1699Unresponsive:
1700 // Reset temporary touch state to ensure we release unnecessary references to input channels.
1701 mTempTouchState.reset();
1702
1703 nsecs_t timeSpentWaitingForApplication = getTimeSpentWaitingForApplicationLocked(currentTime);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08001704 updateDispatchStatistics(currentTime, entry, injectionResult, timeSpentWaitingForApplication);
Siarhei Vishniakou86587282019-09-09 18:20:15 +01001705 if (DEBUG_FOCUS) {
1706 ALOGD("findTouchedWindow finished: injectionResult=%d, injectionPermission=%d, "
1707 "timeSpentWaitingForApplication=%0.1fms",
1708 injectionResult, injectionPermission, timeSpentWaitingForApplication / 1000000.0);
1709 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001710 return injectionResult;
1711}
1712
1713void InputDispatcher::addWindowTargetLocked(const sp<InputWindowHandle>& windowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001714 int32_t targetFlags, BitSet32 pointerIds,
1715 std::vector<InputTarget>& inputTargets) {
Arthur Hungceeb5d72018-12-05 16:14:18 +08001716 sp<InputChannel> inputChannel = getInputChannelLocked(windowHandle->getToken());
1717 if (inputChannel == nullptr) {
1718 ALOGW("Window %s already unregistered input channel", windowHandle->getName().c_str());
1719 return;
1720 }
1721
Michael Wrightd02c5b62014-02-10 15:10:22 -08001722 const InputWindowInfo* windowInfo = windowHandle->getInfo();
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001723 InputTarget target;
Arthur Hungceeb5d72018-12-05 16:14:18 +08001724 target.inputChannel = inputChannel;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001725 target.flags = targetFlags;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001726 target.xOffset = -windowInfo->frameLeft;
1727 target.yOffset = -windowInfo->frameTop;
Robert Carre07e1032018-11-26 12:55:53 -08001728 target.globalScaleFactor = windowInfo->globalScaleFactor;
1729 target.windowXScale = windowInfo->windowXScale;
1730 target.windowYScale = windowInfo->windowYScale;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001731 target.pointerIds = pointerIds;
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001732 inputTargets.push_back(target);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001733}
1734
Michael Wright3dd60e22019-03-27 22:06:44 +00001735void InputDispatcher::addGlobalMonitoringTargetsLocked(std::vector<InputTarget>& inputTargets,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001736 int32_t displayId, float xOffset,
1737 float yOffset) {
Michael Wright3dd60e22019-03-27 22:06:44 +00001738 std::unordered_map<int32_t, std::vector<Monitor>>::const_iterator it =
1739 mGlobalMonitorsByDisplay.find(displayId);
1740
1741 if (it != mGlobalMonitorsByDisplay.end()) {
1742 const std::vector<Monitor>& monitors = it->second;
1743 for (const Monitor& monitor : monitors) {
1744 addMonitoringTargetLocked(monitor, xOffset, yOffset, inputTargets);
Arthur Hung2fbf37f2018-09-13 18:16:41 +08001745 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001746 }
1747}
1748
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001749void InputDispatcher::addMonitoringTargetLocked(const Monitor& monitor, float xOffset,
1750 float yOffset,
1751 std::vector<InputTarget>& inputTargets) {
Michael Wright3dd60e22019-03-27 22:06:44 +00001752 InputTarget target;
1753 target.inputChannel = monitor.inputChannel;
1754 target.flags = InputTarget::FLAG_DISPATCH_AS_IS;
1755 target.xOffset = xOffset;
1756 target.yOffset = yOffset;
1757 target.pointerIds.clear();
1758 target.globalScaleFactor = 1.0f;
1759 inputTargets.push_back(target);
1760}
1761
Michael Wrightd02c5b62014-02-10 15:10:22 -08001762bool InputDispatcher::checkInjectionPermission(const sp<InputWindowHandle>& windowHandle,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001763 const InjectionState* injectionState) {
1764 if (injectionState &&
1765 (windowHandle == nullptr ||
1766 windowHandle->getInfo()->ownerUid != injectionState->injectorUid) &&
1767 !hasInjectionPermission(injectionState->injectorPid, injectionState->injectorUid)) {
Yi Kong9b14ac62018-07-17 13:48:38 -07001768 if (windowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001769 ALOGW("Permission denied: injecting event from pid %d uid %d to window %s "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001770 "owned by uid %d",
1771 injectionState->injectorPid, injectionState->injectorUid,
1772 windowHandle->getName().c_str(), windowHandle->getInfo()->ownerUid);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001773 } else {
1774 ALOGW("Permission denied: injecting event from pid %d uid %d",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001775 injectionState->injectorPid, injectionState->injectorUid);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001776 }
1777 return false;
1778 }
1779 return true;
1780}
1781
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001782bool InputDispatcher::isWindowObscuredAtPointLocked(const sp<InputWindowHandle>& windowHandle,
1783 int32_t x, int32_t y) const {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001784 int32_t displayId = windowHandle->getInfo()->displayId;
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001785 const std::vector<sp<InputWindowHandle>> windowHandles = getWindowHandlesLocked(displayId);
1786 for (const sp<InputWindowHandle>& otherHandle : windowHandles) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001787 if (otherHandle == windowHandle) {
1788 break;
1789 }
1790
1791 const InputWindowInfo* otherInfo = otherHandle->getInfo();
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001792 if (otherInfo->displayId == displayId && otherInfo->visible &&
1793 !otherInfo->isTrustedOverlay() && otherInfo->frameContainsPoint(x, y)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001794 return true;
1795 }
1796 }
1797 return false;
1798}
1799
Michael Wrightcdcd8f22016-03-22 16:52:13 -07001800bool InputDispatcher::isWindowObscuredLocked(const sp<InputWindowHandle>& windowHandle) const {
1801 int32_t displayId = windowHandle->getInfo()->displayId;
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001802 const std::vector<sp<InputWindowHandle>> windowHandles = getWindowHandlesLocked(displayId);
Michael Wrightcdcd8f22016-03-22 16:52:13 -07001803 const InputWindowInfo* windowInfo = windowHandle->getInfo();
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08001804 for (const sp<InputWindowHandle>& otherHandle : windowHandles) {
Michael Wrightcdcd8f22016-03-22 16:52:13 -07001805 if (otherHandle == windowHandle) {
1806 break;
1807 }
1808
1809 const InputWindowInfo* otherInfo = otherHandle->getInfo();
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001810 if (otherInfo->displayId == displayId && otherInfo->visible &&
1811 !otherInfo->isTrustedOverlay() && otherInfo->overlaps(windowInfo)) {
Michael Wrightcdcd8f22016-03-22 16:52:13 -07001812 return true;
1813 }
1814 }
1815 return false;
1816}
1817
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001818std::string InputDispatcher::checkWindowReadyForMoreInputLocked(
1819 nsecs_t currentTime, const sp<InputWindowHandle>& windowHandle,
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001820 const EventEntry& eventEntry, const char* targetType) {
Jeff Brownffb49772014-10-10 19:01:34 -07001821 // If the window is paused then keep waiting.
1822 if (windowHandle->getInfo()->paused) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001823 return StringPrintf("Waiting because the %s window is paused.", targetType);
Jeff Brownffb49772014-10-10 19:01:34 -07001824 }
1825
1826 // If the window's connection is not registered then keep waiting.
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07001827 sp<Connection> connection = getConnectionLocked(windowHandle->getToken());
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07001828 if (connection == nullptr) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001829 return StringPrintf("Waiting because the %s window's input channel is not "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001830 "registered with the input dispatcher. The window may be in the "
1831 "process of being removed.",
1832 targetType);
Jeff Brownffb49772014-10-10 19:01:34 -07001833 }
1834
1835 // If the connection is dead then keep waiting.
Jeff Brownffb49772014-10-10 19:01:34 -07001836 if (connection->status != Connection::STATUS_NORMAL) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001837 return StringPrintf("Waiting because the %s window's input connection is %s."
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001838 "The window may be in the process of being removed.",
1839 targetType, connection->getStatusLabel());
Jeff Brownffb49772014-10-10 19:01:34 -07001840 }
1841
1842 // If the connection is backed up then keep waiting.
1843 if (connection->inputPublisherBlocked) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001844 return StringPrintf("Waiting because the %s window's input channel is full. "
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07001845 "Outbound queue length: %zu. Wait queue length: %zu.",
1846 targetType, connection->outboundQueue.size(),
1847 connection->waitQueue.size());
Jeff Brownffb49772014-10-10 19:01:34 -07001848 }
1849
1850 // Ensure that the dispatch queues aren't too far backed up for this event.
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001851 if (eventEntry.type == EventEntry::TYPE_KEY) {
Jeff Brownffb49772014-10-10 19:01:34 -07001852 // If the event is a key event, then we must wait for all previous events to
1853 // complete before delivering it because previous events may have the
1854 // side-effect of transferring focus to a different window and we want to
1855 // ensure that the following keys are sent to the new window.
1856 //
1857 // Suppose the user touches a button in a window then immediately presses "A".
1858 // If the button causes a pop-up window to appear then we want to ensure that
1859 // the "A" key is delivered to the new pop-up window. This is because users
1860 // often anticipate pending UI changes when typing on a keyboard.
1861 // To obtain this behavior, we must serialize key events with respect to all
1862 // prior input events.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07001863 if (!connection->outboundQueue.empty() || !connection->waitQueue.empty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001864 return StringPrintf("Waiting to send key event because the %s window has not "
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07001865 "finished processing all of the input events that were previously "
1866 "delivered to it. Outbound queue length: %zu. Wait queue length: "
1867 "%zu.",
1868 targetType, connection->outboundQueue.size(),
1869 connection->waitQueue.size());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001870 }
Jeff Brownffb49772014-10-10 19:01:34 -07001871 } else {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001872 // Touch events can always be sent to a window immediately because the user intended
1873 // to touch whatever was visible at the time. Even if focus changes or a new
1874 // window appears moments later, the touch event was meant to be delivered to
1875 // whatever window happened to be on screen at the time.
1876 //
1877 // Generic motion events, such as trackball or joystick events are a little trickier.
1878 // Like key events, generic motion events are delivered to the focused window.
1879 // Unlike key events, generic motion events don't tend to transfer focus to other
1880 // windows and it is not important for them to be serialized. So we prefer to deliver
1881 // generic motion events as soon as possible to improve efficiency and reduce lag
1882 // through batching.
1883 //
1884 // The one case where we pause input event delivery is when the wait queue is piling
1885 // up with lots of events because the application is not responding.
1886 // This condition ensures that ANRs are detected reliably.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07001887 if (!connection->waitQueue.empty() &&
1888 currentTime >=
1889 connection->waitQueue.front()->deliveryTime + STREAM_AHEAD_EVENT_TIMEOUT) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001890 return StringPrintf("Waiting to send non-key event because the %s window has not "
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07001891 "finished processing certain input events that were delivered to "
1892 "it over "
1893 "%0.1fms ago. Wait queue length: %zu. Wait queue head age: "
1894 "%0.1fms.",
1895 targetType, STREAM_AHEAD_EVENT_TIMEOUT * 0.000001f,
1896 connection->waitQueue.size(),
1897 (currentTime - connection->waitQueue.front()->deliveryTime) *
1898 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001899 }
1900 }
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001901 return "";
Michael Wrightd02c5b62014-02-10 15:10:22 -08001902}
1903
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08001904std::string InputDispatcher::getApplicationWindowLabel(
Michael Wrightd02c5b62014-02-10 15:10:22 -08001905 const sp<InputApplicationHandle>& applicationHandle,
1906 const sp<InputWindowHandle>& windowHandle) {
Yi Kong9b14ac62018-07-17 13:48:38 -07001907 if (applicationHandle != nullptr) {
1908 if (windowHandle != nullptr) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001909 std::string label(applicationHandle->getName());
1910 label += " - ";
1911 label += windowHandle->getName();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001912 return label;
1913 } else {
1914 return applicationHandle->getName();
1915 }
Yi Kong9b14ac62018-07-17 13:48:38 -07001916 } else if (windowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08001917 return windowHandle->getName();
1918 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001919 return "<unknown application or window>";
Michael Wrightd02c5b62014-02-10 15:10:22 -08001920 }
1921}
1922
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001923void InputDispatcher::pokeUserActivityLocked(const EventEntry& eventEntry) {
Tiger Huang721e26f2018-07-24 22:26:19 +08001924 int32_t displayId = getTargetDisplayId(eventEntry);
1925 sp<InputWindowHandle> focusedWindowHandle =
1926 getValueByKey(mFocusedWindowHandlesByDisplay, displayId);
1927 if (focusedWindowHandle != nullptr) {
1928 const InputWindowInfo* info = focusedWindowHandle->getInfo();
Michael Wrightd02c5b62014-02-10 15:10:22 -08001929 if (info->inputFeatures & InputWindowInfo::INPUT_FEATURE_DISABLE_USER_ACTIVITY) {
1930#if DEBUG_DISPATCH_CYCLE
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08001931 ALOGD("Not poking user activity: disabled by window '%s'.", info->name.c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001932#endif
1933 return;
1934 }
1935 }
1936
1937 int32_t eventType = USER_ACTIVITY_EVENT_OTHER;
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001938 switch (eventEntry.type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001939 case EventEntry::TYPE_MOTION: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001940 const MotionEntry& motionEntry = static_cast<const MotionEntry&>(eventEntry);
1941 if (motionEntry.action == AMOTION_EVENT_ACTION_CANCEL) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001942 return;
1943 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001944
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001945 if (MotionEvent::isTouchEvent(motionEntry.source, motionEntry.action)) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001946 eventType = USER_ACTIVITY_EVENT_TOUCH;
1947 }
1948 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001949 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001950 case EventEntry::TYPE_KEY: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001951 const KeyEntry& keyEntry = static_cast<const KeyEntry&>(eventEntry);
1952 if (keyEntry.flags & AKEY_EVENT_FLAG_CANCELED) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001953 return;
1954 }
1955 eventType = USER_ACTIVITY_EVENT_BUTTON;
1956 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001957 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001958 }
1959
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07001960 std::unique_ptr<CommandEntry> commandEntry =
1961 std::make_unique<CommandEntry>(&InputDispatcher::doPokeUserActivityLockedInterruptible);
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07001962 commandEntry->eventTime = eventEntry.eventTime;
Michael Wrightd02c5b62014-02-10 15:10:22 -08001963 commandEntry->userActivityEventType = eventType;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07001964 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -08001965}
1966
1967void InputDispatcher::prepareDispatchCycleLocked(nsecs_t currentTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001968 const sp<Connection>& connection,
1969 EventEntry* eventEntry,
1970 const InputTarget* inputTarget) {
Michael Wright3dd60e22019-03-27 22:06:44 +00001971 if (ATRACE_ENABLED()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001972 std::string message =
1973 StringPrintf("prepareDispatchCycleLocked(inputChannel=%s, sequenceNum=%" PRIu32 ")",
1974 connection->getInputChannelName().c_str(), eventEntry->sequenceNum);
Michael Wright3dd60e22019-03-27 22:06:44 +00001975 ATRACE_NAME(message.c_str());
1976 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08001977#if DEBUG_DISPATCH_CYCLE
1978 ALOGD("channel '%s' ~ prepareDispatchCycle - flags=0x%08x, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001979 "xOffset=%f, yOffset=%f, globalScaleFactor=%f, "
1980 "windowScaleFactor=(%f, %f), pointerIds=0x%x",
1981 connection->getInputChannelName().c_str(), inputTarget->flags, inputTarget->xOffset,
1982 inputTarget->yOffset, inputTarget->globalScaleFactor, inputTarget->windowXScale,
1983 inputTarget->windowYScale, inputTarget->pointerIds.value);
Michael Wrightd02c5b62014-02-10 15:10:22 -08001984#endif
1985
1986 // Skip this event if the connection status is not normal.
1987 // We don't want to enqueue additional outbound events if the connection is broken.
1988 if (connection->status != Connection::STATUS_NORMAL) {
1989#if DEBUG_DISPATCH_CYCLE
1990 ALOGD("channel '%s' ~ Dropping event because the channel status is %s",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07001991 connection->getInputChannelName().c_str(), connection->getStatusLabel());
Michael Wrightd02c5b62014-02-10 15:10:22 -08001992#endif
1993 return;
1994 }
1995
1996 // Split a motion event if needed.
1997 if (inputTarget->flags & InputTarget::FLAG_SPLIT) {
1998 ALOG_ASSERT(eventEntry->type == EventEntry::TYPE_MOTION);
1999
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002000 const MotionEntry& originalMotionEntry = static_cast<const MotionEntry&>(*eventEntry);
2001 if (inputTarget->pointerIds.count() != originalMotionEntry.pointerCount) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002002 MotionEntry* splitMotionEntry =
2003 splitMotionEvent(originalMotionEntry, inputTarget->pointerIds);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002004 if (!splitMotionEntry) {
2005 return; // split event was dropped
2006 }
Siarhei Vishniakou86587282019-09-09 18:20:15 +01002007 if (DEBUG_FOCUS) {
2008 ALOGD("channel '%s' ~ Split motion event.",
2009 connection->getInputChannelName().c_str());
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002010 logOutboundMotionDetails(" ", *splitMotionEntry);
Siarhei Vishniakou86587282019-09-09 18:20:15 +01002011 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002012 enqueueDispatchEntriesLocked(currentTime, connection, splitMotionEntry, inputTarget);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002013 splitMotionEntry->release();
2014 return;
2015 }
2016 }
2017
2018 // Not splitting. Enqueue dispatch entries for the event as is.
2019 enqueueDispatchEntriesLocked(currentTime, connection, eventEntry, inputTarget);
2020}
2021
2022void InputDispatcher::enqueueDispatchEntriesLocked(nsecs_t currentTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002023 const sp<Connection>& connection,
2024 EventEntry* eventEntry,
2025 const InputTarget* inputTarget) {
Michael Wright3dd60e22019-03-27 22:06:44 +00002026 if (ATRACE_ENABLED()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002027 std::string message =
2028 StringPrintf("enqueueDispatchEntriesLocked(inputChannel=%s, sequenceNum=%" PRIu32
2029 ")",
2030 connection->getInputChannelName().c_str(), eventEntry->sequenceNum);
Michael Wright3dd60e22019-03-27 22:06:44 +00002031 ATRACE_NAME(message.c_str());
2032 }
2033
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002034 bool wasEmpty = connection->outboundQueue.empty();
Michael Wrightd02c5b62014-02-10 15:10:22 -08002035
2036 // Enqueue dispatch entries for the requested modes.
chaviw8c9cf542019-03-25 13:02:48 -07002037 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002038 InputTarget::FLAG_DISPATCH_AS_HOVER_EXIT);
chaviw8c9cf542019-03-25 13:02:48 -07002039 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002040 InputTarget::FLAG_DISPATCH_AS_OUTSIDE);
chaviw8c9cf542019-03-25 13:02:48 -07002041 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002042 InputTarget::FLAG_DISPATCH_AS_HOVER_ENTER);
chaviw8c9cf542019-03-25 13:02:48 -07002043 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002044 InputTarget::FLAG_DISPATCH_AS_IS);
chaviw8c9cf542019-03-25 13:02:48 -07002045 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002046 InputTarget::FLAG_DISPATCH_AS_SLIPPERY_EXIT);
chaviw8c9cf542019-03-25 13:02:48 -07002047 enqueueDispatchEntryLocked(connection, eventEntry, inputTarget,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002048 InputTarget::FLAG_DISPATCH_AS_SLIPPERY_ENTER);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002049
2050 // If the outbound queue was previously empty, start the dispatch cycle going.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002051 if (wasEmpty && !connection->outboundQueue.empty()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002052 startDispatchCycleLocked(currentTime, connection);
2053 }
2054}
2055
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002056void InputDispatcher::enqueueDispatchEntryLocked(const sp<Connection>& connection,
2057 EventEntry* eventEntry,
2058 const InputTarget* inputTarget,
2059 int32_t dispatchMode) {
Michael Wright3dd60e22019-03-27 22:06:44 +00002060 if (ATRACE_ENABLED()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002061 std::string message = StringPrintf("enqueueDispatchEntry(inputChannel=%s, dispatchMode=%s)",
2062 connection->getInputChannelName().c_str(),
2063 dispatchModeToString(dispatchMode).c_str());
Michael Wright3dd60e22019-03-27 22:06:44 +00002064 ATRACE_NAME(message.c_str());
2065 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002066 int32_t inputTargetFlags = inputTarget->flags;
2067 if (!(inputTargetFlags & dispatchMode)) {
2068 return;
2069 }
2070 inputTargetFlags = (inputTargetFlags & ~InputTarget::FLAG_DISPATCH_MASK) | dispatchMode;
2071
2072 // This is a new event.
2073 // Enqueue a new dispatch entry onto the outbound queue for this connection.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002074 DispatchEntry* dispatchEntry =
2075 new DispatchEntry(eventEntry, // increments ref
2076 inputTargetFlags, inputTarget->xOffset, inputTarget->yOffset,
2077 inputTarget->globalScaleFactor, inputTarget->windowXScale,
2078 inputTarget->windowYScale);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002079
2080 // Apply target flags and update the connection's input state.
2081 switch (eventEntry->type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002082 case EventEntry::TYPE_KEY: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002083 const KeyEntry& keyEntry = static_cast<const KeyEntry&>(*eventEntry);
2084 dispatchEntry->resolvedAction = keyEntry.action;
2085 dispatchEntry->resolvedFlags = keyEntry.flags;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002086
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002087 if (!connection->inputState.trackKey(keyEntry, dispatchEntry->resolvedAction,
2088 dispatchEntry->resolvedFlags)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002089#if DEBUG_DISPATCH_CYCLE
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002090 ALOGD("channel '%s' ~ enqueueDispatchEntryLocked: skipping inconsistent key event",
2091 connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002092#endif
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002093 delete dispatchEntry;
2094 return; // skip the inconsistent event
2095 }
2096 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002097 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002098
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002099 case EventEntry::TYPE_MOTION: {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002100 const MotionEntry& motionEntry = static_cast<const MotionEntry&>(*eventEntry);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002101 if (dispatchMode & InputTarget::FLAG_DISPATCH_AS_OUTSIDE) {
2102 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_OUTSIDE;
2103 } else if (dispatchMode & InputTarget::FLAG_DISPATCH_AS_HOVER_EXIT) {
2104 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_HOVER_EXIT;
2105 } else if (dispatchMode & InputTarget::FLAG_DISPATCH_AS_HOVER_ENTER) {
2106 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_HOVER_ENTER;
2107 } else if (dispatchMode & InputTarget::FLAG_DISPATCH_AS_SLIPPERY_EXIT) {
2108 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_CANCEL;
2109 } else if (dispatchMode & InputTarget::FLAG_DISPATCH_AS_SLIPPERY_ENTER) {
2110 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_DOWN;
2111 } else {
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002112 dispatchEntry->resolvedAction = motionEntry.action;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002113 }
2114 if (dispatchEntry->resolvedAction == AMOTION_EVENT_ACTION_HOVER_MOVE &&
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002115 !connection->inputState.isHovering(motionEntry.deviceId, motionEntry.source,
2116 motionEntry.displayId)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002117#if DEBUG_DISPATCH_CYCLE
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002118 ALOGD("channel '%s' ~ enqueueDispatchEntryLocked: filling in missing hover enter "
2119 "event",
2120 connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002121#endif
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002122 dispatchEntry->resolvedAction = AMOTION_EVENT_ACTION_HOVER_ENTER;
2123 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002124
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002125 dispatchEntry->resolvedFlags = motionEntry.flags;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002126 if (dispatchEntry->targetFlags & InputTarget::FLAG_WINDOW_IS_OBSCURED) {
2127 dispatchEntry->resolvedFlags |= AMOTION_EVENT_FLAG_WINDOW_IS_OBSCURED;
2128 }
2129 if (dispatchEntry->targetFlags & InputTarget::FLAG_WINDOW_IS_PARTIALLY_OBSCURED) {
2130 dispatchEntry->resolvedFlags |= AMOTION_EVENT_FLAG_WINDOW_IS_PARTIALLY_OBSCURED;
2131 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002132
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002133 if (!connection->inputState.trackMotion(motionEntry, dispatchEntry->resolvedAction,
2134 dispatchEntry->resolvedFlags)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002135#if DEBUG_DISPATCH_CYCLE
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002136 ALOGD("channel '%s' ~ enqueueDispatchEntryLocked: skipping inconsistent motion "
2137 "event",
2138 connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002139#endif
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002140 delete dispatchEntry;
2141 return; // skip the inconsistent event
2142 }
2143
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002144 dispatchPointerDownOutsideFocus(motionEntry.source, dispatchEntry->resolvedAction,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002145 inputTarget->inputChannel->getToken());
2146
2147 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002148 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002149 }
2150
2151 // Remember that we are waiting for this dispatch to complete.
2152 if (dispatchEntry->hasForegroundTarget()) {
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002153 incrementPendingForegroundDispatches(eventEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002154 }
2155
2156 // Enqueue the dispatch entry.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002157 connection->outboundQueue.push_back(dispatchEntry);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002158 traceOutboundQueueLength(connection);
chaviw8c9cf542019-03-25 13:02:48 -07002159}
2160
chaviwfd6d3512019-03-25 13:23:49 -07002161void InputDispatcher::dispatchPointerDownOutsideFocus(uint32_t source, int32_t action,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002162 const sp<IBinder>& newToken) {
chaviw8c9cf542019-03-25 13:02:48 -07002163 int32_t maskedAction = action & AMOTION_EVENT_ACTION_MASK;
chaviwfd6d3512019-03-25 13:23:49 -07002164 uint32_t maskedSource = source & AINPUT_SOURCE_CLASS_MASK;
2165 if (maskedSource != AINPUT_SOURCE_CLASS_POINTER || maskedAction != AMOTION_EVENT_ACTION_DOWN) {
chaviw8c9cf542019-03-25 13:02:48 -07002166 return;
2167 }
2168
2169 sp<InputWindowHandle> inputWindowHandle = getWindowHandleLocked(newToken);
2170 if (inputWindowHandle == nullptr) {
2171 return;
2172 }
2173
chaviw8c9cf542019-03-25 13:02:48 -07002174 sp<InputWindowHandle> focusedWindowHandle =
Tiger Huang0683fe72019-06-03 21:50:55 +08002175 getValueByKey(mFocusedWindowHandlesByDisplay, mFocusedDisplayId);
chaviw8c9cf542019-03-25 13:02:48 -07002176
2177 bool hasFocusChanged = !focusedWindowHandle || focusedWindowHandle->getToken() != newToken;
2178
2179 if (!hasFocusChanged) {
2180 return;
2181 }
2182
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07002183 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
2184 &InputDispatcher::doOnPointerDownOutsideFocusLockedInterruptible);
chaviwfd6d3512019-03-25 13:23:49 -07002185 commandEntry->newToken = newToken;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07002186 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -08002187}
2188
2189void InputDispatcher::startDispatchCycleLocked(nsecs_t currentTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002190 const sp<Connection>& connection) {
Michael Wright3dd60e22019-03-27 22:06:44 +00002191 if (ATRACE_ENABLED()) {
2192 std::string message = StringPrintf("startDispatchCycleLocked(inputChannel=%s)",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002193 connection->getInputChannelName().c_str());
Michael Wright3dd60e22019-03-27 22:06:44 +00002194 ATRACE_NAME(message.c_str());
2195 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002196#if DEBUG_DISPATCH_CYCLE
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002197 ALOGD("channel '%s' ~ startDispatchCycle", connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002198#endif
2199
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002200 while (connection->status == Connection::STATUS_NORMAL && !connection->outboundQueue.empty()) {
2201 DispatchEntry* dispatchEntry = connection->outboundQueue.front();
Michael Wrightd02c5b62014-02-10 15:10:22 -08002202 dispatchEntry->deliveryTime = currentTime;
2203
2204 // Publish the event.
2205 status_t status;
2206 EventEntry* eventEntry = dispatchEntry->eventEntry;
2207 switch (eventEntry->type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002208 case EventEntry::TYPE_KEY: {
2209 KeyEntry* keyEntry = static_cast<KeyEntry*>(eventEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002210
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002211 // Publish the key event.
2212 status = connection->inputPublisher
2213 .publishKeyEvent(dispatchEntry->seq, keyEntry->deviceId,
2214 keyEntry->source, keyEntry->displayId,
2215 dispatchEntry->resolvedAction,
2216 dispatchEntry->resolvedFlags, keyEntry->keyCode,
2217 keyEntry->scanCode, keyEntry->metaState,
2218 keyEntry->repeatCount, keyEntry->downTime,
2219 keyEntry->eventTime);
2220 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002221 }
2222
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002223 case EventEntry::TYPE_MOTION: {
2224 MotionEntry* motionEntry = static_cast<MotionEntry*>(eventEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002225
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002226 PointerCoords scaledCoords[MAX_POINTERS];
2227 const PointerCoords* usingCoords = motionEntry->pointerCoords;
2228
2229 // Set the X and Y offset depending on the input source.
2230 float xOffset, yOffset;
2231 if ((motionEntry->source & AINPUT_SOURCE_CLASS_POINTER) &&
2232 !(dispatchEntry->targetFlags & InputTarget::FLAG_ZERO_COORDS)) {
2233 float globalScaleFactor = dispatchEntry->globalScaleFactor;
2234 float wxs = dispatchEntry->windowXScale;
2235 float wys = dispatchEntry->windowYScale;
2236 xOffset = dispatchEntry->xOffset * wxs;
2237 yOffset = dispatchEntry->yOffset * wys;
2238 if (wxs != 1.0f || wys != 1.0f || globalScaleFactor != 1.0f) {
2239 for (uint32_t i = 0; i < motionEntry->pointerCount; i++) {
2240 scaledCoords[i] = motionEntry->pointerCoords[i];
2241 scaledCoords[i].scale(globalScaleFactor, wxs, wys);
2242 }
2243 usingCoords = scaledCoords;
2244 }
2245 } else {
2246 xOffset = 0.0f;
2247 yOffset = 0.0f;
2248
2249 // We don't want the dispatch target to know.
2250 if (dispatchEntry->targetFlags & InputTarget::FLAG_ZERO_COORDS) {
2251 for (uint32_t i = 0; i < motionEntry->pointerCount; i++) {
2252 scaledCoords[i].clear();
2253 }
2254 usingCoords = scaledCoords;
2255 }
2256 }
2257
2258 // Publish the motion event.
2259 status = connection->inputPublisher
2260 .publishMotionEvent(dispatchEntry->seq, motionEntry->deviceId,
2261 motionEntry->source, motionEntry->displayId,
2262 dispatchEntry->resolvedAction,
2263 motionEntry->actionButton,
2264 dispatchEntry->resolvedFlags,
2265 motionEntry->edgeFlags, motionEntry->metaState,
2266 motionEntry->buttonState,
2267 motionEntry->classification, xOffset, yOffset,
2268 motionEntry->xPrecision,
2269 motionEntry->yPrecision,
2270 motionEntry->xCursorPosition,
2271 motionEntry->yCursorPosition,
2272 motionEntry->downTime, motionEntry->eventTime,
2273 motionEntry->pointerCount,
2274 motionEntry->pointerProperties, usingCoords);
Siarhei Vishniakoude4bf152019-08-16 11:12:52 -05002275 reportTouchEventForStatistics(*motionEntry);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002276 break;
2277 }
2278
2279 default:
2280 ALOG_ASSERT(false);
2281 return;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002282 }
2283
2284 // Check the result.
2285 if (status) {
2286 if (status == WOULD_BLOCK) {
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002287 if (connection->waitQueue.empty()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002288 ALOGE("channel '%s' ~ Could not publish event because the pipe is full. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002289 "This is unexpected because the wait queue is empty, so the pipe "
2290 "should be empty and we shouldn't have any problems writing an "
2291 "event to it, status=%d",
2292 connection->getInputChannelName().c_str(), status);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002293 abortBrokenDispatchCycleLocked(currentTime, connection, true /*notify*/);
2294 } else {
2295 // Pipe is full and we are waiting for the app to finish process some events
2296 // before sending more events to it.
2297#if DEBUG_DISPATCH_CYCLE
2298 ALOGD("channel '%s' ~ Could not publish event because the pipe is full, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002299 "waiting for the application to catch up",
2300 connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002301#endif
2302 connection->inputPublisherBlocked = true;
2303 }
2304 } else {
2305 ALOGE("channel '%s' ~ Could not publish event due to an unexpected error, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002306 "status=%d",
2307 connection->getInputChannelName().c_str(), status);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002308 abortBrokenDispatchCycleLocked(currentTime, connection, true /*notify*/);
2309 }
2310 return;
2311 }
2312
2313 // Re-enqueue the event on the wait queue.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002314 connection->outboundQueue.erase(std::remove(connection->outboundQueue.begin(),
2315 connection->outboundQueue.end(),
2316 dispatchEntry));
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002317 traceOutboundQueueLength(connection);
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002318 connection->waitQueue.push_back(dispatchEntry);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002319 traceWaitQueueLength(connection);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002320 }
2321}
2322
2323void InputDispatcher::finishDispatchCycleLocked(nsecs_t currentTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002324 const sp<Connection>& connection, uint32_t seq,
2325 bool handled) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002326#if DEBUG_DISPATCH_CYCLE
2327 ALOGD("channel '%s' ~ finishDispatchCycle - seq=%u, handled=%s",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002328 connection->getInputChannelName().c_str(), seq, toString(handled));
Michael Wrightd02c5b62014-02-10 15:10:22 -08002329#endif
2330
2331 connection->inputPublisherBlocked = false;
2332
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002333 if (connection->status == Connection::STATUS_BROKEN ||
2334 connection->status == Connection::STATUS_ZOMBIE) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002335 return;
2336 }
2337
2338 // Notify other system components and prepare to start the next dispatch cycle.
2339 onDispatchCycleFinishedLocked(currentTime, connection, seq, handled);
2340}
2341
2342void InputDispatcher::abortBrokenDispatchCycleLocked(nsecs_t currentTime,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002343 const sp<Connection>& connection,
2344 bool notify) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002345#if DEBUG_DISPATCH_CYCLE
2346 ALOGD("channel '%s' ~ abortBrokenDispatchCycle - notify=%s",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002347 connection->getInputChannelName().c_str(), toString(notify));
Michael Wrightd02c5b62014-02-10 15:10:22 -08002348#endif
2349
2350 // Clear the dispatch queues.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002351 drainDispatchQueue(connection->outboundQueue);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002352 traceOutboundQueueLength(connection);
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002353 drainDispatchQueue(connection->waitQueue);
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08002354 traceWaitQueueLength(connection);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002355
2356 // The connection appears to be unrecoverably broken.
2357 // Ignore already broken or zombie connections.
2358 if (connection->status == Connection::STATUS_NORMAL) {
2359 connection->status = Connection::STATUS_BROKEN;
2360
2361 if (notify) {
2362 // Notify other system components.
2363 onDispatchCycleBrokenLocked(currentTime, connection);
2364 }
2365 }
2366}
2367
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07002368void InputDispatcher::drainDispatchQueue(std::deque<DispatchEntry*>& queue) {
2369 while (!queue.empty()) {
2370 DispatchEntry* dispatchEntry = queue.front();
2371 queue.pop_front();
Siarhei Vishniakou62683e82019-03-06 17:59:56 -08002372 releaseDispatchEntry(dispatchEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002373 }
2374}
2375
Siarhei Vishniakou62683e82019-03-06 17:59:56 -08002376void InputDispatcher::releaseDispatchEntry(DispatchEntry* dispatchEntry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002377 if (dispatchEntry->hasForegroundTarget()) {
Siarhei Vishniakou62683e82019-03-06 17:59:56 -08002378 decrementPendingForegroundDispatches(dispatchEntry->eventEntry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002379 }
2380 delete dispatchEntry;
2381}
2382
2383int InputDispatcher::handleReceiveCallback(int fd, int events, void* data) {
2384 InputDispatcher* d = static_cast<InputDispatcher*>(data);
2385
2386 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08002387 std::scoped_lock _l(d->mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002388
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07002389 if (d->mConnectionsByFd.find(fd) == d->mConnectionsByFd.end()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002390 ALOGE("Received spurious receive callback for unknown input channel. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002391 "fd=%d, events=0x%x",
2392 fd, events);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002393 return 0; // remove the callback
2394 }
2395
2396 bool notify;
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07002397 sp<Connection> connection = d->mConnectionsByFd[fd];
Michael Wrightd02c5b62014-02-10 15:10:22 -08002398 if (!(events & (ALOOPER_EVENT_ERROR | ALOOPER_EVENT_HANGUP))) {
2399 if (!(events & ALOOPER_EVENT_INPUT)) {
2400 ALOGW("channel '%s' ~ Received spurious callback for unhandled poll event. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002401 "events=0x%x",
2402 connection->getInputChannelName().c_str(), events);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002403 return 1;
2404 }
2405
2406 nsecs_t currentTime = now();
2407 bool gotOne = false;
2408 status_t status;
2409 for (;;) {
2410 uint32_t seq;
2411 bool handled;
2412 status = connection->inputPublisher.receiveFinishedSignal(&seq, &handled);
2413 if (status) {
2414 break;
2415 }
2416 d->finishDispatchCycleLocked(currentTime, connection, seq, handled);
2417 gotOne = true;
2418 }
2419 if (gotOne) {
2420 d->runCommandsLockedInterruptible();
2421 if (status == WOULD_BLOCK) {
2422 return 1;
2423 }
2424 }
2425
2426 notify = status != DEAD_OBJECT || !connection->monitor;
2427 if (notify) {
2428 ALOGE("channel '%s' ~ Failed to receive finished signal. status=%d",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002429 connection->getInputChannelName().c_str(), status);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002430 }
2431 } else {
2432 // Monitor channels are never explicitly unregistered.
2433 // We do it automatically when the remote endpoint is closed so don't warn
2434 // about them.
2435 notify = !connection->monitor;
2436 if (notify) {
2437 ALOGW("channel '%s' ~ Consumer closed input channel or an error occurred. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002438 "events=0x%x",
2439 connection->getInputChannelName().c_str(), events);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002440 }
2441 }
2442
2443 // Unregister the channel.
2444 d->unregisterInputChannelLocked(connection->inputChannel, notify);
2445 return 0; // remove the callback
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002446 } // release lock
Michael Wrightd02c5b62014-02-10 15:10:22 -08002447}
2448
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002449void InputDispatcher::synthesizeCancelationEventsForAllConnectionsLocked(
Michael Wrightd02c5b62014-02-10 15:10:22 -08002450 const CancelationOptions& options) {
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07002451 for (const auto& pair : mConnectionsByFd) {
2452 synthesizeCancelationEventsForConnectionLocked(pair.second, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002453 }
2454}
2455
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002456void InputDispatcher::synthesizeCancelationEventsForMonitorsLocked(
Michael Wrightfa13dcf2015-06-12 13:25:11 +01002457 const CancelationOptions& options) {
Michael Wright3dd60e22019-03-27 22:06:44 +00002458 synthesizeCancelationEventsForMonitorsLocked(options, mGlobalMonitorsByDisplay);
2459 synthesizeCancelationEventsForMonitorsLocked(options, mGestureMonitorsByDisplay);
2460}
2461
2462void InputDispatcher::synthesizeCancelationEventsForMonitorsLocked(
2463 const CancelationOptions& options,
2464 std::unordered_map<int32_t, std::vector<Monitor>>& monitorsByDisplay) {
2465 for (const auto& it : monitorsByDisplay) {
2466 const std::vector<Monitor>& monitors = it.second;
2467 for (const Monitor& monitor : monitors) {
2468 synthesizeCancelationEventsForInputChannelLocked(monitor.inputChannel, options);
Arthur Hung2fbf37f2018-09-13 18:16:41 +08002469 }
Michael Wrightfa13dcf2015-06-12 13:25:11 +01002470 }
2471}
2472
Michael Wrightd02c5b62014-02-10 15:10:22 -08002473void InputDispatcher::synthesizeCancelationEventsForInputChannelLocked(
2474 const sp<InputChannel>& channel, const CancelationOptions& options) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07002475 sp<Connection> connection = getConnectionLocked(channel->getToken());
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07002476 if (connection == nullptr) {
2477 return;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002478 }
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07002479
2480 synthesizeCancelationEventsForConnectionLocked(connection, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002481}
2482
2483void InputDispatcher::synthesizeCancelationEventsForConnectionLocked(
2484 const sp<Connection>& connection, const CancelationOptions& options) {
2485 if (connection->status == Connection::STATUS_BROKEN) {
2486 return;
2487 }
2488
2489 nsecs_t currentTime = now();
2490
Siarhei Vishniakou00fca7c2019-10-29 13:05:57 -07002491 std::vector<EventEntry*> cancelationEvents =
2492 connection->inputState.synthesizeCancelationEvents(currentTime, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002493
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08002494 if (!cancelationEvents.empty()) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002495#if DEBUG_OUTBOUND_EVENT_DETAILS
Siarhei Vishniakou5d83f602017-09-12 12:40:29 -07002496 ALOGD("channel '%s' ~ Synthesized %zu cancelation events to bring channel back in sync "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002497 "with reality: %s, mode=%d.",
2498 connection->getInputChannelName().c_str(), cancelationEvents.size(), options.reason,
2499 options.mode);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002500#endif
2501 for (size_t i = 0; i < cancelationEvents.size(); i++) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08002502 EventEntry* cancelationEventEntry = cancelationEvents[i];
Michael Wrightd02c5b62014-02-10 15:10:22 -08002503 switch (cancelationEventEntry->type) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002504 case EventEntry::TYPE_KEY:
2505 logOutboundKeyDetails("cancel - ",
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002506 static_cast<const KeyEntry&>(*cancelationEventEntry));
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002507 break;
2508 case EventEntry::TYPE_MOTION:
2509 logOutboundMotionDetails("cancel - ",
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002510 static_cast<const MotionEntry&>(
2511 *cancelationEventEntry));
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002512 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002513 }
2514
2515 InputTarget target;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002516 sp<InputWindowHandle> windowHandle =
2517 getWindowHandleLocked(connection->inputChannel->getToken());
Yi Kong9b14ac62018-07-17 13:48:38 -07002518 if (windowHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002519 const InputWindowInfo* windowInfo = windowHandle->getInfo();
2520 target.xOffset = -windowInfo->frameLeft;
2521 target.yOffset = -windowInfo->frameTop;
Robert Carre07e1032018-11-26 12:55:53 -08002522 target.globalScaleFactor = windowInfo->globalScaleFactor;
2523 target.windowXScale = windowInfo->windowXScale;
2524 target.windowYScale = windowInfo->windowYScale;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002525 } else {
2526 target.xOffset = 0;
2527 target.yOffset = 0;
Robert Carre07e1032018-11-26 12:55:53 -08002528 target.globalScaleFactor = 1.0f;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002529 }
2530 target.inputChannel = connection->inputChannel;
2531 target.flags = InputTarget::FLAG_DISPATCH_AS_IS;
2532
chaviw8c9cf542019-03-25 13:02:48 -07002533 enqueueDispatchEntryLocked(connection, cancelationEventEntry, // increments ref
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002534 &target, InputTarget::FLAG_DISPATCH_AS_IS);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002535
2536 cancelationEventEntry->release();
2537 }
2538
2539 startDispatchCycleLocked(currentTime, connection);
2540 }
2541}
2542
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002543MotionEntry* InputDispatcher::splitMotionEvent(const MotionEntry& originalMotionEntry,
Garfield Tane84e6f92019-08-29 17:28:41 -07002544 BitSet32 pointerIds) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002545 ALOG_ASSERT(pointerIds.value != 0);
2546
2547 uint32_t splitPointerIndexMap[MAX_POINTERS];
2548 PointerProperties splitPointerProperties[MAX_POINTERS];
2549 PointerCoords splitPointerCoords[MAX_POINTERS];
2550
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002551 uint32_t originalPointerCount = originalMotionEntry.pointerCount;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002552 uint32_t splitPointerCount = 0;
2553
2554 for (uint32_t originalPointerIndex = 0; originalPointerIndex < originalPointerCount;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002555 originalPointerIndex++) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002556 const PointerProperties& pointerProperties =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002557 originalMotionEntry.pointerProperties[originalPointerIndex];
Michael Wrightd02c5b62014-02-10 15:10:22 -08002558 uint32_t pointerId = uint32_t(pointerProperties.id);
2559 if (pointerIds.hasBit(pointerId)) {
2560 splitPointerIndexMap[splitPointerCount] = originalPointerIndex;
2561 splitPointerProperties[splitPointerCount].copyFrom(pointerProperties);
2562 splitPointerCoords[splitPointerCount].copyFrom(
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002563 originalMotionEntry.pointerCoords[originalPointerIndex]);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002564 splitPointerCount += 1;
2565 }
2566 }
2567
2568 if (splitPointerCount != pointerIds.count()) {
2569 // This is bad. We are missing some of the pointers that we expected to deliver.
2570 // Most likely this indicates that we received an ACTION_MOVE events that has
2571 // different pointer ids than we expected based on the previous ACTION_DOWN
2572 // or ACTION_POINTER_DOWN events that caused us to decide to split the pointers
2573 // in this way.
2574 ALOGW("Dropping split motion event because the pointer count is %d but "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002575 "we expected there to be %d pointers. This probably means we received "
2576 "a broken sequence of pointer ids from the input device.",
2577 splitPointerCount, pointerIds.count());
Yi Kong9b14ac62018-07-17 13:48:38 -07002578 return nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002579 }
2580
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002581 int32_t action = originalMotionEntry.action;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002582 int32_t maskedAction = action & AMOTION_EVENT_ACTION_MASK;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002583 if (maskedAction == AMOTION_EVENT_ACTION_POINTER_DOWN ||
2584 maskedAction == AMOTION_EVENT_ACTION_POINTER_UP) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002585 int32_t originalPointerIndex = getMotionEventActionPointerIndex(action);
2586 const PointerProperties& pointerProperties =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002587 originalMotionEntry.pointerProperties[originalPointerIndex];
Michael Wrightd02c5b62014-02-10 15:10:22 -08002588 uint32_t pointerId = uint32_t(pointerProperties.id);
2589 if (pointerIds.hasBit(pointerId)) {
2590 if (pointerIds.count() == 1) {
2591 // The first/last pointer went down/up.
2592 action = maskedAction == AMOTION_EVENT_ACTION_POINTER_DOWN
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002593 ? AMOTION_EVENT_ACTION_DOWN
2594 : AMOTION_EVENT_ACTION_UP;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002595 } else {
2596 // A secondary pointer went down/up.
2597 uint32_t splitPointerIndex = 0;
2598 while (pointerId != uint32_t(splitPointerProperties[splitPointerIndex].id)) {
2599 splitPointerIndex += 1;
2600 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002601 action = maskedAction |
2602 (splitPointerIndex << AMOTION_EVENT_ACTION_POINTER_INDEX_SHIFT);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002603 }
2604 } else {
2605 // An unrelated pointer changed.
2606 action = AMOTION_EVENT_ACTION_MOVE;
2607 }
2608 }
2609
Garfield Tan00f511d2019-06-12 16:55:40 -07002610 MotionEntry* splitMotionEntry =
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002611 new MotionEntry(originalMotionEntry.sequenceNum, originalMotionEntry.eventTime,
2612 originalMotionEntry.deviceId, originalMotionEntry.source,
2613 originalMotionEntry.displayId, originalMotionEntry.policyFlags, action,
2614 originalMotionEntry.actionButton, originalMotionEntry.flags,
2615 originalMotionEntry.metaState, originalMotionEntry.buttonState,
2616 originalMotionEntry.classification, originalMotionEntry.edgeFlags,
2617 originalMotionEntry.xPrecision, originalMotionEntry.yPrecision,
2618 originalMotionEntry.xCursorPosition,
2619 originalMotionEntry.yCursorPosition, originalMotionEntry.downTime,
Garfield Tan00f511d2019-06-12 16:55:40 -07002620 splitPointerCount, splitPointerProperties, splitPointerCoords, 0, 0);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002621
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07002622 if (originalMotionEntry.injectionState) {
2623 splitMotionEntry->injectionState = originalMotionEntry.injectionState;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002624 splitMotionEntry->injectionState->refCount += 1;
2625 }
2626
2627 return splitMotionEntry;
2628}
2629
2630void InputDispatcher::notifyConfigurationChanged(const NotifyConfigurationChangedArgs* args) {
2631#if DEBUG_INBOUND_EVENT_DETAILS
Siarhei Vishniakou5d83f602017-09-12 12:40:29 -07002632 ALOGD("notifyConfigurationChanged - eventTime=%" PRId64, args->eventTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002633#endif
2634
2635 bool needWake;
2636 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08002637 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002638
Prabir Pradhan42611e02018-11-27 14:04:02 -08002639 ConfigurationChangedEntry* newEntry =
2640 new ConfigurationChangedEntry(args->sequenceNum, args->eventTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002641 needWake = enqueueInboundEventLocked(newEntry);
2642 } // release lock
2643
2644 if (needWake) {
2645 mLooper->wake();
2646 }
2647}
2648
Siarhei Vishniakou61fafdd2018-04-13 11:00:58 -05002649/**
2650 * If one of the meta shortcuts is detected, process them here:
2651 * Meta + Backspace -> generate BACK
2652 * Meta + Enter -> generate HOME
2653 * This will potentially overwrite keyCode and metaState.
2654 */
2655void InputDispatcher::accelerateMetaShortcuts(const int32_t deviceId, const int32_t action,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002656 int32_t& keyCode, int32_t& metaState) {
Siarhei Vishniakou61fafdd2018-04-13 11:00:58 -05002657 if (metaState & AMETA_META_ON && action == AKEY_EVENT_ACTION_DOWN) {
2658 int32_t newKeyCode = AKEYCODE_UNKNOWN;
2659 if (keyCode == AKEYCODE_DEL) {
2660 newKeyCode = AKEYCODE_BACK;
2661 } else if (keyCode == AKEYCODE_ENTER) {
2662 newKeyCode = AKEYCODE_HOME;
2663 }
2664 if (newKeyCode != AKEYCODE_UNKNOWN) {
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08002665 std::scoped_lock _l(mLock);
Siarhei Vishniakou61fafdd2018-04-13 11:00:58 -05002666 struct KeyReplacement replacement = {keyCode, deviceId};
2667 mReplacedKeys.add(replacement, newKeyCode);
2668 keyCode = newKeyCode;
2669 metaState &= ~(AMETA_META_ON | AMETA_META_LEFT_ON | AMETA_META_RIGHT_ON);
2670 }
2671 } else if (action == AKEY_EVENT_ACTION_UP) {
2672 // In order to maintain a consistent stream of up and down events, check to see if the key
2673 // going up is one we've replaced in a down event and haven't yet replaced in an up event,
2674 // even if the modifier was released between the down and the up events.
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08002675 std::scoped_lock _l(mLock);
Siarhei Vishniakou61fafdd2018-04-13 11:00:58 -05002676 struct KeyReplacement replacement = {keyCode, deviceId};
2677 ssize_t index = mReplacedKeys.indexOfKey(replacement);
2678 if (index >= 0) {
2679 keyCode = mReplacedKeys.valueAt(index);
2680 mReplacedKeys.removeItemsAt(index);
2681 metaState &= ~(AMETA_META_ON | AMETA_META_LEFT_ON | AMETA_META_RIGHT_ON);
2682 }
2683 }
2684}
2685
Michael Wrightd02c5b62014-02-10 15:10:22 -08002686void InputDispatcher::notifyKey(const NotifyKeyArgs* args) {
2687#if DEBUG_INBOUND_EVENT_DETAILS
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002688 ALOGD("notifyKey - eventTime=%" PRId64 ", deviceId=%d, source=0x%x, displayId=%" PRId32
2689 "policyFlags=0x%x, action=0x%x, "
2690 "flags=0x%x, keyCode=0x%x, scanCode=0x%x, metaState=0x%x, downTime=%" PRId64,
2691 args->eventTime, args->deviceId, args->source, args->displayId, args->policyFlags,
2692 args->action, args->flags, args->keyCode, args->scanCode, args->metaState,
2693 args->downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002694#endif
2695 if (!validateKeyEvent(args->action)) {
2696 return;
2697 }
2698
2699 uint32_t policyFlags = args->policyFlags;
2700 int32_t flags = args->flags;
2701 int32_t metaState = args->metaState;
Siarhei Vishniakou622bd322018-10-29 18:02:27 -07002702 // InputDispatcher tracks and generates key repeats on behalf of
2703 // whatever notifies it, so repeatCount should always be set to 0
2704 constexpr int32_t repeatCount = 0;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002705 if ((policyFlags & POLICY_FLAG_VIRTUAL) || (flags & AKEY_EVENT_FLAG_VIRTUAL_HARD_KEY)) {
2706 policyFlags |= POLICY_FLAG_VIRTUAL;
2707 flags |= AKEY_EVENT_FLAG_VIRTUAL_HARD_KEY;
2708 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002709 if (policyFlags & POLICY_FLAG_FUNCTION) {
2710 metaState |= AMETA_FUNCTION_ON;
2711 }
2712
2713 policyFlags |= POLICY_FLAG_TRUSTED;
2714
Michael Wright78f24442014-08-06 15:55:28 -07002715 int32_t keyCode = args->keyCode;
Siarhei Vishniakou61fafdd2018-04-13 11:00:58 -05002716 accelerateMetaShortcuts(args->deviceId, args->action, keyCode, metaState);
Michael Wright78f24442014-08-06 15:55:28 -07002717
Michael Wrightd02c5b62014-02-10 15:10:22 -08002718 KeyEvent event;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002719 event.initialize(args->deviceId, args->source, args->displayId, args->action, flags, keyCode,
2720 args->scanCode, metaState, repeatCount, args->downTime, args->eventTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002721
Michael Wright2b3c3302018-03-02 17:19:13 +00002722 android::base::Timer t;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002723 mPolicy->interceptKeyBeforeQueueing(&event, /*byref*/ policyFlags);
Michael Wright2b3c3302018-03-02 17:19:13 +00002724 if (t.duration() > SLOW_INTERCEPTION_THRESHOLD) {
2725 ALOGW("Excessive delay in interceptKeyBeforeQueueing; took %s ms",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002726 std::to_string(t.duration().count()).c_str());
Michael Wright2b3c3302018-03-02 17:19:13 +00002727 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002728
Michael Wrightd02c5b62014-02-10 15:10:22 -08002729 bool needWake;
2730 { // acquire lock
2731 mLock.lock();
2732
2733 if (shouldSendKeyToInputFilterLocked(args)) {
2734 mLock.unlock();
2735
2736 policyFlags |= POLICY_FLAG_FILTERED;
2737 if (!mPolicy->filterInputEvent(&event, policyFlags)) {
2738 return; // event was consumed by the filter
2739 }
2740
2741 mLock.lock();
2742 }
2743
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002744 KeyEntry* newEntry =
2745 new KeyEntry(args->sequenceNum, args->eventTime, args->deviceId, args->source,
2746 args->displayId, policyFlags, args->action, flags, keyCode,
2747 args->scanCode, metaState, repeatCount, args->downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002748
2749 needWake = enqueueInboundEventLocked(newEntry);
2750 mLock.unlock();
2751 } // release lock
2752
2753 if (needWake) {
2754 mLooper->wake();
2755 }
2756}
2757
2758bool InputDispatcher::shouldSendKeyToInputFilterLocked(const NotifyKeyArgs* args) {
2759 return mInputFilterEnabled;
2760}
2761
2762void InputDispatcher::notifyMotion(const NotifyMotionArgs* args) {
2763#if DEBUG_INBOUND_EVENT_DETAILS
Siarhei Vishniakou777a10b2018-01-31 16:45:06 -08002764 ALOGD("notifyMotion - eventTime=%" PRId64 ", deviceId=%d, source=0x%x, displayId=%" PRId32
Garfield Tan00f511d2019-06-12 16:55:40 -07002765 ", policyFlags=0x%x, "
2766 "action=0x%x, actionButton=0x%x, flags=0x%x, metaState=0x%x, buttonState=0x%x, "
2767 "edgeFlags=0x%x, xPrecision=%f, yPrecision=%f, xCursorPosition=%f, "
Garfield Tanab0ab9c2019-07-10 18:58:28 -07002768 "yCursorPosition=%f, downTime=%" PRId64,
Garfield Tan00f511d2019-06-12 16:55:40 -07002769 args->eventTime, args->deviceId, args->source, args->displayId, args->policyFlags,
2770 args->action, args->actionButton, args->flags, args->metaState, args->buttonState,
Jaewan Kim372fbe42019-10-02 10:58:46 +09002771 args->edgeFlags, args->xPrecision, args->yPrecision, args->xCursorPosition,
Garfield Tan00f511d2019-06-12 16:55:40 -07002772 args->yCursorPosition, args->downTime);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002773 for (uint32_t i = 0; i < args->pointerCount; i++) {
2774 ALOGD(" Pointer %d: id=%d, toolType=%d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002775 "x=%f, y=%f, pressure=%f, size=%f, "
2776 "touchMajor=%f, touchMinor=%f, toolMajor=%f, toolMinor=%f, "
2777 "orientation=%f",
2778 i, args->pointerProperties[i].id, args->pointerProperties[i].toolType,
2779 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_X),
2780 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_Y),
2781 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_PRESSURE),
2782 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_SIZE),
2783 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOUCH_MAJOR),
2784 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOUCH_MINOR),
2785 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOOL_MAJOR),
2786 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_TOOL_MINOR),
2787 args->pointerCoords[i].getAxisValue(AMOTION_EVENT_AXIS_ORIENTATION));
Michael Wrightd02c5b62014-02-10 15:10:22 -08002788 }
2789#endif
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002790 if (!validateMotionEvent(args->action, args->actionButton, args->pointerCount,
2791 args->pointerProperties)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002792 return;
2793 }
2794
2795 uint32_t policyFlags = args->policyFlags;
2796 policyFlags |= POLICY_FLAG_TRUSTED;
Michael Wright2b3c3302018-03-02 17:19:13 +00002797
2798 android::base::Timer t;
Charles Chen3611f1f2019-01-29 17:26:18 +08002799 mPolicy->interceptMotionBeforeQueueing(args->displayId, args->eventTime, /*byref*/ policyFlags);
Michael Wright2b3c3302018-03-02 17:19:13 +00002800 if (t.duration() > SLOW_INTERCEPTION_THRESHOLD) {
2801 ALOGW("Excessive delay in interceptMotionBeforeQueueing; took %s ms",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002802 std::to_string(t.duration().count()).c_str());
Michael Wright2b3c3302018-03-02 17:19:13 +00002803 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002804
2805 bool needWake;
2806 { // acquire lock
2807 mLock.lock();
2808
2809 if (shouldSendMotionToInputFilterLocked(args)) {
2810 mLock.unlock();
2811
2812 MotionEvent event;
Garfield Tan00f511d2019-06-12 16:55:40 -07002813 event.initialize(args->deviceId, args->source, args->displayId, args->action,
2814 args->actionButton, args->flags, args->edgeFlags, args->metaState,
2815 args->buttonState, args->classification, 0, 0, args->xPrecision,
2816 args->yPrecision, args->xCursorPosition, args->yCursorPosition,
2817 args->downTime, args->eventTime, args->pointerCount,
2818 args->pointerProperties, args->pointerCoords);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002819
2820 policyFlags |= POLICY_FLAG_FILTERED;
2821 if (!mPolicy->filterInputEvent(&event, policyFlags)) {
2822 return; // event was consumed by the filter
2823 }
2824
2825 mLock.lock();
2826 }
2827
2828 // Just enqueue a new motion event.
Garfield Tan00f511d2019-06-12 16:55:40 -07002829 MotionEntry* newEntry =
2830 new MotionEntry(args->sequenceNum, args->eventTime, args->deviceId, args->source,
2831 args->displayId, policyFlags, args->action, args->actionButton,
2832 args->flags, args->metaState, args->buttonState,
2833 args->classification, args->edgeFlags, args->xPrecision,
2834 args->yPrecision, args->xCursorPosition, args->yCursorPosition,
2835 args->downTime, args->pointerCount, args->pointerProperties,
2836 args->pointerCoords, 0, 0);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002837
2838 needWake = enqueueInboundEventLocked(newEntry);
2839 mLock.unlock();
2840 } // release lock
2841
2842 if (needWake) {
2843 mLooper->wake();
2844 }
2845}
2846
2847bool InputDispatcher::shouldSendMotionToInputFilterLocked(const NotifyMotionArgs* args) {
Jackal Guof9696682018-10-05 12:23:23 +08002848 return mInputFilterEnabled;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002849}
2850
2851void InputDispatcher::notifySwitch(const NotifySwitchArgs* args) {
2852#if DEBUG_INBOUND_EVENT_DETAILS
Siarhei Vishniakou5d83f602017-09-12 12:40:29 -07002853 ALOGD("notifySwitch - eventTime=%" PRId64 ", policyFlags=0x%x, switchValues=0x%08x, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002854 "switchMask=0x%08x",
2855 args->eventTime, args->policyFlags, args->switchValues, args->switchMask);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002856#endif
2857
2858 uint32_t policyFlags = args->policyFlags;
2859 policyFlags |= POLICY_FLAG_TRUSTED;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002860 mPolicy->notifySwitch(args->eventTime, args->switchValues, args->switchMask, policyFlags);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002861}
2862
2863void InputDispatcher::notifyDeviceReset(const NotifyDeviceResetArgs* args) {
2864#if DEBUG_INBOUND_EVENT_DETAILS
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002865 ALOGD("notifyDeviceReset - eventTime=%" PRId64 ", deviceId=%d", args->eventTime,
2866 args->deviceId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002867#endif
2868
2869 bool needWake;
2870 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08002871 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002872
Prabir Pradhan42611e02018-11-27 14:04:02 -08002873 DeviceResetEntry* newEntry =
2874 new DeviceResetEntry(args->sequenceNum, args->eventTime, args->deviceId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002875 needWake = enqueueInboundEventLocked(newEntry);
2876 } // release lock
2877
2878 if (needWake) {
2879 mLooper->wake();
2880 }
2881}
2882
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002883int32_t InputDispatcher::injectInputEvent(const InputEvent* event, int32_t injectorPid,
2884 int32_t injectorUid, int32_t syncMode,
2885 int32_t timeoutMillis, uint32_t policyFlags) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08002886#if DEBUG_INBOUND_EVENT_DETAILS
2887 ALOGD("injectInputEvent - eventType=%d, injectorPid=%d, injectorUid=%d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002888 "syncMode=%d, timeoutMillis=%d, policyFlags=0x%08x",
2889 event->getType(), injectorPid, injectorUid, syncMode, timeoutMillis, policyFlags);
Michael Wrightd02c5b62014-02-10 15:10:22 -08002890#endif
2891
2892 nsecs_t endTime = now() + milliseconds_to_nanoseconds(timeoutMillis);
2893
2894 policyFlags |= POLICY_FLAG_INJECTED;
2895 if (hasInjectionPermission(injectorPid, injectorUid)) {
2896 policyFlags |= POLICY_FLAG_TRUSTED;
2897 }
2898
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07002899 std::queue<EventEntry*> injectedEntries;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002900 switch (event->getType()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002901 case AINPUT_EVENT_TYPE_KEY: {
2902 KeyEvent keyEvent;
2903 keyEvent.initialize(*static_cast<const KeyEvent*>(event));
2904 int32_t action = keyEvent.getAction();
2905 if (!validateKeyEvent(action)) {
2906 return INPUT_EVENT_INJECTION_FAILED;
Michael Wright2b3c3302018-03-02 17:19:13 +00002907 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08002908
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002909 int32_t flags = keyEvent.getFlags();
2910 int32_t keyCode = keyEvent.getKeyCode();
2911 int32_t metaState = keyEvent.getMetaState();
2912 accelerateMetaShortcuts(keyEvent.getDeviceId(), action,
2913 /*byref*/ keyCode, /*byref*/ metaState);
2914 keyEvent.initialize(keyEvent.getDeviceId(), keyEvent.getSource(),
2915 keyEvent.getDisplayId(), action, flags, keyCode,
2916 keyEvent.getScanCode(), metaState, keyEvent.getRepeatCount(),
2917 keyEvent.getDownTime(), keyEvent.getEventTime());
Michael Wrightd02c5b62014-02-10 15:10:22 -08002918
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002919 if (flags & AKEY_EVENT_FLAG_VIRTUAL_HARD_KEY) {
2920 policyFlags |= POLICY_FLAG_VIRTUAL;
Michael Wright2b3c3302018-03-02 17:19:13 +00002921 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002922
2923 if (!(policyFlags & POLICY_FLAG_FILTERED)) {
2924 android::base::Timer t;
2925 mPolicy->interceptKeyBeforeQueueing(&keyEvent, /*byref*/ policyFlags);
2926 if (t.duration() > SLOW_INTERCEPTION_THRESHOLD) {
2927 ALOGW("Excessive delay in interceptKeyBeforeQueueing; took %s ms",
2928 std::to_string(t.duration().count()).c_str());
2929 }
2930 }
2931
2932 mLock.lock();
2933 KeyEntry* injectedEntry =
2934 new KeyEntry(SYNTHESIZED_EVENT_SEQUENCE_NUM, keyEvent.getEventTime(),
2935 keyEvent.getDeviceId(), keyEvent.getSource(),
2936 keyEvent.getDisplayId(), policyFlags, action, flags,
2937 keyEvent.getKeyCode(), keyEvent.getScanCode(),
2938 keyEvent.getMetaState(), keyEvent.getRepeatCount(),
2939 keyEvent.getDownTime());
2940 injectedEntries.push(injectedEntry);
2941 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08002942 }
2943
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002944 case AINPUT_EVENT_TYPE_MOTION: {
2945 const MotionEvent* motionEvent = static_cast<const MotionEvent*>(event);
2946 int32_t action = motionEvent->getAction();
2947 size_t pointerCount = motionEvent->getPointerCount();
2948 const PointerProperties* pointerProperties = motionEvent->getPointerProperties();
2949 int32_t actionButton = motionEvent->getActionButton();
2950 int32_t displayId = motionEvent->getDisplayId();
2951 if (!validateMotionEvent(action, actionButton, pointerCount, pointerProperties)) {
2952 return INPUT_EVENT_INJECTION_FAILED;
2953 }
2954
2955 if (!(policyFlags & POLICY_FLAG_FILTERED)) {
2956 nsecs_t eventTime = motionEvent->getEventTime();
2957 android::base::Timer t;
2958 mPolicy->interceptMotionBeforeQueueing(displayId, eventTime, /*byref*/ policyFlags);
2959 if (t.duration() > SLOW_INTERCEPTION_THRESHOLD) {
2960 ALOGW("Excessive delay in interceptMotionBeforeQueueing; took %s ms",
2961 std::to_string(t.duration().count()).c_str());
2962 }
2963 }
2964
2965 mLock.lock();
2966 const nsecs_t* sampleEventTimes = motionEvent->getSampleEventTimes();
2967 const PointerCoords* samplePointerCoords = motionEvent->getSamplePointerCoords();
2968 MotionEntry* injectedEntry =
Garfield Tan00f511d2019-06-12 16:55:40 -07002969 new MotionEntry(SYNTHESIZED_EVENT_SEQUENCE_NUM, *sampleEventTimes,
2970 motionEvent->getDeviceId(), motionEvent->getSource(),
2971 motionEvent->getDisplayId(), policyFlags, action, actionButton,
2972 motionEvent->getFlags(), motionEvent->getMetaState(),
2973 motionEvent->getButtonState(), motionEvent->getClassification(),
2974 motionEvent->getEdgeFlags(), motionEvent->getXPrecision(),
2975 motionEvent->getYPrecision(),
2976 motionEvent->getRawXCursorPosition(),
2977 motionEvent->getRawYCursorPosition(),
2978 motionEvent->getDownTime(), uint32_t(pointerCount),
2979 pointerProperties, samplePointerCoords,
2980 motionEvent->getXOffset(), motionEvent->getYOffset());
Garfield Tan0fc2fa72019-08-29 17:22:15 -07002981 injectedEntries.push(injectedEntry);
2982 for (size_t i = motionEvent->getHistorySize(); i > 0; i--) {
2983 sampleEventTimes += 1;
2984 samplePointerCoords += pointerCount;
2985 MotionEntry* nextInjectedEntry =
2986 new MotionEntry(SYNTHESIZED_EVENT_SEQUENCE_NUM, *sampleEventTimes,
2987 motionEvent->getDeviceId(), motionEvent->getSource(),
2988 motionEvent->getDisplayId(), policyFlags, action,
2989 actionButton, motionEvent->getFlags(),
2990 motionEvent->getMetaState(), motionEvent->getButtonState(),
2991 motionEvent->getClassification(),
2992 motionEvent->getEdgeFlags(), motionEvent->getXPrecision(),
2993 motionEvent->getYPrecision(),
2994 motionEvent->getRawXCursorPosition(),
2995 motionEvent->getRawYCursorPosition(),
2996 motionEvent->getDownTime(), uint32_t(pointerCount),
2997 pointerProperties, samplePointerCoords,
2998 motionEvent->getXOffset(), motionEvent->getYOffset());
2999 injectedEntries.push(nextInjectedEntry);
3000 }
3001 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003002 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003003
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003004 default:
3005 ALOGW("Cannot inject event of type %d", event->getType());
3006 return INPUT_EVENT_INJECTION_FAILED;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003007 }
3008
3009 InjectionState* injectionState = new InjectionState(injectorPid, injectorUid);
3010 if (syncMode == INPUT_EVENT_INJECTION_SYNC_NONE) {
3011 injectionState->injectionIsAsync = true;
3012 }
3013
3014 injectionState->refCount += 1;
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07003015 injectedEntries.back()->injectionState = injectionState;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003016
3017 bool needWake = false;
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07003018 while (!injectedEntries.empty()) {
3019 needWake |= enqueueInboundEventLocked(injectedEntries.front());
3020 injectedEntries.pop();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003021 }
3022
3023 mLock.unlock();
3024
3025 if (needWake) {
3026 mLooper->wake();
3027 }
3028
3029 int32_t injectionResult;
3030 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003031 std::unique_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003032
3033 if (syncMode == INPUT_EVENT_INJECTION_SYNC_NONE) {
3034 injectionResult = INPUT_EVENT_INJECTION_SUCCEEDED;
3035 } else {
3036 for (;;) {
3037 injectionResult = injectionState->injectionResult;
3038 if (injectionResult != INPUT_EVENT_INJECTION_PENDING) {
3039 break;
3040 }
3041
3042 nsecs_t remainingTimeout = endTime - now();
3043 if (remainingTimeout <= 0) {
3044#if DEBUG_INJECTION
3045 ALOGD("injectInputEvent - Timed out waiting for injection result "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003046 "to become available.");
Michael Wrightd02c5b62014-02-10 15:10:22 -08003047#endif
3048 injectionResult = INPUT_EVENT_INJECTION_TIMED_OUT;
3049 break;
3050 }
3051
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003052 mInjectionResultAvailable.wait_for(_l, std::chrono::nanoseconds(remainingTimeout));
Michael Wrightd02c5b62014-02-10 15:10:22 -08003053 }
3054
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003055 if (injectionResult == INPUT_EVENT_INJECTION_SUCCEEDED &&
3056 syncMode == INPUT_EVENT_INJECTION_SYNC_WAIT_FOR_FINISHED) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003057 while (injectionState->pendingForegroundDispatches != 0) {
3058#if DEBUG_INJECTION
3059 ALOGD("injectInputEvent - Waiting for %d pending foreground dispatches.",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003060 injectionState->pendingForegroundDispatches);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003061#endif
3062 nsecs_t remainingTimeout = endTime - now();
3063 if (remainingTimeout <= 0) {
3064#if DEBUG_INJECTION
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003065 ALOGD("injectInputEvent - Timed out waiting for pending foreground "
3066 "dispatches to finish.");
Michael Wrightd02c5b62014-02-10 15:10:22 -08003067#endif
3068 injectionResult = INPUT_EVENT_INJECTION_TIMED_OUT;
3069 break;
3070 }
3071
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003072 mInjectionSyncFinished.wait_for(_l, std::chrono::nanoseconds(remainingTimeout));
Michael Wrightd02c5b62014-02-10 15:10:22 -08003073 }
3074 }
3075 }
3076
3077 injectionState->release();
3078 } // release lock
3079
3080#if DEBUG_INJECTION
3081 ALOGD("injectInputEvent - Finished with result %d. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003082 "injectorPid=%d, injectorUid=%d",
3083 injectionResult, injectorPid, injectorUid);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003084#endif
3085
3086 return injectionResult;
3087}
3088
3089bool InputDispatcher::hasInjectionPermission(int32_t injectorPid, int32_t injectorUid) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003090 return injectorUid == 0 ||
3091 mPolicy->checkInjectEventsPermissionNonReentrant(injectorPid, injectorUid);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003092}
3093
Siarhei Vishniakou62683e82019-03-06 17:59:56 -08003094void InputDispatcher::setInjectionResult(EventEntry* entry, int32_t injectionResult) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003095 InjectionState* injectionState = entry->injectionState;
3096 if (injectionState) {
3097#if DEBUG_INJECTION
3098 ALOGD("Setting input event injection result to %d. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003099 "injectorPid=%d, injectorUid=%d",
3100 injectionResult, injectionState->injectorPid, injectionState->injectorUid);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003101#endif
3102
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003103 if (injectionState->injectionIsAsync && !(entry->policyFlags & POLICY_FLAG_FILTERED)) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003104 // Log the outcome since the injector did not wait for the injection result.
3105 switch (injectionResult) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003106 case INPUT_EVENT_INJECTION_SUCCEEDED:
3107 ALOGV("Asynchronous input event injection succeeded.");
3108 break;
3109 case INPUT_EVENT_INJECTION_FAILED:
3110 ALOGW("Asynchronous input event injection failed.");
3111 break;
3112 case INPUT_EVENT_INJECTION_PERMISSION_DENIED:
3113 ALOGW("Asynchronous input event injection permission denied.");
3114 break;
3115 case INPUT_EVENT_INJECTION_TIMED_OUT:
3116 ALOGW("Asynchronous input event injection timed out.");
3117 break;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003118 }
3119 }
3120
3121 injectionState->injectionResult = injectionResult;
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003122 mInjectionResultAvailable.notify_all();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003123 }
3124}
3125
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08003126void InputDispatcher::incrementPendingForegroundDispatches(EventEntry* entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003127 InjectionState* injectionState = entry->injectionState;
3128 if (injectionState) {
3129 injectionState->pendingForegroundDispatches += 1;
3130 }
3131}
3132
Siarhei Vishniakou62683e82019-03-06 17:59:56 -08003133void InputDispatcher::decrementPendingForegroundDispatches(EventEntry* entry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003134 InjectionState* injectionState = entry->injectionState;
3135 if (injectionState) {
3136 injectionState->pendingForegroundDispatches -= 1;
3137
3138 if (injectionState->pendingForegroundDispatches == 0) {
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003139 mInjectionSyncFinished.notify_all();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003140 }
3141 }
3142}
3143
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003144std::vector<sp<InputWindowHandle>> InputDispatcher::getWindowHandlesLocked(
3145 int32_t displayId) const {
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003146 return getValueByKey(mWindowHandlesByDisplay, displayId);
Arthur Hungb92218b2018-08-14 12:00:21 +08003147}
3148
Michael Wrightd02c5b62014-02-10 15:10:22 -08003149sp<InputWindowHandle> InputDispatcher::getWindowHandleLocked(
chaviwfbe5d9c2018-12-26 12:23:37 -08003150 const sp<IBinder>& windowHandleToken) const {
Arthur Hungb92218b2018-08-14 12:00:21 +08003151 for (auto& it : mWindowHandlesByDisplay) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003152 const std::vector<sp<InputWindowHandle>> windowHandles = it.second;
3153 for (const sp<InputWindowHandle>& windowHandle : windowHandles) {
chaviwfbe5d9c2018-12-26 12:23:37 -08003154 if (windowHandle->getToken() == windowHandleToken) {
Arthur Hungb92218b2018-08-14 12:00:21 +08003155 return windowHandle;
3156 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003157 }
3158 }
Yi Kong9b14ac62018-07-17 13:48:38 -07003159 return nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003160}
3161
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08003162bool InputDispatcher::hasWindowHandleLocked(const sp<InputWindowHandle>& windowHandle) const {
Arthur Hungb92218b2018-08-14 12:00:21 +08003163 for (auto& it : mWindowHandlesByDisplay) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003164 const std::vector<sp<InputWindowHandle>> windowHandles = it.second;
3165 for (const sp<InputWindowHandle>& handle : windowHandles) {
3166 if (handle->getToken() == windowHandle->getToken()) {
Arthur Hungb92218b2018-08-14 12:00:21 +08003167 if (windowHandle->getInfo()->displayId != it.first) {
Arthur Hung3b413f22018-10-26 18:05:34 +08003168 ALOGE("Found window %s in display %" PRId32
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003169 ", but it should belong to display %" PRId32,
3170 windowHandle->getName().c_str(), it.first,
3171 windowHandle->getInfo()->displayId);
Arthur Hungb92218b2018-08-14 12:00:21 +08003172 }
3173 return true;
3174 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003175 }
3176 }
3177 return false;
3178}
3179
Robert Carr5c8a0262018-10-03 16:30:44 -07003180sp<InputChannel> InputDispatcher::getInputChannelLocked(const sp<IBinder>& token) const {
3181 size_t count = mInputChannelsByToken.count(token);
3182 if (count == 0) {
3183 return nullptr;
3184 }
3185 return mInputChannelsByToken.at(token);
3186}
3187
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003188void InputDispatcher::updateWindowHandlesForDisplayLocked(
3189 const std::vector<sp<InputWindowHandle>>& inputWindowHandles, int32_t displayId) {
3190 if (inputWindowHandles.empty()) {
3191 // Remove all handles on a display if there are no windows left.
3192 mWindowHandlesByDisplay.erase(displayId);
3193 return;
3194 }
3195
3196 // Since we compare the pointer of input window handles across window updates, we need
3197 // to make sure the handle object for the same window stays unchanged across updates.
3198 const std::vector<sp<InputWindowHandle>>& oldHandles = getWindowHandlesLocked(displayId);
3199 std::unordered_map<sp<IBinder>, sp<InputWindowHandle>, IBinderHash> oldHandlesByTokens;
3200 for (const sp<InputWindowHandle>& handle : oldHandles) {
3201 oldHandlesByTokens[handle->getToken()] = handle;
3202 }
3203
3204 std::vector<sp<InputWindowHandle>> newHandles;
3205 for (const sp<InputWindowHandle>& handle : inputWindowHandles) {
3206 if (!handle->updateInfo()) {
3207 // handle no longer valid
3208 continue;
3209 }
3210
3211 const InputWindowInfo* info = handle->getInfo();
3212 if ((getInputChannelLocked(handle->getToken()) == nullptr &&
3213 info->portalToDisplayId == ADISPLAY_ID_NONE)) {
3214 const bool noInputChannel =
3215 info->inputFeatures & InputWindowInfo::INPUT_FEATURE_NO_INPUT_CHANNEL;
3216 const bool canReceiveInput =
3217 !(info->layoutParamsFlags & InputWindowInfo::FLAG_NOT_TOUCHABLE) ||
3218 !(info->layoutParamsFlags & InputWindowInfo::FLAG_NOT_FOCUSABLE);
3219 if (canReceiveInput && !noInputChannel) {
John Recke0710582019-09-26 13:46:12 -07003220 ALOGV("Window handle %s has no registered input channel",
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003221 handle->getName().c_str());
3222 }
3223 continue;
3224 }
3225
3226 if (info->displayId != displayId) {
3227 ALOGE("Window %s updated by wrong display %d, should belong to display %d",
3228 handle->getName().c_str(), displayId, info->displayId);
3229 continue;
3230 }
3231
3232 if (oldHandlesByTokens.find(handle->getToken()) != oldHandlesByTokens.end()) {
3233 const sp<InputWindowHandle> oldHandle = oldHandlesByTokens.at(handle->getToken());
3234 oldHandle->updateFrom(handle);
3235 newHandles.push_back(oldHandle);
3236 } else {
3237 newHandles.push_back(handle);
3238 }
3239 }
3240
3241 // Insert or replace
3242 mWindowHandlesByDisplay[displayId] = newHandles;
3243}
3244
Arthur Hungb92218b2018-08-14 12:00:21 +08003245/**
3246 * Called from InputManagerService, update window handle list by displayId that can receive input.
3247 * A window handle contains information about InputChannel, Touch Region, Types, Focused,...
3248 * If set an empty list, remove all handles from the specific display.
3249 * For focused handle, check if need to change and send a cancel event to previous one.
3250 * For removed handle, check if need to send a cancel event if already in touch.
3251 */
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003252void InputDispatcher::setInputWindows(const std::vector<sp<InputWindowHandle>>& inputWindowHandles,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003253 int32_t displayId,
3254 const sp<ISetInputWindowsListener>& setInputWindowsListener) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003255 if (DEBUG_FOCUS) {
3256 std::string windowList;
3257 for (const sp<InputWindowHandle>& iwh : inputWindowHandles) {
3258 windowList += iwh->getName() + " ";
3259 }
3260 ALOGD("setInputWindows displayId=%" PRId32 " %s", displayId, windowList.c_str());
3261 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003262 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003263 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003264
Arthur Hungb92218b2018-08-14 12:00:21 +08003265 // Copy old handles for release if they are no longer present.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003266 const std::vector<sp<InputWindowHandle>> oldWindowHandles =
3267 getWindowHandlesLocked(displayId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003268
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003269 updateWindowHandlesForDisplayLocked(inputWindowHandles, displayId);
3270
Tiger Huang721e26f2018-07-24 22:26:19 +08003271 sp<InputWindowHandle> newFocusedWindowHandle = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003272 bool foundHoveredWindow = false;
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003273 for (const sp<InputWindowHandle>& windowHandle : getWindowHandlesLocked(displayId)) {
3274 // Set newFocusedWindowHandle to the top most focused window instead of the last one
3275 if (!newFocusedWindowHandle && windowHandle->getInfo()->hasFocus &&
3276 windowHandle->getInfo()->visible) {
3277 newFocusedWindowHandle = windowHandle;
Garfield Tanbd0fbcd2018-11-30 12:45:03 -08003278 }
Siarhei Vishniakoub3ad35c2019-04-05 10:50:52 -07003279 if (windowHandle == mLastHoverWindowHandle) {
3280 foundHoveredWindow = true;
Garfield Tanbd0fbcd2018-11-30 12:45:03 -08003281 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003282 }
3283
3284 if (!foundHoveredWindow) {
Yi Kong9b14ac62018-07-17 13:48:38 -07003285 mLastHoverWindowHandle = nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003286 }
3287
Tiger Huang721e26f2018-07-24 22:26:19 +08003288 sp<InputWindowHandle> oldFocusedWindowHandle =
3289 getValueByKey(mFocusedWindowHandlesByDisplay, displayId);
3290
3291 if (oldFocusedWindowHandle != newFocusedWindowHandle) {
3292 if (oldFocusedWindowHandle != nullptr) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003293 if (DEBUG_FOCUS) {
3294 ALOGD("Focus left window: %s in display %" PRId32,
3295 oldFocusedWindowHandle->getName().c_str(), displayId);
3296 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003297 sp<InputChannel> focusedInputChannel =
3298 getInputChannelLocked(oldFocusedWindowHandle->getToken());
Yi Kong9b14ac62018-07-17 13:48:38 -07003299 if (focusedInputChannel != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003300 CancelationOptions options(CancelationOptions::CANCEL_NON_POINTER_EVENTS,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003301 "focus left window");
3302 synthesizeCancelationEventsForInputChannelLocked(focusedInputChannel, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003303 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003304 mFocusedWindowHandlesByDisplay.erase(displayId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003305 }
Yi Kong9b14ac62018-07-17 13:48:38 -07003306 if (newFocusedWindowHandle != nullptr) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003307 if (DEBUG_FOCUS) {
3308 ALOGD("Focus entered window: %s in display %" PRId32,
3309 newFocusedWindowHandle->getName().c_str(), displayId);
3310 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003311 mFocusedWindowHandlesByDisplay[displayId] = newFocusedWindowHandle;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003312 }
Robert Carrf759f162018-11-13 12:57:11 -08003313
3314 if (mFocusedDisplayId == displayId) {
chaviw0c06c6e2019-01-09 13:27:07 -08003315 onFocusChangedLocked(oldFocusedWindowHandle, newFocusedWindowHandle);
Robert Carrf759f162018-11-13 12:57:11 -08003316 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003317 }
3318
Arthur Hungb92218b2018-08-14 12:00:21 +08003319 ssize_t stateIndex = mTouchStatesByDisplay.indexOfKey(displayId);
3320 if (stateIndex >= 0) {
3321 TouchState& state = mTouchStatesByDisplay.editValueAt(stateIndex);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003322 for (size_t i = 0; i < state.windows.size();) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003323 TouchedWindow& touchedWindow = state.windows[i];
Siarhei Vishniakou9224fba2018-08-13 18:55:08 +00003324 if (!hasWindowHandleLocked(touchedWindow.windowHandle)) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003325 if (DEBUG_FOCUS) {
3326 ALOGD("Touched window was removed: %s in display %" PRId32,
3327 touchedWindow.windowHandle->getName().c_str(), displayId);
3328 }
Jeff Brownf086ddb2014-02-11 14:28:48 -08003329 sp<InputChannel> touchedInputChannel =
Robert Carr5c8a0262018-10-03 16:30:44 -07003330 getInputChannelLocked(touchedWindow.windowHandle->getToken());
Yi Kong9b14ac62018-07-17 13:48:38 -07003331 if (touchedInputChannel != nullptr) {
Jeff Brownf086ddb2014-02-11 14:28:48 -08003332 CancelationOptions options(CancelationOptions::CANCEL_POINTER_EVENTS,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003333 "touched window was removed");
3334 synthesizeCancelationEventsForInputChannelLocked(touchedInputChannel,
3335 options);
Jeff Brownf086ddb2014-02-11 14:28:48 -08003336 }
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003337 state.windows.erase(state.windows.begin() + i);
Ivan Lozano96f12992017-11-09 14:45:38 -08003338 } else {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003339 ++i;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003340 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003341 }
3342 }
3343
3344 // Release information for windows that are no longer present.
3345 // This ensures that unused input channels are released promptly.
3346 // Otherwise, they might stick around until the window handle is destroyed
3347 // which might not happen until the next GC.
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003348 for (const sp<InputWindowHandle>& oldWindowHandle : oldWindowHandles) {
Siarhei Vishniakou9224fba2018-08-13 18:55:08 +00003349 if (!hasWindowHandleLocked(oldWindowHandle)) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003350 if (DEBUG_FOCUS) {
3351 ALOGD("Window went away: %s", oldWindowHandle->getName().c_str());
3352 }
Arthur Hung3b413f22018-10-26 18:05:34 +08003353 oldWindowHandle->releaseChannel();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003354 }
3355 }
3356 } // release lock
3357
3358 // Wake up poll loop since it may need to make new input dispatching choices.
3359 mLooper->wake();
chaviw291d88a2019-02-14 10:33:58 -08003360
3361 if (setInputWindowsListener) {
3362 setInputWindowsListener->onSetInputWindowsFinished();
3363 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003364}
3365
3366void InputDispatcher::setFocusedApplication(
Tiger Huang721e26f2018-07-24 22:26:19 +08003367 int32_t displayId, const sp<InputApplicationHandle>& inputApplicationHandle) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003368 if (DEBUG_FOCUS) {
3369 ALOGD("setFocusedApplication displayId=%" PRId32 " %s", displayId,
3370 inputApplicationHandle ? inputApplicationHandle->getName().c_str() : "<nullptr>");
3371 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003372 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003373 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003374
Tiger Huang721e26f2018-07-24 22:26:19 +08003375 sp<InputApplicationHandle> oldFocusedApplicationHandle =
3376 getValueByKey(mFocusedApplicationHandlesByDisplay, displayId);
Yi Kong9b14ac62018-07-17 13:48:38 -07003377 if (inputApplicationHandle != nullptr && inputApplicationHandle->updateInfo()) {
Tiger Huang721e26f2018-07-24 22:26:19 +08003378 if (oldFocusedApplicationHandle != inputApplicationHandle) {
3379 if (oldFocusedApplicationHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003380 resetANRTimeoutsLocked();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003381 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003382 mFocusedApplicationHandlesByDisplay[displayId] = inputApplicationHandle;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003383 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003384 } else if (oldFocusedApplicationHandle != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003385 resetANRTimeoutsLocked();
Tiger Huang721e26f2018-07-24 22:26:19 +08003386 oldFocusedApplicationHandle.clear();
3387 mFocusedApplicationHandlesByDisplay.erase(displayId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003388 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003389 } // release lock
3390
3391 // Wake up poll loop since it may need to make new input dispatching choices.
3392 mLooper->wake();
3393}
3394
Tiger Huang721e26f2018-07-24 22:26:19 +08003395/**
3396 * Sets the focused display, which is responsible for receiving focus-dispatched input events where
3397 * the display not specified.
3398 *
3399 * We track any unreleased events for each window. If a window loses the ability to receive the
3400 * released event, we will send a cancel event to it. So when the focused display is changed, we
3401 * cancel all the unreleased display-unspecified events for the focused window on the old focused
3402 * display. The display-specified events won't be affected.
3403 */
3404void InputDispatcher::setFocusedDisplay(int32_t displayId) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003405 if (DEBUG_FOCUS) {
3406 ALOGD("setFocusedDisplay displayId=%" PRId32, displayId);
3407 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003408 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003409 std::scoped_lock _l(mLock);
Tiger Huang721e26f2018-07-24 22:26:19 +08003410
3411 if (mFocusedDisplayId != displayId) {
3412 sp<InputWindowHandle> oldFocusedWindowHandle =
3413 getValueByKey(mFocusedWindowHandlesByDisplay, mFocusedDisplayId);
3414 if (oldFocusedWindowHandle != nullptr) {
Robert Carr5c8a0262018-10-03 16:30:44 -07003415 sp<InputChannel> inputChannel =
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003416 getInputChannelLocked(oldFocusedWindowHandle->getToken());
Tiger Huang721e26f2018-07-24 22:26:19 +08003417 if (inputChannel != nullptr) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003418 CancelationOptions
3419 options(CancelationOptions::CANCEL_NON_POINTER_EVENTS,
3420 "The display which contains this window no longer has focus.");
Michael Wright3dd60e22019-03-27 22:06:44 +00003421 options.displayId = ADISPLAY_ID_NONE;
Tiger Huang721e26f2018-07-24 22:26:19 +08003422 synthesizeCancelationEventsForInputChannelLocked(inputChannel, options);
3423 }
3424 }
3425 mFocusedDisplayId = displayId;
3426
3427 // Sanity check
3428 sp<InputWindowHandle> newFocusedWindowHandle =
3429 getValueByKey(mFocusedWindowHandlesByDisplay, displayId);
chaviw0c06c6e2019-01-09 13:27:07 -08003430 onFocusChangedLocked(oldFocusedWindowHandle, newFocusedWindowHandle);
Robert Carrf759f162018-11-13 12:57:11 -08003431
Tiger Huang721e26f2018-07-24 22:26:19 +08003432 if (newFocusedWindowHandle == nullptr) {
3433 ALOGW("Focused display #%" PRId32 " does not have a focused window.", displayId);
3434 if (!mFocusedWindowHandlesByDisplay.empty()) {
3435 ALOGE("But another display has a focused window:");
3436 for (auto& it : mFocusedWindowHandlesByDisplay) {
3437 const int32_t displayId = it.first;
3438 const sp<InputWindowHandle>& windowHandle = it.second;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003439 ALOGE("Display #%" PRId32 " has focused window: '%s'\n", displayId,
3440 windowHandle->getName().c_str());
Tiger Huang721e26f2018-07-24 22:26:19 +08003441 }
3442 }
3443 }
3444 }
3445
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003446 if (DEBUG_FOCUS) {
3447 logDispatchStateLocked();
3448 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003449 } // release lock
3450
3451 // Wake up poll loop since it may need to make new input dispatching choices.
3452 mLooper->wake();
3453}
3454
Michael Wrightd02c5b62014-02-10 15:10:22 -08003455void InputDispatcher::setInputDispatchMode(bool enabled, bool frozen) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003456 if (DEBUG_FOCUS) {
3457 ALOGD("setInputDispatchMode: enabled=%d, frozen=%d", enabled, frozen);
3458 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003459
3460 bool changed;
3461 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003462 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003463
3464 if (mDispatchEnabled != enabled || mDispatchFrozen != frozen) {
3465 if (mDispatchFrozen && !frozen) {
3466 resetANRTimeoutsLocked();
3467 }
3468
3469 if (mDispatchEnabled && !enabled) {
3470 resetAndDropEverythingLocked("dispatcher is being disabled");
3471 }
3472
3473 mDispatchEnabled = enabled;
3474 mDispatchFrozen = frozen;
3475 changed = true;
3476 } else {
3477 changed = false;
3478 }
3479
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003480 if (DEBUG_FOCUS) {
3481 logDispatchStateLocked();
3482 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003483 } // release lock
3484
3485 if (changed) {
3486 // Wake up poll loop since it may need to make new input dispatching choices.
3487 mLooper->wake();
3488 }
3489}
3490
3491void InputDispatcher::setInputFilterEnabled(bool enabled) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003492 if (DEBUG_FOCUS) {
3493 ALOGD("setInputFilterEnabled: enabled=%d", enabled);
3494 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003495
3496 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003497 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003498
3499 if (mInputFilterEnabled == enabled) {
3500 return;
3501 }
3502
3503 mInputFilterEnabled = enabled;
3504 resetAndDropEverythingLocked("input filter is being enabled or disabled");
3505 } // release lock
3506
3507 // Wake up poll loop since there might be work to do to drop everything.
3508 mLooper->wake();
3509}
3510
chaviwfbe5d9c2018-12-26 12:23:37 -08003511bool InputDispatcher::transferTouchFocus(const sp<IBinder>& fromToken, const sp<IBinder>& toToken) {
3512 if (fromToken == toToken) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003513 if (DEBUG_FOCUS) {
3514 ALOGD("Trivial transfer to same window.");
3515 }
chaviwfbe5d9c2018-12-26 12:23:37 -08003516 return true;
3517 }
3518
Michael Wrightd02c5b62014-02-10 15:10:22 -08003519 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003520 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003521
chaviwfbe5d9c2018-12-26 12:23:37 -08003522 sp<InputWindowHandle> fromWindowHandle = getWindowHandleLocked(fromToken);
3523 sp<InputWindowHandle> toWindowHandle = getWindowHandleLocked(toToken);
Yi Kong9b14ac62018-07-17 13:48:38 -07003524 if (fromWindowHandle == nullptr || toWindowHandle == nullptr) {
chaviwfbe5d9c2018-12-26 12:23:37 -08003525 ALOGW("Cannot transfer focus because from or to window not found.");
Michael Wrightd02c5b62014-02-10 15:10:22 -08003526 return false;
3527 }
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003528 if (DEBUG_FOCUS) {
3529 ALOGD("transferTouchFocus: fromWindowHandle=%s, toWindowHandle=%s",
3530 fromWindowHandle->getName().c_str(), toWindowHandle->getName().c_str());
3531 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003532 if (fromWindowHandle->getInfo()->displayId != toWindowHandle->getInfo()->displayId) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003533 if (DEBUG_FOCUS) {
3534 ALOGD("Cannot transfer focus because windows are on different displays.");
3535 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003536 return false;
3537 }
3538
3539 bool found = false;
Jeff Brownf086ddb2014-02-11 14:28:48 -08003540 for (size_t d = 0; d < mTouchStatesByDisplay.size(); d++) {
3541 TouchState& state = mTouchStatesByDisplay.editValueAt(d);
3542 for (size_t i = 0; i < state.windows.size(); i++) {
3543 const TouchedWindow& touchedWindow = state.windows[i];
3544 if (touchedWindow.windowHandle == fromWindowHandle) {
3545 int32_t oldTargetFlags = touchedWindow.targetFlags;
3546 BitSet32 pointerIds = touchedWindow.pointerIds;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003547
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003548 state.windows.erase(state.windows.begin() + i);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003549
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003550 int32_t newTargetFlags = oldTargetFlags &
3551 (InputTarget::FLAG_FOREGROUND | InputTarget::FLAG_SPLIT |
3552 InputTarget::FLAG_DISPATCH_AS_IS);
Jeff Brownf086ddb2014-02-11 14:28:48 -08003553 state.addOrUpdateWindow(toWindowHandle, newTargetFlags, pointerIds);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003554
Jeff Brownf086ddb2014-02-11 14:28:48 -08003555 found = true;
3556 goto Found;
3557 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003558 }
3559 }
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003560 Found:
Michael Wrightd02c5b62014-02-10 15:10:22 -08003561
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003562 if (!found) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003563 if (DEBUG_FOCUS) {
3564 ALOGD("Focus transfer failed because from window did not have focus.");
3565 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003566 return false;
3567 }
3568
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07003569 sp<Connection> fromConnection = getConnectionLocked(fromToken);
3570 sp<Connection> toConnection = getConnectionLocked(toToken);
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003571 if (fromConnection != nullptr && toConnection != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003572 fromConnection->inputState.copyPointerStateTo(toConnection->inputState);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003573 CancelationOptions
3574 options(CancelationOptions::CANCEL_POINTER_EVENTS,
3575 "transferring touch focus from this window to another window");
Michael Wrightd02c5b62014-02-10 15:10:22 -08003576 synthesizeCancelationEventsForConnectionLocked(fromConnection, options);
3577 }
3578
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003579 if (DEBUG_FOCUS) {
3580 logDispatchStateLocked();
3581 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003582 } // release lock
3583
3584 // Wake up poll loop since it may need to make new input dispatching choices.
3585 mLooper->wake();
3586 return true;
3587}
3588
3589void InputDispatcher::resetAndDropEverythingLocked(const char* reason) {
Siarhei Vishniakou86587282019-09-09 18:20:15 +01003590 if (DEBUG_FOCUS) {
3591 ALOGD("Resetting and dropping all events (%s).", reason);
3592 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003593
3594 CancelationOptions options(CancelationOptions::CANCEL_ALL_EVENTS, reason);
3595 synthesizeCancelationEventsForAllConnectionsLocked(options);
3596
3597 resetKeyRepeatLocked();
3598 releasePendingEventLocked();
3599 drainInboundQueueLocked();
3600 resetANRTimeoutsLocked();
3601
Jeff Brownf086ddb2014-02-11 14:28:48 -08003602 mTouchStatesByDisplay.clear();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003603 mLastHoverWindowHandle.clear();
Michael Wright78f24442014-08-06 15:55:28 -07003604 mReplacedKeys.clear();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003605}
3606
3607void InputDispatcher::logDispatchStateLocked() {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003608 std::string dump;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003609 dumpDispatchStateLocked(dump);
3610
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003611 std::istringstream stream(dump);
3612 std::string line;
3613
3614 while (std::getline(stream, line, '\n')) {
3615 ALOGD("%s", line.c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08003616 }
3617}
3618
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003619void InputDispatcher::dumpDispatchStateLocked(std::string& dump) {
Siarhei Vishniakou043a3ec2019-05-01 11:30:46 -07003620 dump += StringPrintf(INDENT "DispatchEnabled: %s\n", toString(mDispatchEnabled));
3621 dump += StringPrintf(INDENT "DispatchFrozen: %s\n", toString(mDispatchFrozen));
3622 dump += StringPrintf(INDENT "InputFilterEnabled: %s\n", toString(mInputFilterEnabled));
Tiger Huang721e26f2018-07-24 22:26:19 +08003623 dump += StringPrintf(INDENT "FocusedDisplayId: %" PRId32 "\n", mFocusedDisplayId);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003624
Tiger Huang721e26f2018-07-24 22:26:19 +08003625 if (!mFocusedApplicationHandlesByDisplay.empty()) {
3626 dump += StringPrintf(INDENT "FocusedApplications:\n");
3627 for (auto& it : mFocusedApplicationHandlesByDisplay) {
3628 const int32_t displayId = it.first;
3629 const sp<InputApplicationHandle>& applicationHandle = it.second;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003630 dump += StringPrintf(INDENT2 "displayId=%" PRId32
3631 ", name='%s', dispatchingTimeout=%0.3fms\n",
3632 displayId, applicationHandle->getName().c_str(),
3633 applicationHandle->getDispatchingTimeout(
3634 DEFAULT_INPUT_DISPATCHING_TIMEOUT) /
3635 1000000.0);
Tiger Huang721e26f2018-07-24 22:26:19 +08003636 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003637 } else {
Tiger Huang721e26f2018-07-24 22:26:19 +08003638 dump += StringPrintf(INDENT "FocusedApplications: <none>\n");
Michael Wrightd02c5b62014-02-10 15:10:22 -08003639 }
Tiger Huang721e26f2018-07-24 22:26:19 +08003640
3641 if (!mFocusedWindowHandlesByDisplay.empty()) {
3642 dump += StringPrintf(INDENT "FocusedWindows:\n");
3643 for (auto& it : mFocusedWindowHandlesByDisplay) {
3644 const int32_t displayId = it.first;
3645 const sp<InputWindowHandle>& windowHandle = it.second;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003646 dump += StringPrintf(INDENT2 "displayId=%" PRId32 ", name='%s'\n", displayId,
3647 windowHandle->getName().c_str());
Tiger Huang721e26f2018-07-24 22:26:19 +08003648 }
3649 } else {
3650 dump += StringPrintf(INDENT "FocusedWindows: <none>\n");
3651 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003652
Jeff Brownf086ddb2014-02-11 14:28:48 -08003653 if (!mTouchStatesByDisplay.isEmpty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003654 dump += StringPrintf(INDENT "TouchStatesByDisplay:\n");
Jeff Brownf086ddb2014-02-11 14:28:48 -08003655 for (size_t i = 0; i < mTouchStatesByDisplay.size(); i++) {
3656 const TouchState& state = mTouchStatesByDisplay.valueAt(i);
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003657 dump += StringPrintf(INDENT2 "%d: down=%s, split=%s, deviceId=%d, source=0x%08x\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003658 state.displayId, toString(state.down), toString(state.split),
3659 state.deviceId, state.source);
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003660 if (!state.windows.empty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003661 dump += INDENT3 "Windows:\n";
Jeff Brownf086ddb2014-02-11 14:28:48 -08003662 for (size_t i = 0; i < state.windows.size(); i++) {
3663 const TouchedWindow& touchedWindow = state.windows[i];
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003664 dump += StringPrintf(INDENT4
3665 "%zu: name='%s', pointerIds=0x%0x, targetFlags=0x%x\n",
3666 i, touchedWindow.windowHandle->getName().c_str(),
3667 touchedWindow.pointerIds.value, touchedWindow.targetFlags);
Jeff Brownf086ddb2014-02-11 14:28:48 -08003668 }
3669 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003670 dump += INDENT3 "Windows: <none>\n";
Jeff Brownf086ddb2014-02-11 14:28:48 -08003671 }
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003672 if (!state.portalWindows.empty()) {
Tiger Huang85b8c5e2019-01-17 18:34:54 +08003673 dump += INDENT3 "Portal windows:\n";
3674 for (size_t i = 0; i < state.portalWindows.size(); i++) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003675 const sp<InputWindowHandle> portalWindowHandle = state.portalWindows[i];
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003676 dump += StringPrintf(INDENT4 "%zu: name='%s'\n", i,
3677 portalWindowHandle->getName().c_str());
Tiger Huang85b8c5e2019-01-17 18:34:54 +08003678 }
3679 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003680 }
3681 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003682 dump += INDENT "TouchStates: <no displays touched>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003683 }
3684
Arthur Hungb92218b2018-08-14 12:00:21 +08003685 if (!mWindowHandlesByDisplay.empty()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003686 for (auto& it : mWindowHandlesByDisplay) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003687 const std::vector<sp<InputWindowHandle>> windowHandles = it.second;
Arthur Hung3b413f22018-10-26 18:05:34 +08003688 dump += StringPrintf(INDENT "Display: %" PRId32 "\n", it.first);
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003689 if (!windowHandles.empty()) {
Arthur Hungb92218b2018-08-14 12:00:21 +08003690 dump += INDENT2 "Windows:\n";
3691 for (size_t i = 0; i < windowHandles.size(); i++) {
Arthur Hung7c3ae9c2019-03-11 11:23:03 +08003692 const sp<InputWindowHandle>& windowHandle = windowHandles[i];
Arthur Hungb92218b2018-08-14 12:00:21 +08003693 const InputWindowInfo* windowInfo = windowHandle->getInfo();
Michael Wrightd02c5b62014-02-10 15:10:22 -08003694
Arthur Hungb92218b2018-08-14 12:00:21 +08003695 dump += StringPrintf(INDENT3 "%zu: name='%s', displayId=%d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003696 "portalToDisplayId=%d, paused=%s, hasFocus=%s, "
3697 "hasWallpaper=%s, "
3698 "visible=%s, canReceiveKeys=%s, flags=0x%08x, "
3699 "type=0x%08x, layer=%d, "
3700 "frame=[%d,%d][%d,%d], globalScale=%f, "
3701 "windowScale=(%f,%f), "
3702 "touchableRegion=",
3703 i, windowInfo->name.c_str(), windowInfo->displayId,
3704 windowInfo->portalToDisplayId,
3705 toString(windowInfo->paused),
3706 toString(windowInfo->hasFocus),
3707 toString(windowInfo->hasWallpaper),
3708 toString(windowInfo->visible),
3709 toString(windowInfo->canReceiveKeys),
3710 windowInfo->layoutParamsFlags,
3711 windowInfo->layoutParamsType, windowInfo->layer,
3712 windowInfo->frameLeft, windowInfo->frameTop,
3713 windowInfo->frameRight, windowInfo->frameBottom,
3714 windowInfo->globalScaleFactor, windowInfo->windowXScale,
3715 windowInfo->windowYScale);
Arthur Hungb92218b2018-08-14 12:00:21 +08003716 dumpRegion(dump, windowInfo->touchableRegion);
3717 dump += StringPrintf(", inputFeatures=0x%08x", windowInfo->inputFeatures);
3718 dump += StringPrintf(", ownerPid=%d, ownerUid=%d, dispatchingTimeout=%0.3fms\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003719 windowInfo->ownerPid, windowInfo->ownerUid,
3720 windowInfo->dispatchingTimeout / 1000000.0);
Arthur Hungb92218b2018-08-14 12:00:21 +08003721 }
3722 } else {
3723 dump += INDENT2 "Windows: <none>\n";
3724 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003725 }
3726 } else {
Arthur Hungb92218b2018-08-14 12:00:21 +08003727 dump += INDENT "Displays: <none>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003728 }
3729
Michael Wright3dd60e22019-03-27 22:06:44 +00003730 if (!mGlobalMonitorsByDisplay.empty() || !mGestureMonitorsByDisplay.empty()) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003731 for (auto& it : mGlobalMonitorsByDisplay) {
Michael Wright3dd60e22019-03-27 22:06:44 +00003732 const std::vector<Monitor>& monitors = it.second;
3733 dump += StringPrintf(INDENT "Global monitors in display %" PRId32 ":\n", it.first);
3734 dumpMonitors(dump, monitors);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003735 }
3736 for (auto& it : mGestureMonitorsByDisplay) {
Michael Wright3dd60e22019-03-27 22:06:44 +00003737 const std::vector<Monitor>& monitors = it.second;
3738 dump += StringPrintf(INDENT "Gesture monitors in display %" PRId32 ":\n", it.first);
3739 dumpMonitors(dump, monitors);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003740 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003741 } else {
Michael Wright3dd60e22019-03-27 22:06:44 +00003742 dump += INDENT "Monitors: <none>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003743 }
3744
3745 nsecs_t currentTime = now();
3746
3747 // Dump recently dispatched or dropped events from oldest to newest.
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07003748 if (!mRecentQueue.empty()) {
3749 dump += StringPrintf(INDENT "RecentQueue: length=%zu\n", mRecentQueue.size());
3750 for (EventEntry* entry : mRecentQueue) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003751 dump += INDENT2;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003752 entry->appendDescription(dump);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003753 dump += StringPrintf(", age=%0.1fms\n", (currentTime - entry->eventTime) * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003754 }
3755 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003756 dump += INDENT "RecentQueue: <empty>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003757 }
3758
3759 // Dump event currently being dispatched.
3760 if (mPendingEvent) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003761 dump += INDENT "PendingEvent:\n";
3762 dump += INDENT2;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003763 mPendingEvent->appendDescription(dump);
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003764 dump += StringPrintf(", age=%0.1fms\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003765 (currentTime - mPendingEvent->eventTime) * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003766 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003767 dump += INDENT "PendingEvent: <none>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003768 }
3769
3770 // Dump inbound events from oldest to newest.
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07003771 if (!mInboundQueue.empty()) {
3772 dump += StringPrintf(INDENT "InboundQueue: length=%zu\n", mInboundQueue.size());
3773 for (EventEntry* entry : mInboundQueue) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003774 dump += INDENT2;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003775 entry->appendDescription(dump);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003776 dump += StringPrintf(", age=%0.1fms\n", (currentTime - entry->eventTime) * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003777 }
3778 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003779 dump += INDENT "InboundQueue: <empty>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003780 }
3781
Michael Wright78f24442014-08-06 15:55:28 -07003782 if (!mReplacedKeys.isEmpty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003783 dump += INDENT "ReplacedKeys:\n";
Michael Wright78f24442014-08-06 15:55:28 -07003784 for (size_t i = 0; i < mReplacedKeys.size(); i++) {
3785 const KeyReplacement& replacement = mReplacedKeys.keyAt(i);
3786 int32_t newKeyCode = mReplacedKeys.valueAt(i);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003787 dump += StringPrintf(INDENT2 "%zu: originalKeyCode=%d, deviceId=%d, newKeyCode=%d\n", i,
3788 replacement.keyCode, replacement.deviceId, newKeyCode);
Michael Wright78f24442014-08-06 15:55:28 -07003789 }
3790 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003791 dump += INDENT "ReplacedKeys: <empty>\n";
Michael Wright78f24442014-08-06 15:55:28 -07003792 }
3793
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003794 if (!mConnectionsByFd.empty()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003795 dump += INDENT "Connections:\n";
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003796 for (const auto& pair : mConnectionsByFd) {
3797 const sp<Connection>& connection = pair.second;
3798 dump += StringPrintf(INDENT2 "%i: channelName='%s', windowName='%s', "
3799 "status=%s, monitor=%s, inputPublisherBlocked=%s\n",
3800 pair.first, connection->getInputChannelName().c_str(),
3801 connection->getWindowName().c_str(), connection->getStatusLabel(),
3802 toString(connection->monitor),
3803 toString(connection->inputPublisherBlocked));
Michael Wrightd02c5b62014-02-10 15:10:22 -08003804
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07003805 if (!connection->outboundQueue.empty()) {
3806 dump += StringPrintf(INDENT3 "OutboundQueue: length=%zu\n",
3807 connection->outboundQueue.size());
3808 for (DispatchEntry* entry : connection->outboundQueue) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003809 dump.append(INDENT4);
3810 entry->eventEntry->appendDescription(dump);
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003811 dump += StringPrintf(", targetFlags=0x%08x, resolvedAction=%d, age=%0.1fms\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003812 entry->targetFlags, entry->resolvedAction,
3813 (currentTime - entry->eventEntry->eventTime) * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003814 }
3815 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003816 dump += INDENT3 "OutboundQueue: <empty>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003817 }
3818
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07003819 if (!connection->waitQueue.empty()) {
3820 dump += StringPrintf(INDENT3 "WaitQueue: length=%zu\n",
3821 connection->waitQueue.size());
3822 for (DispatchEntry* entry : connection->waitQueue) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003823 dump += INDENT4;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003824 entry->eventEntry->appendDescription(dump);
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003825 dump += StringPrintf(", targetFlags=0x%08x, resolvedAction=%d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003826 "age=%0.1fms, wait=%0.1fms\n",
3827 entry->targetFlags, entry->resolvedAction,
3828 (currentTime - entry->eventEntry->eventTime) * 0.000001f,
3829 (currentTime - entry->deliveryTime) * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003830 }
3831 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003832 dump += INDENT3 "WaitQueue: <empty>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003833 }
3834 }
3835 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003836 dump += INDENT "Connections: <none>\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003837 }
3838
3839 if (isAppSwitchPendingLocked()) {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003840 dump += StringPrintf(INDENT "AppSwitch: pending, due in %0.1fms\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003841 (mAppSwitchDueTime - now()) / 1000000.0);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003842 } else {
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003843 dump += INDENT "AppSwitch: not pending\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08003844 }
3845
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003846 dump += INDENT "Configuration:\n";
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003847 dump += StringPrintf(INDENT2 "KeyRepeatDelay: %0.1fms\n", mConfig.keyRepeatDelay * 0.000001f);
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003848 dump += StringPrintf(INDENT2 "KeyRepeatTimeout: %0.1fms\n",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003849 mConfig.keyRepeatTimeout * 0.000001f);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003850}
3851
Michael Wright3dd60e22019-03-27 22:06:44 +00003852void InputDispatcher::dumpMonitors(std::string& dump, const std::vector<Monitor>& monitors) {
3853 const size_t numMonitors = monitors.size();
3854 for (size_t i = 0; i < numMonitors; i++) {
3855 const Monitor& monitor = monitors[i];
3856 const sp<InputChannel>& channel = monitor.inputChannel;
3857 dump += StringPrintf(INDENT2 "%zu: '%s', ", i, channel->getName().c_str());
3858 dump += "\n";
3859 }
3860}
3861
Siarhei Vishniakou7c34b232019-10-11 19:08:48 -07003862status_t InputDispatcher::registerInputChannel(const sp<InputChannel>& inputChannel) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003863#if DEBUG_REGISTRATION
Siarhei Vishniakou7c34b232019-10-11 19:08:48 -07003864 ALOGD("channel '%s' ~ registerInputChannel", inputChannel->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08003865#endif
3866
3867 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003868 std::scoped_lock _l(mLock);
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07003869 sp<Connection> existingConnection = getConnectionLocked(inputChannel->getToken());
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003870 if (existingConnection != nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003871 ALOGW("Attempted to register already registered input channel '%s'",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003872 inputChannel->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08003873 return BAD_VALUE;
3874 }
3875
Michael Wright3dd60e22019-03-27 22:06:44 +00003876 sp<Connection> connection = new Connection(inputChannel, false /*monitor*/);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003877
3878 int fd = inputChannel->getFd();
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003879 mConnectionsByFd[fd] = connection;
Robert Carr5c8a0262018-10-03 16:30:44 -07003880 mInputChannelsByToken[inputChannel->getToken()] = inputChannel;
Michael Wrightd02c5b62014-02-10 15:10:22 -08003881
Michael Wrightd02c5b62014-02-10 15:10:22 -08003882 mLooper->addFd(fd, 0, ALOOPER_EVENT_INPUT, handleReceiveCallback, this);
3883 } // release lock
3884
3885 // Wake the looper because some connections have changed.
3886 mLooper->wake();
3887 return OK;
3888}
3889
Michael Wright3dd60e22019-03-27 22:06:44 +00003890status_t InputDispatcher::registerInputMonitor(const sp<InputChannel>& inputChannel,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003891 int32_t displayId, bool isGestureMonitor) {
Michael Wright3dd60e22019-03-27 22:06:44 +00003892 { // acquire lock
3893 std::scoped_lock _l(mLock);
3894
3895 if (displayId < 0) {
3896 ALOGW("Attempted to register input monitor without a specified display.");
3897 return BAD_VALUE;
3898 }
3899
3900 if (inputChannel->getToken() == nullptr) {
3901 ALOGW("Attempted to register input monitor without an identifying token.");
3902 return BAD_VALUE;
3903 }
3904
3905 sp<Connection> connection = new Connection(inputChannel, true /*monitor*/);
3906
3907 const int fd = inputChannel->getFd();
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003908 mConnectionsByFd[fd] = connection;
Michael Wright3dd60e22019-03-27 22:06:44 +00003909 mInputChannelsByToken[inputChannel->getToken()] = inputChannel;
3910
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003911 auto& monitorsByDisplay =
3912 isGestureMonitor ? mGestureMonitorsByDisplay : mGlobalMonitorsByDisplay;
Michael Wright3dd60e22019-03-27 22:06:44 +00003913 monitorsByDisplay[displayId].emplace_back(inputChannel);
3914
3915 mLooper->addFd(fd, 0, ALOOPER_EVENT_INPUT, handleReceiveCallback, this);
Michael Wright3dd60e22019-03-27 22:06:44 +00003916 }
3917 // Wake the looper because some connections have changed.
3918 mLooper->wake();
3919 return OK;
3920}
3921
Michael Wrightd02c5b62014-02-10 15:10:22 -08003922status_t InputDispatcher::unregisterInputChannel(const sp<InputChannel>& inputChannel) {
3923#if DEBUG_REGISTRATION
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08003924 ALOGD("channel '%s' ~ unregisterInputChannel", inputChannel->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08003925#endif
3926
3927 { // acquire lock
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08003928 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08003929
3930 status_t status = unregisterInputChannelLocked(inputChannel, false /*notify*/);
3931 if (status) {
3932 return status;
3933 }
3934 } // release lock
3935
3936 // Wake the poll loop because removing the connection may have changed the current
3937 // synchronization state.
3938 mLooper->wake();
3939 return OK;
3940}
3941
3942status_t InputDispatcher::unregisterInputChannelLocked(const sp<InputChannel>& inputChannel,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003943 bool notify) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07003944 sp<Connection> connection = getConnectionLocked(inputChannel->getToken());
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003945 if (connection == nullptr) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08003946 ALOGW("Attempted to unregister already unregistered input channel '%s'",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003947 inputChannel->getName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08003948 return BAD_VALUE;
3949 }
3950
John Recke0710582019-09-26 13:46:12 -07003951 [[maybe_unused]] const bool removed = removeByValue(mConnectionsByFd, connection);
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07003952 ALOG_ASSERT(removed);
Robert Carr5c8a0262018-10-03 16:30:44 -07003953 mInputChannelsByToken.erase(inputChannel->getToken());
3954
Michael Wrightd02c5b62014-02-10 15:10:22 -08003955 if (connection->monitor) {
3956 removeMonitorChannelLocked(inputChannel);
3957 }
3958
3959 mLooper->removeFd(inputChannel->getFd());
3960
3961 nsecs_t currentTime = now();
3962 abortBrokenDispatchCycleLocked(currentTime, connection, notify);
3963
3964 connection->status = Connection::STATUS_ZOMBIE;
3965 return OK;
3966}
3967
3968void InputDispatcher::removeMonitorChannelLocked(const sp<InputChannel>& inputChannel) {
Michael Wright3dd60e22019-03-27 22:06:44 +00003969 removeMonitorChannelLocked(inputChannel, mGlobalMonitorsByDisplay);
3970 removeMonitorChannelLocked(inputChannel, mGestureMonitorsByDisplay);
3971}
3972
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003973void InputDispatcher::removeMonitorChannelLocked(
3974 const sp<InputChannel>& inputChannel,
Michael Wright3dd60e22019-03-27 22:06:44 +00003975 std::unordered_map<int32_t, std::vector<Monitor>>& monitorsByDisplay) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003976 for (auto it = monitorsByDisplay.begin(); it != monitorsByDisplay.end();) {
Michael Wright3dd60e22019-03-27 22:06:44 +00003977 std::vector<Monitor>& monitors = it->second;
3978 const size_t numMonitors = monitors.size();
3979 for (size_t i = 0; i < numMonitors; i++) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07003980 if (monitors[i].inputChannel == inputChannel) {
3981 monitors.erase(monitors.begin() + i);
3982 break;
3983 }
Arthur Hung2fbf37f2018-09-13 18:16:41 +08003984 }
Michael Wright3dd60e22019-03-27 22:06:44 +00003985 if (monitors.empty()) {
3986 it = monitorsByDisplay.erase(it);
Arthur Hung2fbf37f2018-09-13 18:16:41 +08003987 } else {
3988 ++it;
3989 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08003990 }
3991}
3992
Michael Wright3dd60e22019-03-27 22:06:44 +00003993status_t InputDispatcher::pilferPointers(const sp<IBinder>& token) {
3994 { // acquire lock
3995 std::scoped_lock _l(mLock);
3996 std::optional<int32_t> foundDisplayId = findGestureMonitorDisplayByTokenLocked(token);
3997
3998 if (!foundDisplayId) {
3999 ALOGW("Attempted to pilfer pointers from an un-registered monitor or invalid token");
4000 return BAD_VALUE;
4001 }
4002 int32_t displayId = foundDisplayId.value();
4003
4004 ssize_t stateIndex = mTouchStatesByDisplay.indexOfKey(displayId);
4005 if (stateIndex < 0) {
4006 ALOGW("Failed to pilfer pointers: no pointers on display %" PRId32 ".", displayId);
4007 return BAD_VALUE;
4008 }
4009
4010 TouchState& state = mTouchStatesByDisplay.editValueAt(stateIndex);
4011 std::optional<int32_t> foundDeviceId;
4012 for (const TouchedMonitor& touchedMonitor : state.gestureMonitors) {
4013 if (touchedMonitor.monitor.inputChannel->getToken() == token) {
4014 foundDeviceId = state.deviceId;
4015 }
4016 }
4017 if (!foundDeviceId || !state.down) {
4018 ALOGW("Attempted to pilfer points from a monitor without any on-going pointer streams."
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004019 " Ignoring.");
Michael Wright3dd60e22019-03-27 22:06:44 +00004020 return BAD_VALUE;
4021 }
4022 int32_t deviceId = foundDeviceId.value();
4023
4024 // Send cancel events to all the input channels we're stealing from.
4025 CancelationOptions options(CancelationOptions::CANCEL_POINTER_EVENTS,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004026 "gesture monitor stole pointer stream");
Michael Wright3dd60e22019-03-27 22:06:44 +00004027 options.deviceId = deviceId;
4028 options.displayId = displayId;
4029 for (const TouchedWindow& window : state.windows) {
4030 sp<InputChannel> channel = getInputChannelLocked(window.windowHandle->getToken());
4031 synthesizeCancelationEventsForInputChannelLocked(channel, options);
4032 }
4033 // Then clear the current touch state so we stop dispatching to them as well.
4034 state.filterNonMonitors();
4035 }
4036 return OK;
4037}
4038
Michael Wright3dd60e22019-03-27 22:06:44 +00004039std::optional<int32_t> InputDispatcher::findGestureMonitorDisplayByTokenLocked(
4040 const sp<IBinder>& token) {
4041 for (const auto& it : mGestureMonitorsByDisplay) {
4042 const std::vector<Monitor>& monitors = it.second;
4043 for (const Monitor& monitor : monitors) {
4044 if (monitor.inputChannel->getToken() == token) {
4045 return it.first;
4046 }
4047 }
4048 }
4049 return std::nullopt;
4050}
4051
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07004052sp<Connection> InputDispatcher::getConnectionLocked(const sp<IBinder>& inputConnectionToken) {
4053 if (inputConnectionToken == nullptr) {
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07004054 return nullptr;
Arthur Hung3b413f22018-10-26 18:05:34 +08004055 }
4056
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07004057 for (const auto& pair : mConnectionsByFd) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07004058 const sp<Connection>& connection = pair.second;
4059 if (connection->inputChannel->getToken() == inputConnectionToken) {
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07004060 return connection;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004061 }
4062 }
Robert Carr4e670e52018-08-15 13:26:12 -07004063
Siarhei Vishniakou146ecfd2019-07-29 16:04:31 -07004064 return nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004065}
4066
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004067void InputDispatcher::onDispatchCycleFinishedLocked(nsecs_t currentTime,
4068 const sp<Connection>& connection, uint32_t seq,
4069 bool handled) {
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004070 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
4071 &InputDispatcher::doDispatchCycleFinishedLockedInterruptible);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004072 commandEntry->connection = connection;
4073 commandEntry->eventTime = currentTime;
4074 commandEntry->seq = seq;
4075 commandEntry->handled = handled;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004076 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -08004077}
4078
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004079void InputDispatcher::onDispatchCycleBrokenLocked(nsecs_t currentTime,
4080 const sp<Connection>& connection) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004081 ALOGE("channel '%s' ~ Channel is unrecoverably broken and will be disposed!",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004082 connection->getInputChannelName().c_str());
Michael Wrightd02c5b62014-02-10 15:10:22 -08004083
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004084 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
4085 &InputDispatcher::doNotifyInputChannelBrokenLockedInterruptible);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004086 commandEntry->connection = connection;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004087 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -08004088}
4089
chaviw0c06c6e2019-01-09 13:27:07 -08004090void InputDispatcher::onFocusChangedLocked(const sp<InputWindowHandle>& oldFocus,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004091 const sp<InputWindowHandle>& newFocus) {
chaviw0c06c6e2019-01-09 13:27:07 -08004092 sp<IBinder> oldToken = oldFocus != nullptr ? oldFocus->getToken() : nullptr;
4093 sp<IBinder> newToken = newFocus != nullptr ? newFocus->getToken() : nullptr;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004094 std::unique_ptr<CommandEntry> commandEntry = std::make_unique<CommandEntry>(
4095 &InputDispatcher::doNotifyFocusChangedLockedInterruptible);
chaviw0c06c6e2019-01-09 13:27:07 -08004096 commandEntry->oldToken = oldToken;
4097 commandEntry->newToken = newToken;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004098 postCommandLocked(std::move(commandEntry));
Robert Carrf759f162018-11-13 12:57:11 -08004099}
4100
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004101void InputDispatcher::onANRLocked(nsecs_t currentTime,
4102 const sp<InputApplicationHandle>& applicationHandle,
4103 const sp<InputWindowHandle>& windowHandle, nsecs_t eventTime,
4104 nsecs_t waitStartTime, const char* reason) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004105 float dispatchLatency = (currentTime - eventTime) * 0.000001f;
4106 float waitDuration = (currentTime - waitStartTime) * 0.000001f;
4107 ALOGI("Application is not responding: %s. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004108 "It has been %0.1fms since event, %0.1fms since wait started. Reason: %s",
4109 getApplicationWindowLabel(applicationHandle, windowHandle).c_str(), dispatchLatency,
4110 waitDuration, reason);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004111
4112 // Capture a record of the InputDispatcher state at the time of the ANR.
Yi Kong9b14ac62018-07-17 13:48:38 -07004113 time_t t = time(nullptr);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004114 struct tm tm;
4115 localtime_r(&t, &tm);
4116 char timestr[64];
4117 strftime(timestr, sizeof(timestr), "%F %T", &tm);
4118 mLastANRState.clear();
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08004119 mLastANRState += INDENT "ANR:\n";
4120 mLastANRState += StringPrintf(INDENT2 "Time: %s\n", timestr);
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004121 mLastANRState +=
4122 StringPrintf(INDENT2 "Window: %s\n",
4123 getApplicationWindowLabel(applicationHandle, windowHandle).c_str());
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08004124 mLastANRState += StringPrintf(INDENT2 "DispatchLatency: %0.1fms\n", dispatchLatency);
4125 mLastANRState += StringPrintf(INDENT2 "WaitDuration: %0.1fms\n", waitDuration);
4126 mLastANRState += StringPrintf(INDENT2 "Reason: %s\n", reason);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004127 dumpDispatchStateLocked(mLastANRState);
4128
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004129 std::unique_ptr<CommandEntry> commandEntry =
4130 std::make_unique<CommandEntry>(&InputDispatcher::doNotifyANRLockedInterruptible);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004131 commandEntry->inputApplicationHandle = applicationHandle;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004132 commandEntry->inputChannel =
4133 windowHandle != nullptr ? getInputChannelLocked(windowHandle->getToken()) : nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004134 commandEntry->reason = reason;
Siarhei Vishniakoue7c94b92019-07-29 09:17:54 -07004135 postCommandLocked(std::move(commandEntry));
Michael Wrightd02c5b62014-02-10 15:10:22 -08004136}
4137
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004138void InputDispatcher::doNotifyConfigurationChangedLockedInterruptible(CommandEntry* commandEntry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004139 mLock.unlock();
4140
4141 mPolicy->notifyConfigurationChanged(commandEntry->eventTime);
4142
4143 mLock.lock();
4144}
4145
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004146void InputDispatcher::doNotifyInputChannelBrokenLockedInterruptible(CommandEntry* commandEntry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004147 sp<Connection> connection = commandEntry->connection;
4148
4149 if (connection->status != Connection::STATUS_ZOMBIE) {
4150 mLock.unlock();
4151
Robert Carr803535b2018-08-02 16:38:15 -07004152 mPolicy->notifyInputChannelBroken(connection->inputChannel->getToken());
Michael Wrightd02c5b62014-02-10 15:10:22 -08004153
4154 mLock.lock();
4155 }
4156}
4157
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004158void InputDispatcher::doNotifyFocusChangedLockedInterruptible(CommandEntry* commandEntry) {
chaviw0c06c6e2019-01-09 13:27:07 -08004159 sp<IBinder> oldToken = commandEntry->oldToken;
4160 sp<IBinder> newToken = commandEntry->newToken;
Robert Carrf759f162018-11-13 12:57:11 -08004161 mLock.unlock();
chaviw0c06c6e2019-01-09 13:27:07 -08004162 mPolicy->notifyFocusChanged(oldToken, newToken);
Robert Carrf759f162018-11-13 12:57:11 -08004163 mLock.lock();
4164}
4165
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004166void InputDispatcher::doNotifyANRLockedInterruptible(CommandEntry* commandEntry) {
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07004167 sp<IBinder> token =
4168 commandEntry->inputChannel ? commandEntry->inputChannel->getToken() : nullptr;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004169 mLock.unlock();
4170
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004171 nsecs_t newTimeout =
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07004172 mPolicy->notifyANR(commandEntry->inputApplicationHandle, token, commandEntry->reason);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004173
4174 mLock.lock();
4175
Siarhei Vishniakoud0d71b62019-10-14 14:50:45 -07004176 resumeAfterTargetsNotReadyTimeoutLocked(newTimeout, token);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004177}
4178
4179void InputDispatcher::doInterceptKeyBeforeDispatchingLockedInterruptible(
4180 CommandEntry* commandEntry) {
4181 KeyEntry* entry = commandEntry->keyEntry;
4182
Siarhei Vishniakou9757f782019-10-29 12:53:08 -07004183 KeyEvent event = createKeyEvent(*entry);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004184
4185 mLock.unlock();
4186
Michael Wright2b3c3302018-03-02 17:19:13 +00004187 android::base::Timer t;
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004188 sp<IBinder> token = commandEntry->inputChannel != nullptr
4189 ? commandEntry->inputChannel->getToken()
4190 : nullptr;
4191 nsecs_t delay = mPolicy->interceptKeyBeforeDispatching(token, &event, entry->policyFlags);
Michael Wright2b3c3302018-03-02 17:19:13 +00004192 if (t.duration() > SLOW_INTERCEPTION_THRESHOLD) {
4193 ALOGW("Excessive delay in interceptKeyBeforeDispatching; took %s ms",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004194 std::to_string(t.duration().count()).c_str());
Michael Wright2b3c3302018-03-02 17:19:13 +00004195 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08004196
4197 mLock.lock();
4198
4199 if (delay < 0) {
4200 entry->interceptKeyResult = KeyEntry::INTERCEPT_KEY_RESULT_SKIP;
4201 } else if (!delay) {
4202 entry->interceptKeyResult = KeyEntry::INTERCEPT_KEY_RESULT_CONTINUE;
4203 } else {
4204 entry->interceptKeyResult = KeyEntry::INTERCEPT_KEY_RESULT_TRY_AGAIN_LATER;
4205 entry->interceptKeyWakeupTime = now() + delay;
4206 }
4207 entry->release();
4208}
4209
chaviwfd6d3512019-03-25 13:23:49 -07004210void InputDispatcher::doOnPointerDownOutsideFocusLockedInterruptible(CommandEntry* commandEntry) {
4211 mLock.unlock();
4212 mPolicy->onPointerDownOutsideFocus(commandEntry->newToken);
4213 mLock.lock();
4214}
4215
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004216void InputDispatcher::doDispatchCycleFinishedLockedInterruptible(CommandEntry* commandEntry) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004217 sp<Connection> connection = commandEntry->connection;
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004218 const nsecs_t finishTime = commandEntry->eventTime;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004219 uint32_t seq = commandEntry->seq;
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004220 const bool handled = commandEntry->handled;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004221
4222 // Handle post-event policy actions.
Garfield Tane84e6f92019-08-29 17:28:41 -07004223 std::deque<DispatchEntry*>::iterator dispatchEntryIt = connection->findWaitQueueEntry(seq);
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004224 if (dispatchEntryIt == connection->waitQueue.end()) {
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004225 return;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004226 }
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004227 DispatchEntry* dispatchEntry = *dispatchEntryIt;
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004228
4229 nsecs_t eventDuration = finishTime - dispatchEntry->deliveryTime;
4230 if (eventDuration > SLOW_EVENT_PROCESSING_WARNING_TIMEOUT) {
4231 std::string msg =
4232 StringPrintf("Window '%s' spent %0.1fms processing the last input event: ",
4233 connection->getWindowName().c_str(), eventDuration * 0.000001f);
4234 dispatchEntry->eventEntry->appendDescription(msg);
4235 ALOGI("%s", msg.c_str());
4236 }
4237
4238 bool restartEvent;
4239 if (dispatchEntry->eventEntry->type == EventEntry::TYPE_KEY) {
4240 KeyEntry* keyEntry = static_cast<KeyEntry*>(dispatchEntry->eventEntry);
4241 restartEvent =
4242 afterKeyEventLockedInterruptible(connection, dispatchEntry, keyEntry, handled);
4243 } else if (dispatchEntry->eventEntry->type == EventEntry::TYPE_MOTION) {
4244 MotionEntry* motionEntry = static_cast<MotionEntry*>(dispatchEntry->eventEntry);
4245 restartEvent = afterMotionEventLockedInterruptible(connection, dispatchEntry, motionEntry,
4246 handled);
4247 } else {
4248 restartEvent = false;
4249 }
4250
4251 // Dequeue the event and start the next cycle.
4252 // Note that because the lock might have been released, it is possible that the
4253 // contents of the wait queue to have been drained, so we need to double-check
4254 // a few things.
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004255 dispatchEntryIt = connection->findWaitQueueEntry(seq);
4256 if (dispatchEntryIt != connection->waitQueue.end()) {
4257 dispatchEntry = *dispatchEntryIt;
4258 connection->waitQueue.erase(dispatchEntryIt);
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004259 traceWaitQueueLength(connection);
4260 if (restartEvent && connection->status == Connection::STATUS_NORMAL) {
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004261 connection->outboundQueue.push_front(dispatchEntry);
Siarhei Vishniakou4e68fbf2019-07-31 14:00:52 -07004262 traceOutboundQueueLength(connection);
4263 } else {
4264 releaseDispatchEntry(dispatchEntry);
4265 }
4266 }
4267
4268 // Start the next dispatch cycle for this connection.
4269 startDispatchCycleLocked(now(), connection);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004270}
4271
4272bool InputDispatcher::afterKeyEventLockedInterruptible(const sp<Connection>& connection,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004273 DispatchEntry* dispatchEntry,
4274 KeyEntry* keyEntry, bool handled) {
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004275 if (keyEntry->flags & AKEY_EVENT_FLAG_FALLBACK) {
Prabir Pradhanf93562f2018-11-29 12:13:37 -08004276 if (!handled) {
4277 // Report the key as unhandled, since the fallback was not handled.
4278 mReporter->reportUnhandledKey(keyEntry->sequenceNum);
4279 }
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004280 return false;
4281 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08004282
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004283 // Get the fallback key state.
4284 // Clear it out after dispatching the UP.
4285 int32_t originalKeyCode = keyEntry->keyCode;
4286 int32_t fallbackKeyCode = connection->inputState.getFallbackKey(originalKeyCode);
4287 if (keyEntry->action == AKEY_EVENT_ACTION_UP) {
4288 connection->inputState.removeFallbackKey(originalKeyCode);
4289 }
4290
4291 if (handled || !dispatchEntry->hasForegroundTarget()) {
4292 // If the application handles the original key for which we previously
4293 // generated a fallback or if the window is not a foreground window,
4294 // then cancel the associated fallback key, if any.
4295 if (fallbackKeyCode != -1) {
4296 // Dispatch the unhandled key to the policy with the cancel flag.
Michael Wrightd02c5b62014-02-10 15:10:22 -08004297#if DEBUG_OUTBOUND_EVENT_DETAILS
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004298 ALOGD("Unhandled key event: Asking policy to cancel fallback action. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004299 "keyCode=%d, action=%d, repeatCount=%d, policyFlags=0x%08x",
4300 keyEntry->keyCode, keyEntry->action, keyEntry->repeatCount,
4301 keyEntry->policyFlags);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004302#endif
Siarhei Vishniakou9757f782019-10-29 12:53:08 -07004303 KeyEvent event = createKeyEvent(*keyEntry);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004304 event.setFlags(event.getFlags() | AKEY_EVENT_FLAG_CANCELED);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004305
4306 mLock.unlock();
4307
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004308 mPolicy->dispatchUnhandledKey(connection->inputChannel->getToken(), &event,
4309 keyEntry->policyFlags, &event);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004310
4311 mLock.lock();
4312
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004313 // Cancel the fallback key.
4314 if (fallbackKeyCode != AKEYCODE_UNKNOWN) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004315 CancelationOptions options(CancelationOptions::CANCEL_FALLBACK_EVENTS,
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004316 "application handled the original non-fallback key "
4317 "or is no longer a foreground target, "
4318 "canceling previously dispatched fallback key");
Michael Wrightd02c5b62014-02-10 15:10:22 -08004319 options.keyCode = fallbackKeyCode;
4320 synthesizeCancelationEventsForConnectionLocked(connection, options);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004321 }
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004322 connection->inputState.removeFallbackKey(originalKeyCode);
4323 }
4324 } else {
4325 // If the application did not handle a non-fallback key, first check
4326 // that we are in a good state to perform unhandled key event processing
4327 // Then ask the policy what to do with it.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004328 bool initialDown = keyEntry->action == AKEY_EVENT_ACTION_DOWN && keyEntry->repeatCount == 0;
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004329 if (fallbackKeyCode == -1 && !initialDown) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004330#if DEBUG_OUTBOUND_EVENT_DETAILS
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004331 ALOGD("Unhandled key event: Skipping unhandled key event processing "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004332 "since this is not an initial down. "
4333 "keyCode=%d, action=%d, repeatCount=%d, policyFlags=0x%08x",
4334 originalKeyCode, keyEntry->action, keyEntry->repeatCount, keyEntry->policyFlags);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004335#endif
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004336 return false;
4337 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08004338
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004339 // Dispatch the unhandled key to the policy.
4340#if DEBUG_OUTBOUND_EVENT_DETAILS
4341 ALOGD("Unhandled key event: Asking policy to perform fallback action. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004342 "keyCode=%d, action=%d, repeatCount=%d, policyFlags=0x%08x",
4343 keyEntry->keyCode, keyEntry->action, keyEntry->repeatCount, keyEntry->policyFlags);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004344#endif
Siarhei Vishniakou9757f782019-10-29 12:53:08 -07004345 KeyEvent event = createKeyEvent(*keyEntry);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004346
4347 mLock.unlock();
4348
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004349 bool fallback = mPolicy->dispatchUnhandledKey(connection->inputChannel->getToken(), &event,
4350 keyEntry->policyFlags, &event);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004351
4352 mLock.lock();
4353
4354 if (connection->status != Connection::STATUS_NORMAL) {
4355 connection->inputState.removeFallbackKey(originalKeyCode);
4356 return false;
4357 }
4358
4359 // Latch the fallback keycode for this key on an initial down.
4360 // The fallback keycode cannot change at any other point in the lifecycle.
4361 if (initialDown) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004362 if (fallback) {
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004363 fallbackKeyCode = event.getKeyCode();
4364 } else {
4365 fallbackKeyCode = AKEYCODE_UNKNOWN;
4366 }
4367 connection->inputState.setFallbackKey(originalKeyCode, fallbackKeyCode);
4368 }
4369
4370 ALOG_ASSERT(fallbackKeyCode != -1);
4371
4372 // Cancel the fallback key if the policy decides not to send it anymore.
4373 // We will continue to dispatch the key to the policy but we will no
4374 // longer dispatch a fallback key to the application.
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004375 if (fallbackKeyCode != AKEYCODE_UNKNOWN &&
4376 (!fallback || fallbackKeyCode != event.getKeyCode())) {
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004377#if DEBUG_OUTBOUND_EVENT_DETAILS
4378 if (fallback) {
4379 ALOGD("Unhandled key event: Policy requested to send key %d"
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004380 "as a fallback for %d, but on the DOWN it had requested "
4381 "to send %d instead. Fallback canceled.",
4382 event.getKeyCode(), originalKeyCode, fallbackKeyCode);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004383 } else {
4384 ALOGD("Unhandled key event: Policy did not request fallback for %d, "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004385 "but on the DOWN it had requested to send %d. "
4386 "Fallback canceled.",
4387 originalKeyCode, fallbackKeyCode);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004388 }
4389#endif
4390
4391 CancelationOptions options(CancelationOptions::CANCEL_FALLBACK_EVENTS,
4392 "canceling fallback, policy no longer desires it");
4393 options.keyCode = fallbackKeyCode;
4394 synthesizeCancelationEventsForConnectionLocked(connection, options);
4395
4396 fallback = false;
4397 fallbackKeyCode = AKEYCODE_UNKNOWN;
4398 if (keyEntry->action != AKEY_EVENT_ACTION_UP) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004399 connection->inputState.setFallbackKey(originalKeyCode, fallbackKeyCode);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004400 }
4401 }
Michael Wrightd02c5b62014-02-10 15:10:22 -08004402
4403#if DEBUG_OUTBOUND_EVENT_DETAILS
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004404 {
4405 std::string msg;
4406 const KeyedVector<int32_t, int32_t>& fallbackKeys =
4407 connection->inputState.getFallbackKeys();
4408 for (size_t i = 0; i < fallbackKeys.size(); i++) {
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004409 msg += StringPrintf(", %d->%d", fallbackKeys.keyAt(i), fallbackKeys.valueAt(i));
Michael Wrightd02c5b62014-02-10 15:10:22 -08004410 }
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004411 ALOGD("Unhandled key event: %zu currently tracked fallback keys%s.",
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004412 fallbackKeys.size(), msg.c_str());
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004413 }
4414#endif
4415
4416 if (fallback) {
4417 // Restart the dispatch cycle using the fallback key.
4418 keyEntry->eventTime = event.getEventTime();
4419 keyEntry->deviceId = event.getDeviceId();
4420 keyEntry->source = event.getSource();
4421 keyEntry->displayId = event.getDisplayId();
4422 keyEntry->flags = event.getFlags() | AKEY_EVENT_FLAG_FALLBACK;
4423 keyEntry->keyCode = fallbackKeyCode;
4424 keyEntry->scanCode = event.getScanCode();
4425 keyEntry->metaState = event.getMetaState();
4426 keyEntry->repeatCount = event.getRepeatCount();
4427 keyEntry->downTime = event.getDownTime();
4428 keyEntry->syntheticRepeat = false;
4429
4430#if DEBUG_OUTBOUND_EVENT_DETAILS
4431 ALOGD("Unhandled key event: Dispatching fallback key. "
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004432 "originalKeyCode=%d, fallbackKeyCode=%d, fallbackMetaState=%08x",
4433 originalKeyCode, fallbackKeyCode, keyEntry->metaState);
Prabir Pradhanf557dcf2018-12-18 16:38:14 -08004434#endif
4435 return true; // restart the event
4436 } else {
4437#if DEBUG_OUTBOUND_EVENT_DETAILS
4438 ALOGD("Unhandled key event: No fallback key.");
4439#endif
Prabir Pradhanf93562f2018-11-29 12:13:37 -08004440
4441 // Report the key as unhandled, since there is no fallback key.
4442 mReporter->reportUnhandledKey(keyEntry->sequenceNum);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004443 }
4444 }
4445 return false;
4446}
4447
4448bool InputDispatcher::afterMotionEventLockedInterruptible(const sp<Connection>& connection,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004449 DispatchEntry* dispatchEntry,
4450 MotionEntry* motionEntry, bool handled) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004451 return false;
4452}
4453
4454void InputDispatcher::doPokeUserActivityLockedInterruptible(CommandEntry* commandEntry) {
4455 mLock.unlock();
4456
4457 mPolicy->pokeUserActivity(commandEntry->eventTime, commandEntry->userActivityEventType);
4458
4459 mLock.lock();
4460}
4461
Siarhei Vishniakou9757f782019-10-29 12:53:08 -07004462KeyEvent InputDispatcher::createKeyEvent(const KeyEntry& entry) {
4463 KeyEvent event;
4464 event.initialize(entry.deviceId, entry.source, entry.displayId, entry.action, entry.flags,
4465 entry.keyCode, entry.scanCode, entry.metaState, entry.repeatCount,
4466 entry.downTime, entry.eventTime);
4467 return event;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004468}
4469
Siarhei Vishniakoud2770042019-10-29 11:08:14 -07004470void InputDispatcher::updateDispatchStatistics(nsecs_t currentTime, const EventEntry& entry,
Garfield Tan0fc2fa72019-08-29 17:22:15 -07004471 int32_t injectionResult,
4472 nsecs_t timeSpentWaitingForApplication) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004473 // TODO Write some statistics about how long we spend waiting.
4474}
4475
Siarhei Vishniakoude4bf152019-08-16 11:12:52 -05004476/**
4477 * Report the touch event latency to the statsd server.
4478 * Input events are reported for statistics if:
4479 * - This is a touchscreen event
4480 * - InputFilter is not enabled
4481 * - Event is not injected or synthesized
4482 *
4483 * Statistics should be reported before calling addValue, to prevent a fresh new sample
4484 * from getting aggregated with the "old" data.
4485 */
4486void InputDispatcher::reportTouchEventForStatistics(const MotionEntry& motionEntry)
4487 REQUIRES(mLock) {
4488 const bool reportForStatistics = (motionEntry.source == AINPUT_SOURCE_TOUCHSCREEN) &&
4489 !(motionEntry.isSynthesized()) && !mInputFilterEnabled;
4490 if (!reportForStatistics) {
4491 return;
4492 }
4493
4494 if (mTouchStatistics.shouldReport()) {
4495 android::util::stats_write(android::util::TOUCH_EVENT_REPORTED, mTouchStatistics.getMin(),
4496 mTouchStatistics.getMax(), mTouchStatistics.getMean(),
4497 mTouchStatistics.getStDev(), mTouchStatistics.getCount());
4498 mTouchStatistics.reset();
4499 }
4500 const float latencyMicros = nanoseconds_to_microseconds(now() - motionEntry.eventTime);
4501 mTouchStatistics.addValue(latencyMicros);
4502}
4503
Michael Wrightd02c5b62014-02-10 15:10:22 -08004504void InputDispatcher::traceInboundQueueLengthLocked() {
4505 if (ATRACE_ENABLED()) {
Siarhei Vishniakou44a2aed2019-07-29 08:59:52 -07004506 ATRACE_INT("iq", mInboundQueue.size());
Michael Wrightd02c5b62014-02-10 15:10:22 -08004507 }
4508}
4509
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08004510void InputDispatcher::traceOutboundQueueLength(const sp<Connection>& connection) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004511 if (ATRACE_ENABLED()) {
4512 char counterName[40];
Siarhei Vishniakou587c3f02018-01-04 11:46:44 -08004513 snprintf(counterName, sizeof(counterName), "oq:%s", connection->getWindowName().c_str());
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004514 ATRACE_INT(counterName, connection->outboundQueue.size());
Michael Wrightd02c5b62014-02-10 15:10:22 -08004515 }
4516}
4517
Siarhei Vishniakou61291d42019-02-11 18:13:20 -08004518void InputDispatcher::traceWaitQueueLength(const sp<Connection>& connection) {
Michael Wrightd02c5b62014-02-10 15:10:22 -08004519 if (ATRACE_ENABLED()) {
4520 char counterName[40];
Siarhei Vishniakou587c3f02018-01-04 11:46:44 -08004521 snprintf(counterName, sizeof(counterName), "wq:%s", connection->getWindowName().c_str());
Siarhei Vishniakou13bda6c2019-07-29 08:34:33 -07004522 ATRACE_INT(counterName, connection->waitQueue.size());
Michael Wrightd02c5b62014-02-10 15:10:22 -08004523 }
4524}
4525
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08004526void InputDispatcher::dump(std::string& dump) {
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08004527 std::scoped_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004528
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08004529 dump += "Input Dispatcher State:\n";
Michael Wrightd02c5b62014-02-10 15:10:22 -08004530 dumpDispatchStateLocked(dump);
4531
Siarhei Vishniakouf93fcf42017-11-22 16:00:14 -08004532 if (!mLastANRState.empty()) {
4533 dump += "\nInput Dispatcher State at time of last ANR:\n";
4534 dump += mLastANRState;
Michael Wrightd02c5b62014-02-10 15:10:22 -08004535 }
4536}
4537
4538void InputDispatcher::monitor() {
4539 // Acquire and release the lock to ensure that the dispatcher has not deadlocked.
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08004540 std::unique_lock _l(mLock);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004541 mLooper->wake();
Siarhei Vishniakou443ad902019-03-06 17:25:41 -08004542 mDispatcherIsAlive.wait(_l);
Michael Wrightd02c5b62014-02-10 15:10:22 -08004543}
4544
Garfield Tane84e6f92019-08-29 17:28:41 -07004545} // namespace android::inputdispatcher