Flutter macOS Embedder
FlutterViewController.mm
Go to the documentation of this file.
1 // Copyright 2013 The Flutter Authors. All rights reserved.
2 // Use of this source code is governed by a BSD-style license that can be
3 // found in the LICENSE file.
4 
7 
8 #include <Carbon/Carbon.h>
9 #import <objc/message.h>
10 
11 #include "flutter/common/constants.h"
12 #include "flutter/fml/platform/darwin/cf_utils.h"
22 #include "flutter/shell/platform/embedder/embedder.h"
23 
24 #pragma mark - Static types and data.
25 
26 namespace {
27 
28 // Use different device ID for mouse and pan/zoom events, since we can't differentiate the actual
29 // device (mouse v.s. trackpad).
30 static constexpr int32_t kMousePointerDeviceId = 0;
31 static constexpr int32_t kPointerPanZoomDeviceId = 1;
32 
33 // A trackpad touch following inertial scrolling should cause an inertia cancel
34 // event to be issued. Use a window of 50 milliseconds after the scroll to account
35 // for delays in event propagation observed in macOS Ventura.
36 static constexpr double kTrackpadTouchInertiaCancelWindowMs = 0.050;
37 
38 /**
39  * State tracking for mouse events, to adapt between the events coming from the system and the
40  * events that the embedding API expects.
41  */
42 struct MouseState {
43  /**
44  * The currently pressed buttons, as represented in FlutterPointerEvent.
45  */
46  int64_t buttons = 0;
47 
48  /**
49  * The accumulated gesture pan.
50  */
51  CGFloat delta_x = 0;
52  CGFloat delta_y = 0;
53 
54  /**
55  * The accumulated gesture zoom scale.
56  */
57  CGFloat scale = 0;
58 
59  /**
60  * The accumulated gesture rotation.
61  */
62  CGFloat rotation = 0;
63 
64  /**
65  * Whether or not a kAdd event has been sent (or sent again since the last kRemove if tracking is
66  * enabled). Used to determine whether to send a kAdd event before sending an incoming mouse
67  * event, since Flutter expects pointers to be added before events are sent for them.
68  */
69  bool flutter_state_is_added = false;
70 
71  /**
72  * Whether or not a kDown has been sent since the last kAdd/kUp.
73  */
74  bool flutter_state_is_down = false;
75 
76  /**
77  * Whether or not mouseExited: was received while a button was down. Cocoa's behavior when
78  * dragging out of a tracked area is to send an exit, then keep sending drag events until the last
79  * button is released. Flutter doesn't expect to receive events after a kRemove, so the kRemove
80  * for the exit needs to be delayed until after the last mouse button is released. If cursor
81  * returns back to the window while still dragging, the flag is cleared in mouseEntered:.
82  */
83  bool has_pending_exit = false;
84 
85  /*
86  * Whether or not a kPanZoomStart has been sent since the last kAdd/kPanZoomEnd.
87  */
88  bool flutter_state_is_pan_zoom_started = false;
89 
90  /**
91  * State of pan gesture.
92  */
93  NSEventPhase pan_gesture_phase = NSEventPhaseNone;
94 
95  /**
96  * State of scale gesture.
97  */
98  NSEventPhase scale_gesture_phase = NSEventPhaseNone;
99 
100  /**
101  * State of rotate gesture.
102  */
103  NSEventPhase rotate_gesture_phase = NSEventPhaseNone;
104 
105  /**
106  * Time of last scroll momentum event.
107  */
108  NSTimeInterval last_scroll_momentum_changed_time = 0;
109 
110  /**
111  * Resets all gesture state to default values.
112  */
113  void GestureReset() {
114  delta_x = 0;
115  delta_y = 0;
116  scale = 0;
117  rotation = 0;
118  flutter_state_is_pan_zoom_started = false;
119  pan_gesture_phase = NSEventPhaseNone;
120  scale_gesture_phase = NSEventPhaseNone;
121  rotate_gesture_phase = NSEventPhaseNone;
122  }
123 
124  /**
125  * Resets all state to default values.
126  */
127  void Reset() {
128  flutter_state_is_added = false;
129  flutter_state_is_down = false;
130  has_pending_exit = false;
131  buttons = 0;
132  }
133 };
134 
135 } // namespace
136 
137 #pragma mark - Private interface declaration.
138 
139 /**
140  * FlutterViewWrapper is a convenience class that wraps a FlutterView and provides
141  * a mechanism to attach AppKit views such as FlutterTextField without affecting
142  * the accessibility subtree of the wrapped FlutterView itself.
143  *
144  * The FlutterViewController uses this class to create its content view. When
145  * any of the accessibility services (e.g. VoiceOver) is turned on, the accessibility
146  * bridge creates FlutterTextFields that interact with the service. The bridge has to
147  * attach the FlutterTextField somewhere in the view hierarchy in order for the
148  * FlutterTextField to interact correctly with VoiceOver. Those FlutterTextFields
149  * will be attached to this view so that they won't affect the accessibility subtree
150  * of FlutterView.
151  */
152 @interface FlutterViewWrapper : NSView
153 
154 - (void)setBackgroundColor:(NSColor*)color;
155 
156 @end
157 
158 /**
159  * Private interface declaration for FlutterViewController.
160  */
162 
163 /**
164  * The tracking area used to generate hover events, if enabled.
165  */
166 @property(nonatomic) NSTrackingArea* trackingArea;
167 
168 /**
169  * The current state of the mouse and the sent mouse events.
170  */
171 @property(nonatomic) MouseState mouseState;
172 
173 /**
174  * Event monitor for keyUp events.
175  */
176 @property(nonatomic) id keyUpMonitor;
177 
178 /**
179  * Starts running |engine|, including any initial setup.
180  */
181 - (BOOL)launchEngine;
182 
183 /**
184  * Updates |trackingArea| for the current tracking settings, creating it with
185  * the correct mode if tracking is enabled, or removing it if not.
186  */
187 - (void)configureTrackingArea;
188 
189 /**
190  * Calls dispatchMouseEvent:phase: with a phase determined by self.mouseState.
191  *
192  * mouseState.buttons should be updated before calling this method.
193  */
194 - (void)dispatchMouseEvent:(nonnull NSEvent*)event;
195 
196 /**
197  * Calls dispatchMouseEvent:phase: with a phase determined by event.phase.
198  */
199 - (void)dispatchGestureEvent:(nonnull NSEvent*)event;
200 
201 /**
202  * Converts |event| to a FlutterPointerEvent with the given phase, and sends it to the engine.
203  */
204 - (void)dispatchMouseEvent:(nonnull NSEvent*)event phase:(FlutterPointerPhase)phase;
205 
206 @end
207 
208 #pragma mark - FlutterViewWrapper implementation.
209 
210 @implementation FlutterViewWrapper {
211  FlutterView* _flutterView;
213 }
214 
215 - (instancetype)initWithFlutterView:(FlutterView*)view
216  controller:(FlutterViewController*)controller {
217  self = [super initWithFrame:NSZeroRect];
218  if (self) {
219  _flutterView = view;
220  _controller = controller;
221  view.autoresizingMask = NSViewWidthSizable | NSViewHeightSizable;
222  [self addSubview:view];
223  }
224  return self;
225 }
226 
227 - (void)setBackgroundColor:(NSColor*)color {
228  [_flutterView setBackgroundColor:color];
229 }
230 
231 - (BOOL)performKeyEquivalent:(NSEvent*)event {
232  // Do not intercept the event if flutterView is not first responder, otherwise this would
233  // interfere with TextInputPlugin, which also handles key equivalents.
234  //
235  // Also do not intercept the event if key equivalent is a product of an event being
236  // redispatched by the TextInputPlugin, in which case it needs to bubble up so that menus
237  // can handle key equivalents.
238  if (self.window.firstResponder != _flutterView || [_controller isDispatchingKeyEvent:event]) {
239  return [super performKeyEquivalent:event];
240  }
241  [_flutterView keyDown:event];
242  return YES;
243 }
244 
245 - (NSArray*)accessibilityChildren {
246  return @[ _flutterView ];
247 }
248 
249 // TODO(cbracken): https://github.com/flutter/flutter/issues/154063
250 // Remove this whole method override when we drop support for macOS 12 (Monterey).
251 - (void)mouseDown:(NSEvent*)event {
252  if (@available(macOS 13.3.1, *)) {
253  [super mouseDown:event];
254  } else {
255  // Work around an AppKit bug where mouseDown/mouseUp are not called on the view controller if
256  // the view is the content view of an NSPopover AND macOS's Reduced Transparency accessibility
257  // setting is enabled.
258  //
259  // This simply calls mouseDown on the next responder in the responder chain as the default
260  // implementation on NSResponder is documented to do.
261  //
262  // See: https://github.com/flutter/flutter/issues/115015
263  // See: http://www.openradar.me/FB12050037
264  // See: https://developer.apple.com/documentation/appkit/nsresponder/1524634-mousedown
265  [self.nextResponder mouseDown:event];
266  }
267 }
268 
269 // TODO(cbracken): https://github.com/flutter/flutter/issues/154063
270 // Remove this workaround when we drop support for macOS 12 (Monterey).
271 - (void)mouseUp:(NSEvent*)event {
272  if (@available(macOS 13.3.1, *)) {
273  [super mouseUp:event];
274  } else {
275  // Work around an AppKit bug where mouseDown/mouseUp are not called on the view controller if
276  // the view is the content view of an NSPopover AND macOS's Reduced Transparency accessibility
277  // setting is enabled.
278  //
279  // This simply calls mouseUp on the next responder in the responder chain as the default
280  // implementation on NSResponder is documented to do.
281  //
282  // See: https://github.com/flutter/flutter/issues/115015
283  // See: http://www.openradar.me/FB12050037
284  // See: https://developer.apple.com/documentation/appkit/nsresponder/1535349-mouseup
285  [self.nextResponder mouseUp:event];
286  }
287 }
288 
289 @end
290 
291 #pragma mark - FlutterViewController implementation.
292 
293 @implementation FlutterViewController {
294  // The project to run in this controller's engine.
296 
297  std::shared_ptr<flutter::AccessibilityBridgeMac> _bridge;
298 
299  // FlutterViewController does not actually uses the synchronizer, but only
300  // passes it to FlutterView.
302 }
303 
304 // Synthesize properties declared readonly.
305 @synthesize viewIdentifier = _viewIdentifier;
306 
307 @dynamic accessibilityBridge;
308 
309 /**
310  * Performs initialization that's common between the different init paths.
311  */
312 static void CommonInit(FlutterViewController* controller, FlutterEngine* engine) {
313  if (!engine) {
314  engine = [[FlutterEngine alloc] initWithName:@"io.flutter"
315  project:controller->_project
316  allowHeadlessExecution:NO];
317  }
318  NSCAssert(controller.engine == nil,
319  @"The FlutterViewController is unexpectedly attached to "
320  @"engine %@ before initialization.",
321  controller.engine);
322  [engine addViewController:controller];
323  NSCAssert(controller.engine != nil,
324  @"The FlutterViewController unexpectedly stays unattached after initialization. "
325  @"In unit tests, this is likely because either the FlutterViewController or "
326  @"the FlutterEngine is mocked. Please subclass these classes instead.",
327  controller.engine, controller.viewIdentifier);
328  controller->_mouseTrackingMode = kFlutterMouseTrackingModeInKeyWindow;
329  controller->_textInputPlugin = [[FlutterTextInputPlugin alloc] initWithViewController:controller];
330  [controller notifySemanticsEnabledChanged];
331 }
332 
333 - (instancetype)initWithCoder:(NSCoder*)coder {
334  self = [super initWithCoder:coder];
335  NSAssert(self, @"Super init cannot be nil");
336 
337  CommonInit(self, nil);
338  return self;
339 }
340 
341 - (instancetype)initWithNibName:(NSString*)nibNameOrNil bundle:(NSBundle*)nibBundleOrNil {
342  self = [super initWithNibName:nibNameOrNil bundle:nibBundleOrNil];
343  NSAssert(self, @"Super init cannot be nil");
344 
345  CommonInit(self, nil);
346  return self;
347 }
348 
349 - (instancetype)initWithProject:(nullable FlutterDartProject*)project {
350  self = [super initWithNibName:nil bundle:nil];
351  NSAssert(self, @"Super init cannot be nil");
352 
353  _project = project;
354  CommonInit(self, nil);
355  return self;
356 }
357 
358 - (instancetype)initWithEngine:(nonnull FlutterEngine*)engine
359  nibName:(nullable NSString*)nibName
360  bundle:(nullable NSBundle*)nibBundle {
361  NSAssert(engine != nil, @"Engine is required");
362 
363  self = [super initWithNibName:nibName bundle:nibBundle];
364  if (self) {
365  CommonInit(self, engine);
366  }
367 
368  return self;
369 }
370 
371 - (BOOL)isDispatchingKeyEvent:(NSEvent*)event {
372  return [_engine.keyboardManager isDispatchingKeyEvent:event];
373 }
374 
375 - (void)loadView {
376  FlutterView* flutterView;
377  id<MTLDevice> device = _engine.renderer.device;
378  id<MTLCommandQueue> commandQueue = _engine.renderer.commandQueue;
379  if (!device || !commandQueue) {
380  NSLog(@"Unable to create FlutterView; no MTLDevice or MTLCommandQueue available.");
381  return;
382  }
383  flutterView = [self createFlutterViewWithMTLDevice:device commandQueue:commandQueue];
384  if (_backgroundColor != nil) {
385  [flutterView setBackgroundColor:_backgroundColor];
386  }
387  FlutterViewWrapper* wrapperView = [[FlutterViewWrapper alloc] initWithFlutterView:flutterView
388  controller:self];
389  self.view = wrapperView;
390  _flutterView = flutterView;
391 }
392 
393 - (void)viewDidLoad {
394  [self configureTrackingArea];
395  [self.view setAllowedTouchTypes:NSTouchTypeMaskIndirect];
396  [self.view setWantsRestingTouches:YES];
397  [_engine viewControllerViewDidLoad:self];
398 }
399 
400 - (void)viewWillAppear {
401  [super viewWillAppear];
402  if (!_engine.running) {
403  [self launchEngine];
404  }
405  [self listenForMetaModifiedKeyUpEvents];
406 }
407 
408 - (void)viewWillDisappear {
409  // Per Apple's documentation, it is discouraged to call removeMonitor: in dealloc, and it's
410  // recommended to be called earlier in the lifecycle.
411  [NSEvent removeMonitor:_keyUpMonitor];
412  _keyUpMonitor = nil;
413 }
414 
415 - (void)dealloc {
416  if ([self attached]) {
417  [_engine removeViewController:self];
418  }
419 }
420 
421 #pragma mark - Public methods
422 
423 - (void)setMouseTrackingMode:(FlutterMouseTrackingMode)mode {
424  if (_mouseTrackingMode == mode) {
425  return;
426  }
427  _mouseTrackingMode = mode;
428  [self configureTrackingArea];
429 }
430 
431 - (void)setBackgroundColor:(NSColor*)color {
432  _backgroundColor = color;
433  [_flutterView setBackgroundColor:_backgroundColor];
434 }
435 
436 - (FlutterViewIdentifier)viewIdentifier {
437  NSAssert([self attached], @"This view controller is not attached.");
438  return _viewIdentifier;
439 }
440 
441 - (void)onPreEngineRestart {
442 }
443 
444 - (void)notifySemanticsEnabledChanged {
445  BOOL mySemanticsEnabled = !!_bridge;
446  BOOL newSemanticsEnabled = _engine.semanticsEnabled;
447  if (newSemanticsEnabled == mySemanticsEnabled) {
448  return;
449  }
450  if (newSemanticsEnabled) {
451  _bridge = [self createAccessibilityBridgeWithEngine:_engine];
452  } else {
453  // Remove the accessibility children from flutter view before resetting the bridge.
454  _flutterView.accessibilityChildren = nil;
455  _bridge.reset();
456  }
457  NSAssert(newSemanticsEnabled == !!_bridge, @"Failed to update semantics for the view.");
458 }
459 
460 - (std::weak_ptr<flutter::AccessibilityBridgeMac>)accessibilityBridge {
461  return _bridge;
462 }
463 
464 - (void)setUpWithEngine:(FlutterEngine*)engine
465  viewIdentifier:(FlutterViewIdentifier)viewIdentifier
466  threadSynchronizer:(FlutterThreadSynchronizer*)threadSynchronizer {
467  NSAssert(_engine == nil, @"Already attached to an engine %@.", _engine);
468  _engine = engine;
469  _viewIdentifier = viewIdentifier;
470  _threadSynchronizer = threadSynchronizer;
471  [_threadSynchronizer registerView:_viewIdentifier];
472 }
473 
474 - (void)detachFromEngine {
475  NSAssert(_engine != nil, @"Not attached to any engine.");
476  [_threadSynchronizer deregisterView:_viewIdentifier];
477  _threadSynchronizer = nil;
478  _engine = nil;
479 }
480 
481 - (BOOL)attached {
482  return _engine != nil;
483 }
484 
485 - (void)updateSemantics:(const FlutterSemanticsUpdate2*)update {
486  // Semantics will be disabled when unfocusing application but the updateSemantics:
487  // callback is received in next run loop turn.
488  if (!_engine.semanticsEnabled) {
489  return;
490  }
491  for (size_t i = 0; i < update->node_count; i++) {
492  const FlutterSemanticsNode2* node = update->nodes[i];
493  _bridge->AddFlutterSemanticsNodeUpdate(*node);
494  }
495 
496  for (size_t i = 0; i < update->custom_action_count; i++) {
497  const FlutterSemanticsCustomAction2* action = update->custom_actions[i];
498  _bridge->AddFlutterSemanticsCustomActionUpdate(*action);
499  }
500 
501  _bridge->CommitUpdates();
502 
503  // Accessibility tree can only be used when the view is loaded.
504  if (!self.viewLoaded) {
505  return;
506  }
507  // Attaches the accessibility root to the flutter view.
508  auto root = _bridge->GetFlutterPlatformNodeDelegateFromID(0).lock();
509  if (root) {
510  if ([self.flutterView.accessibilityChildren count] == 0) {
511  NSAccessibilityElement* native_root = root->GetNativeViewAccessible();
512  self.flutterView.accessibilityChildren = @[ native_root ];
513  }
514  } else {
515  self.flutterView.accessibilityChildren = nil;
516  }
517 }
518 
519 #pragma mark - Private methods
520 
521 - (BOOL)launchEngine {
522  if (![_engine runWithEntrypoint:nil]) {
523  return NO;
524  }
525  return YES;
526 }
527 
528 // macOS does not call keyUp: on a key while the command key is pressed. This results in a loss
529 // of a key event once the modified key is released. This method registers the
530 // ViewController as a listener for a keyUp event before it's handled by NSApplication, and should
531 // NOT modify the event to avoid any unexpected behavior.
532 - (void)listenForMetaModifiedKeyUpEvents {
533  if (_keyUpMonitor != nil) {
534  // It is possible for [NSViewController viewWillAppear] to be invoked multiple times
535  // in a row. https://github.com/flutter/flutter/issues/105963
536  return;
537  }
538  FlutterViewController* __weak weakSelf = self;
539  _keyUpMonitor = [NSEvent
540  addLocalMonitorForEventsMatchingMask:NSEventMaskKeyUp
541  handler:^NSEvent*(NSEvent* event) {
542  // Intercept keyUp only for events triggered on the current
543  // view or textInputPlugin.
544  NSResponder* firstResponder = [[event window] firstResponder];
545  if (weakSelf.viewLoaded && weakSelf.flutterView &&
546  (firstResponder == weakSelf.flutterView ||
547  firstResponder == weakSelf.textInputPlugin) &&
548  ([event modifierFlags] & NSEventModifierFlagCommand) &&
549  ([event type] == NSEventTypeKeyUp)) {
550  [weakSelf keyUp:event];
551  }
552  return event;
553  }];
554 }
555 
556 - (void)configureTrackingArea {
557  if (!self.viewLoaded) {
558  // The viewDidLoad will call configureTrackingArea again when
559  // the view is actually loaded.
560  return;
561  }
562  if (_mouseTrackingMode != kFlutterMouseTrackingModeNone && self.flutterView) {
563  NSTrackingAreaOptions options = NSTrackingMouseEnteredAndExited | NSTrackingMouseMoved |
564  NSTrackingInVisibleRect | NSTrackingEnabledDuringMouseDrag;
565  switch (_mouseTrackingMode) {
566  case kFlutterMouseTrackingModeInKeyWindow:
567  options |= NSTrackingActiveInKeyWindow;
568  break;
569  case kFlutterMouseTrackingModeInActiveApp:
570  options |= NSTrackingActiveInActiveApp;
571  break;
572  case kFlutterMouseTrackingModeAlways:
573  options |= NSTrackingActiveAlways;
574  break;
575  default:
576  NSLog(@"Error: Unrecognized mouse tracking mode: %ld", _mouseTrackingMode);
577  return;
578  }
579  _trackingArea = [[NSTrackingArea alloc] initWithRect:NSZeroRect
580  options:options
581  owner:self
582  userInfo:nil];
583  [self.flutterView addTrackingArea:_trackingArea];
584  } else if (_trackingArea) {
585  [self.flutterView removeTrackingArea:_trackingArea];
586  _trackingArea = nil;
587  }
588 }
589 
590 - (void)dispatchMouseEvent:(nonnull NSEvent*)event {
591  FlutterPointerPhase phase = _mouseState.buttons == 0
592  ? (_mouseState.flutter_state_is_down ? kUp : kHover)
593  : (_mouseState.flutter_state_is_down ? kMove : kDown);
594  [self dispatchMouseEvent:event phase:phase];
595 }
596 
597 - (void)dispatchGestureEvent:(nonnull NSEvent*)event {
598  if (event.phase == NSEventPhaseBegan || event.phase == NSEventPhaseMayBegin) {
599  [self dispatchMouseEvent:event phase:kPanZoomStart];
600  } else if (event.phase == NSEventPhaseChanged) {
601  [self dispatchMouseEvent:event phase:kPanZoomUpdate];
602  } else if (event.phase == NSEventPhaseEnded || event.phase == NSEventPhaseCancelled) {
603  [self dispatchMouseEvent:event phase:kPanZoomEnd];
604  } else if (event.phase == NSEventPhaseNone && event.momentumPhase == NSEventPhaseNone) {
605  [self dispatchMouseEvent:event phase:kHover];
606  } else {
607  // Waiting until the first momentum change event is a workaround for an issue where
608  // touchesBegan: is called unexpectedly while in low power mode within the interval between
609  // momentum start and the first momentum change.
610  if (event.momentumPhase == NSEventPhaseChanged) {
611  _mouseState.last_scroll_momentum_changed_time = event.timestamp;
612  }
613  // Skip momentum update events, the framework will generate scroll momentum.
614  NSAssert(event.momentumPhase != NSEventPhaseNone,
615  @"Received gesture event with unexpected phase");
616  }
617 }
618 
619 - (void)dispatchMouseEvent:(NSEvent*)event phase:(FlutterPointerPhase)phase {
620  NSAssert(self.viewLoaded, @"View must be loaded before it handles the mouse event");
621  // There are edge cases where the system will deliver enter out of order relative to other
622  // events (e.g., drag out and back in, release, then click; mouseDown: will be called before
623  // mouseEntered:). Discard those events, since the add will already have been synthesized.
624  if (_mouseState.flutter_state_is_added && phase == kAdd) {
625  return;
626  }
627 
628  // Multiple gesture recognizers could be active at once, we can't send multiple kPanZoomStart.
629  // For example: rotation and magnification.
630  if (phase == kPanZoomStart || phase == kPanZoomEnd) {
631  if (event.type == NSEventTypeScrollWheel) {
632  _mouseState.pan_gesture_phase = event.phase;
633  } else if (event.type == NSEventTypeMagnify) {
634  _mouseState.scale_gesture_phase = event.phase;
635  } else if (event.type == NSEventTypeRotate) {
636  _mouseState.rotate_gesture_phase = event.phase;
637  }
638  }
639  if (phase == kPanZoomStart) {
640  if (event.type == NSEventTypeScrollWheel) {
641  // Ensure scroll inertia cancel event is not sent afterwards.
642  _mouseState.last_scroll_momentum_changed_time = 0;
643  }
644  if (_mouseState.flutter_state_is_pan_zoom_started) {
645  // Already started on a previous gesture type
646  return;
647  }
648  _mouseState.flutter_state_is_pan_zoom_started = true;
649  }
650  if (phase == kPanZoomEnd) {
651  if (!_mouseState.flutter_state_is_pan_zoom_started) {
652  // NSEventPhaseCancelled is sometimes received at incorrect times in the state
653  // machine, just ignore it here if it doesn't make sense
654  // (we have no active gesture to cancel).
655  NSAssert(event.phase == NSEventPhaseCancelled,
656  @"Received gesture event with unexpected phase");
657  return;
658  }
659  // NSEventPhase values are powers of two, we can use this to inspect merged phases.
660  NSEventPhase all_gestures_fields = _mouseState.pan_gesture_phase |
661  _mouseState.scale_gesture_phase |
662  _mouseState.rotate_gesture_phase;
663  NSEventPhase active_mask = NSEventPhaseBegan | NSEventPhaseChanged;
664  if ((all_gestures_fields & active_mask) != 0) {
665  // Even though this gesture type ended, a different type is still active.
666  return;
667  }
668  }
669 
670  // If a pointer added event hasn't been sent, synthesize one using this event for the basic
671  // information.
672  if (!_mouseState.flutter_state_is_added && phase != kAdd) {
673  // Only the values extracted for use in flutterEvent below matter, the rest are dummy values.
674  NSEvent* addEvent = [NSEvent enterExitEventWithType:NSEventTypeMouseEntered
675  location:event.locationInWindow
676  modifierFlags:0
677  timestamp:event.timestamp
678  windowNumber:event.windowNumber
679  context:nil
680  eventNumber:0
681  trackingNumber:0
682  userData:NULL];
683  [self dispatchMouseEvent:addEvent phase:kAdd];
684  }
685 
686  NSPoint locationInView = [self.flutterView convertPoint:event.locationInWindow fromView:nil];
687  NSPoint locationInBackingCoordinates = [self.flutterView convertPointToBacking:locationInView];
688  int32_t device = kMousePointerDeviceId;
689  FlutterPointerDeviceKind deviceKind = kFlutterPointerDeviceKindMouse;
690  if (phase == kPanZoomStart || phase == kPanZoomUpdate || phase == kPanZoomEnd) {
691  device = kPointerPanZoomDeviceId;
692  deviceKind = kFlutterPointerDeviceKindTrackpad;
693  }
694  FlutterPointerEvent flutterEvent = {
695  .struct_size = sizeof(flutterEvent),
696  .phase = phase,
697  .timestamp = static_cast<size_t>(event.timestamp * USEC_PER_SEC),
698  .x = locationInBackingCoordinates.x,
699  .y = -locationInBackingCoordinates.y, // convertPointToBacking makes this negative.
700  .device = device,
701  .device_kind = deviceKind,
702  // If a click triggered a synthesized kAdd, don't pass the buttons in that event.
703  .buttons = phase == kAdd ? 0 : _mouseState.buttons,
704  .view_id = static_cast<FlutterViewIdentifier>(_viewIdentifier),
705  };
706 
707  if (phase == kPanZoomUpdate) {
708  if (event.type == NSEventTypeScrollWheel) {
709  _mouseState.delta_x += event.scrollingDeltaX * self.flutterView.layer.contentsScale;
710  _mouseState.delta_y += event.scrollingDeltaY * self.flutterView.layer.contentsScale;
711  } else if (event.type == NSEventTypeMagnify) {
712  _mouseState.scale += event.magnification;
713  } else if (event.type == NSEventTypeRotate) {
714  _mouseState.rotation += event.rotation * (-M_PI / 180.0);
715  }
716  flutterEvent.pan_x = _mouseState.delta_x;
717  flutterEvent.pan_y = _mouseState.delta_y;
718  // Scale value needs to be normalized to range 0->infinity.
719  flutterEvent.scale = pow(2.0, _mouseState.scale);
720  flutterEvent.rotation = _mouseState.rotation;
721  } else if (phase == kPanZoomEnd) {
722  _mouseState.GestureReset();
723  } else if (phase != kPanZoomStart && event.type == NSEventTypeScrollWheel) {
724  flutterEvent.signal_kind = kFlutterPointerSignalKindScroll;
725 
726  double pixelsPerLine = 1.0;
727  if (!event.hasPreciseScrollingDeltas) {
728  // The scrollingDelta needs to be multiplied by the line height.
729  // CGEventSourceGetPixelsPerLine() will return 10, which will result in
730  // scrolling that is noticeably slower than in other applications.
731  // Using 40.0 as the multiplier to match Chromium.
732  // See https://source.chromium.org/chromium/chromium/src/+/main:ui/events/cocoa/events_mac.mm
733  pixelsPerLine = 40.0;
734  }
735  double scaleFactor = self.flutterView.layer.contentsScale;
736  // When mouse input is received while shift is pressed (regardless of
737  // any other pressed keys), Mac automatically flips the axis. Other
738  // platforms do not do this, so we flip it back to normalize the input
739  // received by the framework. The keyboard+mouse-scroll mechanism is exposed
740  // in the ScrollBehavior of the framework so developers can customize the
741  // behavior.
742  // At time of change, Apple does not expose any other type of API or signal
743  // that the X/Y axes have been flipped.
744  double scaledDeltaX = -event.scrollingDeltaX * pixelsPerLine * scaleFactor;
745  double scaledDeltaY = -event.scrollingDeltaY * pixelsPerLine * scaleFactor;
746  if (event.modifierFlags & NSShiftKeyMask) {
747  flutterEvent.scroll_delta_x = scaledDeltaY;
748  flutterEvent.scroll_delta_y = scaledDeltaX;
749  } else {
750  flutterEvent.scroll_delta_x = scaledDeltaX;
751  flutterEvent.scroll_delta_y = scaledDeltaY;
752  }
753  }
754 
755  [_engine.keyboardManager syncModifiersIfNeeded:event.modifierFlags timestamp:event.timestamp];
756  [_engine sendPointerEvent:flutterEvent];
757 
758  // Update tracking of state as reported to Flutter.
759  if (phase == kDown) {
760  _mouseState.flutter_state_is_down = true;
761  } else if (phase == kUp) {
762  _mouseState.flutter_state_is_down = false;
763  if (_mouseState.has_pending_exit) {
764  [self dispatchMouseEvent:event phase:kRemove];
765  _mouseState.has_pending_exit = false;
766  }
767  } else if (phase == kAdd) {
768  _mouseState.flutter_state_is_added = true;
769  } else if (phase == kRemove) {
770  _mouseState.Reset();
771  }
772 }
773 
774 - (void)onAccessibilityStatusChanged:(BOOL)enabled {
775  if (!enabled && self.viewLoaded && [_textInputPlugin isFirstResponder]) {
776  // Normally TextInputPlugin, when editing, is child of FlutterViewWrapper.
777  // When accessiblity is enabled the TextInputPlugin gets added as an indirect
778  // child to FlutterTextField. When disabling the plugin needs to be reparented
779  // back.
780  [self.view addSubview:_textInputPlugin];
781  }
782 }
783 
784 - (std::shared_ptr<flutter::AccessibilityBridgeMac>)createAccessibilityBridgeWithEngine:
785  (nonnull FlutterEngine*)engine {
786  return std::make_shared<flutter::AccessibilityBridgeMac>(engine, self);
787 }
788 
789 - (nonnull FlutterView*)createFlutterViewWithMTLDevice:(id<MTLDevice>)device
790  commandQueue:(id<MTLCommandQueue>)commandQueue {
791  return [[FlutterView alloc] initWithMTLDevice:device
792  commandQueue:commandQueue
793  delegate:self
794  threadSynchronizer:_threadSynchronizer
795  viewIdentifier:_viewIdentifier];
796 }
797 
798 - (NSString*)lookupKeyForAsset:(NSString*)asset {
799  return [FlutterDartProject lookupKeyForAsset:asset];
800 }
801 
802 - (NSString*)lookupKeyForAsset:(NSString*)asset fromPackage:(NSString*)package {
803  return [FlutterDartProject lookupKeyForAsset:asset fromPackage:package];
804 }
805 
806 #pragma mark - FlutterViewDelegate
807 
808 /**
809  * Responds to view reshape by notifying the engine of the change in dimensions.
810  */
811 - (void)viewDidReshape:(NSView*)view {
812  FML_DCHECK(view == _flutterView);
813  [_engine updateWindowMetricsForViewController:self];
814 }
815 
816 - (BOOL)viewShouldAcceptFirstResponder:(NSView*)view {
817  FML_DCHECK(view == _flutterView);
818  // Only allow FlutterView to become first responder if TextInputPlugin is
819  // not active. Otherwise a mouse event inside FlutterView would cause the
820  // TextInputPlugin to lose first responder status.
821  return !_textInputPlugin.isFirstResponder;
822 }
823 
824 #pragma mark - FlutterPluginRegistry
825 
826 - (id<FlutterPluginRegistrar>)registrarForPlugin:(NSString*)pluginName {
827  return [_engine registrarForPlugin:pluginName];
828 }
829 
830 - (NSObject*)valuePublishedByPlugin:(NSString*)pluginKey {
831  return [_engine valuePublishedByPlugin:pluginKey];
832 }
833 
834 #pragma mark - FlutterKeyboardViewDelegate
835 
836 - (BOOL)onTextInputKeyEvent:(nonnull NSEvent*)event {
837  return [_textInputPlugin handleKeyEvent:event];
838 }
839 
840 #pragma mark - NSResponder
841 
842 - (BOOL)acceptsFirstResponder {
843  return YES;
844 }
845 
846 - (void)keyDown:(NSEvent*)event {
847  [_engine.keyboardManager handleEvent:event withContext:self];
848 }
849 
850 - (void)keyUp:(NSEvent*)event {
851  [_engine.keyboardManager handleEvent:event withContext:self];
852 }
853 
854 - (void)flagsChanged:(NSEvent*)event {
855  [_engine.keyboardManager handleEvent:event withContext:self];
856 }
857 
858 - (void)mouseEntered:(NSEvent*)event {
859  if (_mouseState.has_pending_exit) {
860  _mouseState.has_pending_exit = false;
861  } else {
862  [self dispatchMouseEvent:event phase:kAdd];
863  }
864 }
865 
866 - (void)mouseExited:(NSEvent*)event {
867  if (_mouseState.buttons != 0) {
868  _mouseState.has_pending_exit = true;
869  return;
870  }
871  [self dispatchMouseEvent:event phase:kRemove];
872 }
873 
874 - (void)mouseDown:(NSEvent*)event {
875  _mouseState.buttons |= kFlutterPointerButtonMousePrimary;
876  [self dispatchMouseEvent:event];
877 }
878 
879 - (void)mouseUp:(NSEvent*)event {
880  _mouseState.buttons &= ~static_cast<uint64_t>(kFlutterPointerButtonMousePrimary);
881  [self dispatchMouseEvent:event];
882 }
883 
884 - (void)mouseDragged:(NSEvent*)event {
885  [self dispatchMouseEvent:event];
886 }
887 
888 - (void)rightMouseDown:(NSEvent*)event {
889  _mouseState.buttons |= kFlutterPointerButtonMouseSecondary;
890  [self dispatchMouseEvent:event];
891 }
892 
893 - (void)rightMouseUp:(NSEvent*)event {
894  _mouseState.buttons &= ~static_cast<uint64_t>(kFlutterPointerButtonMouseSecondary);
895  [self dispatchMouseEvent:event];
896 }
897 
898 - (void)rightMouseDragged:(NSEvent*)event {
899  [self dispatchMouseEvent:event];
900 }
901 
902 - (void)otherMouseDown:(NSEvent*)event {
903  _mouseState.buttons |= (1 << event.buttonNumber);
904  [self dispatchMouseEvent:event];
905 }
906 
907 - (void)otherMouseUp:(NSEvent*)event {
908  _mouseState.buttons &= ~static_cast<uint64_t>(1 << event.buttonNumber);
909  [self dispatchMouseEvent:event];
910 }
911 
912 - (void)otherMouseDragged:(NSEvent*)event {
913  [self dispatchMouseEvent:event];
914 }
915 
916 - (void)mouseMoved:(NSEvent*)event {
917  [self dispatchMouseEvent:event];
918 }
919 
920 - (void)scrollWheel:(NSEvent*)event {
921  [self dispatchGestureEvent:event];
922 }
923 
924 - (void)magnifyWithEvent:(NSEvent*)event {
925  [self dispatchGestureEvent:event];
926 }
927 
928 - (void)rotateWithEvent:(NSEvent*)event {
929  [self dispatchGestureEvent:event];
930 }
931 
932 - (void)swipeWithEvent:(NSEvent*)event {
933  // Not needed, it's handled by scrollWheel.
934 }
935 
936 - (void)touchesBeganWithEvent:(NSEvent*)event {
937  NSTouch* touch = event.allTouches.anyObject;
938  if (touch != nil) {
939  if ((event.timestamp - _mouseState.last_scroll_momentum_changed_time) <
940  kTrackpadTouchInertiaCancelWindowMs) {
941  // The trackpad has been touched following a scroll momentum event.
942  // A scroll inertia cancel message should be sent to the framework.
943  NSPoint locationInView = [self.flutterView convertPoint:event.locationInWindow fromView:nil];
944  NSPoint locationInBackingCoordinates =
945  [self.flutterView convertPointToBacking:locationInView];
946  FlutterPointerEvent flutterEvent = {
947  .struct_size = sizeof(flutterEvent),
948  .timestamp = static_cast<size_t>(event.timestamp * USEC_PER_SEC),
949  .x = locationInBackingCoordinates.x,
950  .y = -locationInBackingCoordinates.y, // convertPointToBacking makes this negative.
951  .device = kPointerPanZoomDeviceId,
952  .signal_kind = kFlutterPointerSignalKindScrollInertiaCancel,
953  .device_kind = kFlutterPointerDeviceKindTrackpad,
954  .view_id = static_cast<FlutterViewIdentifier>(_viewIdentifier),
955  };
956 
957  [_engine sendPointerEvent:flutterEvent];
958  // Ensure no further scroll inertia cancel event will be sent.
959  _mouseState.last_scroll_momentum_changed_time = 0;
960  }
961  }
962 }
963 
964 @end
FlutterKeyboardManagerEventContext-p
Definition: FlutterKeyboardManager.h:40
FlutterEngine
Definition: FlutterEngine.h:31
FlutterViewController
Definition: FlutterViewController.h:73
FlutterEngine.h
FlutterViewWrapper
Definition: FlutterViewController.mm:152
FlutterEngine_Internal.h
+[FlutterDartProject lookupKeyForAsset:]
NSString * lookupKeyForAsset:(NSString *asset)
Definition: FlutterDartProject.mm:116
_bridge
std::shared_ptr< flutter::AccessibilityBridgeMac > _bridge
Definition: FlutterViewController.mm:293
FlutterChannels.h
FlutterRenderer.h
_project
FlutterDartProject * _project
Definition: FlutterEngine.mm:411
FlutterViewController::engine
FlutterEngine * engine
Definition: FlutterViewController.h:78
FlutterPluginRegistrar-p
Definition: FlutterPluginRegistrarMacOS.h:28
FlutterKeyPrimaryResponder.h
-[FlutterView setBackgroundColor:]
void setBackgroundColor:(nonnull NSColor *color)
_controller
__weak FlutterViewController * _controller
Definition: FlutterViewController.mm:210
FlutterThreadSynchronizer
Definition: FlutterThreadSynchronizer.h:18
FlutterTextInputPlugin
Definition: FlutterTextInputPlugin.h:27
FlutterCodecs.h
FlutterKeyboardManager.h
FlutterViewController_Internal.h
_threadSynchronizer
FlutterThreadSynchronizer * _threadSynchronizer
Definition: FlutterViewController.mm:301
FlutterViewController::viewIdentifier
FlutterViewIdentifier viewIdentifier
Definition: FlutterViewController.h:130
FlutterView
Definition: FlutterView.h:35
FlutterTextInputSemanticsObject.h
+[FlutterDartProject lookupKeyForAsset:fromPackage:]
NSString * lookupKeyForAsset:fromPackage:(NSString *asset,[fromPackage] NSString *package)
Definition: FlutterDartProject.mm:125
FlutterDartProject
Definition: FlutterDartProject.mm:24
FlutterView.h
FlutterViewIdentifier
int64_t FlutterViewIdentifier
Definition: FlutterViewController.h:21
FlutterViewDelegate-p
Definition: FlutterView.h:18
FlutterViewController.h