Flutter iOS Embedder
FlutterEngine.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 
5 #include "common/settings.h"
6 #define FML_USED_ON_EMBEDDER
7 
9 
10 #include <memory>
11 
12 #include "flutter/common/constants.h"
13 #include "flutter/fml/message_loop.h"
14 #include "flutter/fml/platform/darwin/platform_version.h"
15 #include "flutter/fml/trace_event.h"
16 #include "flutter/runtime/ptrace_check.h"
17 #include "flutter/shell/common/engine.h"
18 #include "flutter/shell/common/platform_view.h"
19 #include "flutter/shell/common/shell.h"
20 #include "flutter/shell/common/switches.h"
21 #include "flutter/shell/common/thread_host.h"
22 #include "flutter/shell/common/variable_refresh_rate_display.h"
42 #include "flutter/shell/profiling/sampling_profiler.h"
43 
45 
46 /// Inheriting ThreadConfigurer and use iOS platform thread API to configure the thread priorities
47 /// Using iOS platform thread API to configure thread priority
48 static void IOSPlatformThreadConfigSetter(const fml::Thread::ThreadConfig& config) {
49  // set thread name
50  fml::Thread::SetCurrentThreadName(config);
51 
52  // set thread priority
53  switch (config.priority) {
54  case fml::Thread::ThreadPriority::kBackground: {
55  pthread_set_qos_class_self_np(QOS_CLASS_BACKGROUND, 0);
56  [[NSThread currentThread] setThreadPriority:0];
57  break;
58  }
59  case fml::Thread::ThreadPriority::kNormal: {
60  pthread_set_qos_class_self_np(QOS_CLASS_DEFAULT, 0);
61  [[NSThread currentThread] setThreadPriority:0.5];
62  break;
63  }
64  case fml::Thread::ThreadPriority::kRaster:
65  case fml::Thread::ThreadPriority::kDisplay: {
66  pthread_set_qos_class_self_np(QOS_CLASS_USER_INTERACTIVE, 0);
67  [[NSThread currentThread] setThreadPriority:1.0];
68  sched_param param;
69  int policy;
70  pthread_t thread = pthread_self();
71  if (!pthread_getschedparam(thread, &policy, &param)) {
72  param.sched_priority = 50;
73  pthread_setschedparam(thread, policy, &param);
74  }
75  break;
76  }
77  }
78 }
79 
80 #pragma mark - Public exported constants
81 
82 NSString* const FlutterDefaultDartEntrypoint = nil;
83 NSString* const FlutterDefaultInitialRoute = nil;
84 
85 #pragma mark - Internal constants
86 
87 NSString* const kFlutterKeyDataChannel = @"flutter/keydata";
88 static constexpr int kNumProfilerSamplesPerSec = 5;
89 
91 @property(nonatomic, weak) FlutterEngine* flutterEngine;
92 - (instancetype)initWithPlugin:(NSString*)pluginKey flutterEngine:(FlutterEngine*)flutterEngine;
93 @end
94 
100 
101 #pragma mark - Properties
102 
103 @property(nonatomic, readonly) FlutterDartProject* dartProject;
104 @property(nonatomic, readonly, copy) NSString* labelPrefix;
105 @property(nonatomic, readonly, assign) BOOL allowHeadlessExecution;
106 @property(nonatomic, readonly, assign) BOOL restorationEnabled;
107 
108 @property(nonatomic, strong) FlutterPlatformViewsController* platformViewsController;
109 
110 // Maintains a dictionary of plugin names that have registered with the engine. Used by
111 // FlutterEngineRegistrar to implement a FlutterPluginRegistrar.
112 @property(nonatomic, readonly) NSMutableDictionary* pluginPublications;
113 @property(nonatomic, readonly) NSMutableDictionary<NSString*, FlutterEngineRegistrar*>* registrars;
114 
115 @property(nonatomic, readwrite, copy) NSString* isolateId;
116 @property(nonatomic, copy) NSString* initialRoute;
117 @property(nonatomic, strong) id<NSObject> flutterViewControllerWillDeallocObserver;
118 @property(nonatomic, strong) FlutterDartVMServicePublisher* publisher;
119 @property(nonatomic, assign) int64_t nextTextureId;
120 
121 #pragma mark - Channel properties
122 
123 @property(nonatomic, strong) FlutterPlatformPlugin* platformPlugin;
124 @property(nonatomic, strong) FlutterTextInputPlugin* textInputPlugin;
125 @property(nonatomic, strong) FlutterUndoManagerPlugin* undoManagerPlugin;
126 @property(nonatomic, strong) FlutterSpellCheckPlugin* spellCheckPlugin;
127 @property(nonatomic, strong) FlutterRestorationPlugin* restorationPlugin;
128 @property(nonatomic, strong) FlutterMethodChannel* localizationChannel;
129 @property(nonatomic, strong) FlutterMethodChannel* navigationChannel;
130 @property(nonatomic, strong) FlutterMethodChannel* restorationChannel;
131 @property(nonatomic, strong) FlutterMethodChannel* platformChannel;
132 @property(nonatomic, strong) FlutterMethodChannel* platformViewsChannel;
133 @property(nonatomic, strong) FlutterMethodChannel* textInputChannel;
134 @property(nonatomic, strong) FlutterMethodChannel* undoManagerChannel;
135 @property(nonatomic, strong) FlutterMethodChannel* scribbleChannel;
136 @property(nonatomic, strong) FlutterMethodChannel* spellCheckChannel;
137 @property(nonatomic, strong) FlutterBasicMessageChannel* lifecycleChannel;
138 @property(nonatomic, strong) FlutterBasicMessageChannel* systemChannel;
139 @property(nonatomic, strong) FlutterBasicMessageChannel* settingsChannel;
140 @property(nonatomic, strong) FlutterBasicMessageChannel* keyEventChannel;
141 @property(nonatomic, strong) FlutterMethodChannel* screenshotChannel;
142 
143 #pragma mark - Embedder API properties
144 
145 @property(nonatomic, assign) BOOL enableEmbedderAPI;
146 // Function pointers for interacting with the embedder.h API.
147 @property(nonatomic) FlutterEngineProcTable& embedderAPI;
148 
149 @end
150 
151 @implementation FlutterEngine {
152  std::shared_ptr<flutter::ThreadHost> _threadHost;
153  std::unique_ptr<flutter::Shell> _shell;
154 
156  std::shared_ptr<flutter::SamplingProfiler> _profiler;
157 
160  std::unique_ptr<flutter::ConnectionCollection> _connections;
161 }
162 
163 - (int64_t)engineIdentifier {
164  return reinterpret_cast<int64_t>((__bridge void*)self);
165 }
166 
167 - (instancetype)init {
168  return [self initWithName:@"FlutterEngine" project:nil allowHeadlessExecution:YES];
169 }
170 
171 - (instancetype)initWithName:(NSString*)labelPrefix {
172  return [self initWithName:labelPrefix project:nil allowHeadlessExecution:YES];
173 }
174 
175 - (instancetype)initWithName:(NSString*)labelPrefix project:(FlutterDartProject*)project {
176  return [self initWithName:labelPrefix project:project allowHeadlessExecution:YES];
177 }
178 
179 - (instancetype)initWithName:(NSString*)labelPrefix
180  project:(FlutterDartProject*)project
181  allowHeadlessExecution:(BOOL)allowHeadlessExecution {
182  return [self initWithName:labelPrefix
183  project:project
184  allowHeadlessExecution:allowHeadlessExecution
185  restorationEnabled:NO];
186 }
187 
188 - (instancetype)initWithName:(NSString*)labelPrefix
189  project:(FlutterDartProject*)project
190  allowHeadlessExecution:(BOOL)allowHeadlessExecution
191  restorationEnabled:(BOOL)restorationEnabled {
192  self = [super init];
193  NSAssert(self, @"Super init cannot be nil");
194  NSAssert(labelPrefix, @"labelPrefix is required");
195 
196  _restorationEnabled = restorationEnabled;
197  _allowHeadlessExecution = allowHeadlessExecution;
198  _labelPrefix = [labelPrefix copy];
199  _dartProject = project ?: [[FlutterDartProject alloc] init];
200 
201  _enableEmbedderAPI = _dartProject.settings.enable_embedder_api;
202  if (_enableEmbedderAPI) {
203  NSLog(@"============== iOS: enable_embedder_api is on ==============");
204  _embedderAPI.struct_size = sizeof(FlutterEngineProcTable);
205  FlutterEngineGetProcAddresses(&_embedderAPI);
206  }
207 
208  if (!EnableTracingIfNecessary(_dartProject.settings)) {
209  NSLog(
210  @"Cannot create a FlutterEngine instance in debug mode without Flutter tooling or "
211  @"Xcode.\n\nTo launch in debug mode in iOS 14+, run flutter run from Flutter tools, run "
212  @"from an IDE with a Flutter IDE plugin or run the iOS project from Xcode.\nAlternatively "
213  @"profile and release mode apps can be launched from the home screen.");
214  return nil;
215  }
216 
217  _pluginPublications = [[NSMutableDictionary alloc] init];
218  _registrars = [[NSMutableDictionary alloc] init];
219  [self recreatePlatformViewsController];
220  _binaryMessenger = [[FlutterBinaryMessengerRelay alloc] initWithParent:self];
221  _textureRegistry = [[FlutterTextureRegistryRelay alloc] initWithParent:self];
223 
224  NSNotificationCenter* center = [NSNotificationCenter defaultCenter];
225  [center addObserver:self
226  selector:@selector(onMemoryWarning:)
227  name:UIApplicationDidReceiveMemoryWarningNotification
228  object:nil];
229 
230 #if APPLICATION_EXTENSION_API_ONLY
231  if (@available(iOS 13.0, *)) {
232  [self setUpSceneLifecycleNotifications:center];
233  } else {
234  [self setUpApplicationLifecycleNotifications:center];
235  }
236 #else
237  [self setUpApplicationLifecycleNotifications:center];
238 #endif
239 
240  [center addObserver:self
241  selector:@selector(onLocaleUpdated:)
242  name:NSCurrentLocaleDidChangeNotification
243  object:nil];
244 
245  return self;
246 }
247 
248 + (FlutterEngine*)engineForIdentifier:(int64_t)identifier {
249  NSAssert([[NSThread currentThread] isMainThread], @"Must be called on the main thread.");
250  return (__bridge FlutterEngine*)reinterpret_cast<void*>(identifier);
251 }
252 
253 - (void)setUpSceneLifecycleNotifications:(NSNotificationCenter*)center API_AVAILABLE(ios(13.0)) {
254  [center addObserver:self
255  selector:@selector(sceneWillEnterForeground:)
256  name:UISceneWillEnterForegroundNotification
257  object:nil];
258  [center addObserver:self
259  selector:@selector(sceneDidEnterBackground:)
260  name:UISceneDidEnterBackgroundNotification
261  object:nil];
262 }
263 
264 - (void)setUpApplicationLifecycleNotifications:(NSNotificationCenter*)center {
265  [center addObserver:self
266  selector:@selector(applicationWillEnterForeground:)
267  name:UIApplicationWillEnterForegroundNotification
268  object:nil];
269  [center addObserver:self
270  selector:@selector(applicationDidEnterBackground:)
271  name:UIApplicationDidEnterBackgroundNotification
272  object:nil];
273 }
274 
275 - (void)recreatePlatformViewsController {
276  _renderingApi = flutter::GetRenderingAPIForProcess(/*force_software=*/false);
277  _platformViewsController = [[FlutterPlatformViewsController alloc] init];
278 }
279 
280 - (flutter::IOSRenderingAPI)platformViewsRenderingAPI {
281  return _renderingApi;
282 }
283 
284 - (void)dealloc {
285  /// Notify plugins of dealloc. This should happen first in dealloc since the
286  /// plugins may be talking to things like the binaryMessenger.
287  [_pluginPublications enumerateKeysAndObjectsUsingBlock:^(id key, id object, BOOL* stop) {
288  if ([object respondsToSelector:@selector(detachFromEngineForRegistrar:)]) {
289  NSObject<FlutterPluginRegistrar>* registrar = self.registrars[key];
290  [object detachFromEngineForRegistrar:registrar];
291  }
292  }];
293 
294  // nil out weak references.
295  // TODO(cbracken): https://github.com/flutter/flutter/issues/156222
296  // Ensure that FlutterEngineRegistrar is using weak pointers, then eliminate this code.
297  [_registrars
298  enumerateKeysAndObjectsUsingBlock:^(id key, FlutterEngineRegistrar* registrar, BOOL* stop) {
299  registrar.flutterEngine = nil;
300  }];
301 
302  _binaryMessenger.parent = nil;
303  _textureRegistry.parent = nil;
304 
305  NSNotificationCenter* center = [NSNotificationCenter defaultCenter];
306  if (_flutterViewControllerWillDeallocObserver) {
307  [center removeObserver:_flutterViewControllerWillDeallocObserver];
308  }
309  [center removeObserver:self];
310 }
311 
312 - (flutter::Shell&)shell {
313  FML_DCHECK(_shell);
314  return *_shell;
315 }
316 
317 - (void)updateViewportMetrics:(flutter::ViewportMetrics)viewportMetrics {
318  if (!self.platformView) {
319  return;
320  }
321  self.platformView->SetViewportMetrics(flutter::kFlutterImplicitViewId, viewportMetrics);
322 }
323 
324 - (void)dispatchPointerDataPacket:(std::unique_ptr<flutter::PointerDataPacket>)packet {
325  if (!self.platformView) {
326  return;
327  }
328  self.platformView->DispatchPointerDataPacket(std::move(packet));
329 }
330 
331 - (void)installFirstFrameCallback:(void (^)(void))block {
332  if (!self.platformView) {
333  return;
334  }
335 
336  __weak FlutterEngine* weakSelf = self;
337  self.platformView->SetNextFrameCallback([weakSelf, block] {
338  FlutterEngine* strongSelf = weakSelf;
339  if (!strongSelf) {
340  return;
341  }
342  FML_DCHECK(strongSelf.platformTaskRunner);
343  FML_DCHECK(strongSelf.rasterTaskRunner);
344  FML_DCHECK(strongSelf.rasterTaskRunner->RunsTasksOnCurrentThread());
345  // Get callback on raster thread and jump back to platform thread.
346  strongSelf.platformTaskRunner->PostTask([block]() { block(); });
347  });
348 }
349 
350 - (void)enableSemantics:(BOOL)enabled withFlags:(int64_t)flags {
351  if (!self.platformView) {
352  return;
353  }
354  self.platformView->SetSemanticsEnabled(enabled);
355  self.platformView->SetAccessibilityFeatures(flags);
356 }
357 
358 - (void)notifyViewCreated {
359  if (!self.platformView) {
360  return;
361  }
362  self.platformView->NotifyCreated();
363 }
364 
365 - (void)notifyViewDestroyed {
366  if (!self.platformView) {
367  return;
368  }
369  self.platformView->NotifyDestroyed();
370 }
371 
372 - (flutter::PlatformViewIOS*)platformView {
373  if (!_shell) {
374  return nullptr;
375  }
376  return static_cast<flutter::PlatformViewIOS*>(_shell->GetPlatformView().get());
377 }
378 
379 - (fml::RefPtr<fml::TaskRunner>)platformTaskRunner {
380  if (!_shell) {
381  return {};
382  }
383  return _shell->GetTaskRunners().GetPlatformTaskRunner();
384 }
385 
386 - (fml::RefPtr<fml::TaskRunner>)uiTaskRunner {
387  if (!_shell) {
388  return {};
389  }
390  return _shell->GetTaskRunners().GetUITaskRunner();
391 }
392 
393 - (fml::RefPtr<fml::TaskRunner>)rasterTaskRunner {
394  if (!_shell) {
395  return {};
396  }
397  return _shell->GetTaskRunners().GetRasterTaskRunner();
398 }
399 
400 - (void)sendKeyEvent:(const FlutterKeyEvent&)event
401  callback:(FlutterKeyEventCallback)callback
402  userData:(void*)userData API_AVAILABLE(ios(13.4)) {
403  if (@available(iOS 13.4, *)) {
404  } else {
405  return;
406  }
407  if (!self.platformView) {
408  return;
409  }
410  const char* character = event.character;
411 
412  flutter::KeyData key_data;
413  key_data.Clear();
414  key_data.timestamp = (uint64_t)event.timestamp;
415  switch (event.type) {
416  case kFlutterKeyEventTypeUp:
417  key_data.type = flutter::KeyEventType::kUp;
418  break;
419  case kFlutterKeyEventTypeDown:
420  key_data.type = flutter::KeyEventType::kDown;
421  break;
422  case kFlutterKeyEventTypeRepeat:
423  key_data.type = flutter::KeyEventType::kRepeat;
424  break;
425  }
426  key_data.physical = event.physical;
427  key_data.logical = event.logical;
428  key_data.synthesized = event.synthesized;
429 
430  auto packet = std::make_unique<flutter::KeyDataPacket>(key_data, character);
431  NSData* message = [NSData dataWithBytes:packet->data().data() length:packet->data().size()];
432 
433  auto response = ^(NSData* reply) {
434  if (callback == nullptr) {
435  return;
436  }
437  BOOL handled = FALSE;
438  if (reply.length == 1 && *reinterpret_cast<const uint8_t*>(reply.bytes) == 1) {
439  handled = TRUE;
440  }
441  callback(handled, userData);
442  };
443 
444  [self sendOnChannel:kFlutterKeyDataChannel message:message binaryReply:response];
445 }
446 
447 - (void)ensureSemanticsEnabled {
448  if (!self.platformView) {
449  return;
450  }
451  self.platformView->SetSemanticsEnabled(true);
452 }
453 
454 - (void)setViewController:(FlutterViewController*)viewController {
455  FML_DCHECK(self.platformView);
456  _viewController = viewController;
457  self.platformView->SetOwnerViewController(_viewController);
458  [self maybeSetupPlatformViewChannels];
459  [self updateDisplays];
460  self.textInputPlugin.viewController = viewController;
461 
462  if (viewController) {
463  __weak __block FlutterEngine* weakSelf = self;
464  self.flutterViewControllerWillDeallocObserver =
465  [[NSNotificationCenter defaultCenter] addObserverForName:FlutterViewControllerWillDealloc
466  object:viewController
467  queue:[NSOperationQueue mainQueue]
468  usingBlock:^(NSNotification* note) {
469  [weakSelf notifyViewControllerDeallocated];
470  }];
471  } else {
472  self.flutterViewControllerWillDeallocObserver = nil;
473  [self notifyLowMemory];
474  }
475 }
476 
477 - (void)attachView {
478  FML_DCHECK(self.platformView);
479  self.platformView->attachView();
480 }
481 
482 - (void)setFlutterViewControllerWillDeallocObserver:(id<NSObject>)observer {
483  if (observer != _flutterViewControllerWillDeallocObserver) {
484  if (_flutterViewControllerWillDeallocObserver) {
485  [[NSNotificationCenter defaultCenter]
486  removeObserver:_flutterViewControllerWillDeallocObserver];
487  }
488  _flutterViewControllerWillDeallocObserver = observer;
489  }
490 }
491 
492 - (void)notifyViewControllerDeallocated {
493  [self.lifecycleChannel sendMessage:@"AppLifecycleState.detached"];
494  self.textInputPlugin.viewController = nil;
495  if (!self.allowHeadlessExecution) {
496  [self destroyContext];
497  } else if (self.platformView) {
498  self.platformView->SetOwnerViewController({});
499  }
500  [self.textInputPlugin resetViewResponder];
501  _viewController = nil;
502 }
503 
504 - (void)destroyContext {
505  [self resetChannels];
506  self.isolateId = nil;
507  _shell.reset();
508  _profiler.reset();
509  _threadHost.reset();
510  _platformViewsController = nil;
511 }
512 
513 - (NSURL*)observatoryUrl {
514  return self.publisher.url;
515 }
516 
517 - (NSURL*)vmServiceUrl {
518  return self.publisher.url;
519 }
520 
521 - (void)resetChannels {
522  self.localizationChannel = nil;
523  self.navigationChannel = nil;
524  self.restorationChannel = nil;
525  self.platformChannel = nil;
526  self.platformViewsChannel = nil;
527  self.textInputChannel = nil;
528  self.undoManagerChannel = nil;
529  self.scribbleChannel = nil;
530  self.lifecycleChannel = nil;
531  self.systemChannel = nil;
532  self.settingsChannel = nil;
533  self.keyEventChannel = nil;
534  self.spellCheckChannel = nil;
535 }
536 
537 - (void)startProfiler {
538  FML_DCHECK(!_threadHost->name_prefix.empty());
539  _profiler = std::make_shared<flutter::SamplingProfiler>(
540  _threadHost->name_prefix.c_str(), _threadHost->profiler_thread->GetTaskRunner(),
541  []() {
542  flutter::ProfilerMetricsIOS profiler_metrics;
543  return profiler_metrics.GenerateSample();
544  },
546  _profiler->Start();
547 }
548 
549 // If you add a channel, be sure to also update `resetChannels`.
550 // Channels get a reference to the engine, and therefore need manual
551 // cleanup for proper collection.
552 - (void)setUpChannels {
553  // This will be invoked once the shell is done setting up and the isolate ID
554  // for the UI isolate is available.
555  __weak FlutterEngine* weakSelf = self;
556  [_binaryMessenger setMessageHandlerOnChannel:@"flutter/isolate"
557  binaryMessageHandler:^(NSData* message, FlutterBinaryReply reply) {
558  if (weakSelf) {
559  weakSelf.isolateId =
560  [[FlutterStringCodec sharedInstance] decode:message];
561  }
562  }];
563 
564  self.localizationChannel =
565  [[FlutterMethodChannel alloc] initWithName:@"flutter/localization"
566  binaryMessenger:self.binaryMessenger
567  codec:[FlutterJSONMethodCodec sharedInstance]];
568 
569  self.navigationChannel =
570  [[FlutterMethodChannel alloc] initWithName:@"flutter/navigation"
571  binaryMessenger:self.binaryMessenger
572  codec:[FlutterJSONMethodCodec sharedInstance]];
573 
574  if ([_initialRoute length] > 0) {
575  // Flutter isn't ready to receive this method call yet but the channel buffer will cache this.
576  [self.navigationChannel invokeMethod:@"setInitialRoute" arguments:_initialRoute];
577  _initialRoute = nil;
578  }
579 
580  self.restorationChannel =
581  [[FlutterMethodChannel alloc] initWithName:@"flutter/restoration"
582  binaryMessenger:self.binaryMessenger
583  codec:[FlutterStandardMethodCodec sharedInstance]];
584 
585  self.platformChannel =
586  [[FlutterMethodChannel alloc] initWithName:@"flutter/platform"
587  binaryMessenger:self.binaryMessenger
588  codec:[FlutterJSONMethodCodec sharedInstance]];
589 
590  self.platformViewsChannel =
591  [[FlutterMethodChannel alloc] initWithName:@"flutter/platform_views"
592  binaryMessenger:self.binaryMessenger
593  codec:[FlutterStandardMethodCodec sharedInstance]];
594 
595  self.textInputChannel =
596  [[FlutterMethodChannel alloc] initWithName:@"flutter/textinput"
597  binaryMessenger:self.binaryMessenger
598  codec:[FlutterJSONMethodCodec sharedInstance]];
599 
600  self.undoManagerChannel =
601  [[FlutterMethodChannel alloc] initWithName:@"flutter/undomanager"
602  binaryMessenger:self.binaryMessenger
603  codec:[FlutterJSONMethodCodec sharedInstance]];
604 
605  self.scribbleChannel =
606  [[FlutterMethodChannel alloc] initWithName:@"flutter/scribble"
607  binaryMessenger:self.binaryMessenger
608  codec:[FlutterJSONMethodCodec sharedInstance]];
609 
610  self.spellCheckChannel =
611  [[FlutterMethodChannel alloc] initWithName:@"flutter/spellcheck"
612  binaryMessenger:self.binaryMessenger
613  codec:[FlutterStandardMethodCodec sharedInstance]];
614 
615  self.lifecycleChannel =
616  [[FlutterBasicMessageChannel alloc] initWithName:@"flutter/lifecycle"
617  binaryMessenger:self.binaryMessenger
619 
620  self.systemChannel =
621  [[FlutterBasicMessageChannel alloc] initWithName:@"flutter/system"
622  binaryMessenger:self.binaryMessenger
624 
625  self.settingsChannel =
626  [[FlutterBasicMessageChannel alloc] initWithName:@"flutter/settings"
627  binaryMessenger:self.binaryMessenger
629 
630  self.keyEventChannel =
631  [[FlutterBasicMessageChannel alloc] initWithName:@"flutter/keyevent"
632  binaryMessenger:self.binaryMessenger
634 
635  self.textInputPlugin = [[FlutterTextInputPlugin alloc] initWithDelegate:self];
636  self.textInputPlugin.indirectScribbleDelegate = self;
637  [self.textInputPlugin setUpIndirectScribbleInteraction:self.viewController];
638 
639  self.undoManagerPlugin = [[FlutterUndoManagerPlugin alloc] initWithDelegate:self];
640  self.platformPlugin = [[FlutterPlatformPlugin alloc] initWithEngine:self];
641 
642  self.restorationPlugin =
643  [[FlutterRestorationPlugin alloc] initWithChannel:self.restorationChannel
644  restorationEnabled:self.restorationEnabled];
645  self.spellCheckPlugin = [[FlutterSpellCheckPlugin alloc] init];
646 
647  self.screenshotChannel =
648  [[FlutterMethodChannel alloc] initWithName:@"flutter/screenshot"
649  binaryMessenger:self.binaryMessenger
650  codec:[FlutterStandardMethodCodec sharedInstance]];
651 
652  [self.screenshotChannel setMethodCallHandler:^(FlutterMethodCall* _Nonnull call,
653  FlutterResult _Nonnull result) {
654  FlutterEngine* strongSelf = weakSelf;
655  if (!(strongSelf && strongSelf->_shell && strongSelf->_shell->IsSetup())) {
656  return result([FlutterError
657  errorWithCode:@"invalid_state"
658  message:@"Requesting screenshot while engine is not running."
659  details:nil]);
660  }
661  flutter::Rasterizer::Screenshot screenshot =
662  [strongSelf screenshot:flutter::Rasterizer::ScreenshotType::SurfaceData base64Encode:NO];
663  if (!screenshot.data) {
664  return result([FlutterError errorWithCode:@"failure"
665  message:@"Unable to get screenshot."
666  details:nil]);
667  }
668  // TODO(gaaclarke): Find way to eliminate this data copy.
669  NSData* data = [NSData dataWithBytes:screenshot.data->writable_data()
670  length:screenshot.data->size()];
671  NSString* format = [NSString stringWithUTF8String:screenshot.format.c_str()];
672  NSNumber* width = @(screenshot.frame_size.fWidth);
673  NSNumber* height = @(screenshot.frame_size.fHeight);
674  return result(@[ width, height, format ?: [NSNull null], data ]);
675  }];
676 }
677 
678 - (void)maybeSetupPlatformViewChannels {
679  if (_shell && self.shell.IsSetup()) {
680  __weak FlutterEngine* weakSelf = self;
681 
682  [self.platformChannel setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
683  [weakSelf.platformPlugin handleMethodCall:call result:result];
684  }];
685 
686  [self.platformViewsChannel
687  setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
688  if (weakSelf) {
689  [weakSelf.platformViewsController onMethodCall:call result:result];
690  }
691  }];
692 
693  [self.textInputChannel setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
694  [weakSelf.textInputPlugin handleMethodCall:call result:result];
695  }];
696 
697  [self.undoManagerChannel setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
698  [weakSelf.undoManagerPlugin handleMethodCall:call result:result];
699  }];
700 
701  [self.spellCheckChannel setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
702  [weakSelf.spellCheckPlugin handleMethodCall:call result:result];
703  }];
704  }
705 }
706 
707 - (flutter::Rasterizer::Screenshot)screenshot:(flutter::Rasterizer::ScreenshotType)type
708  base64Encode:(bool)base64Encode {
709  return self.shell.Screenshot(type, base64Encode);
710 }
711 
712 - (void)launchEngine:(NSString*)entrypoint
713  libraryURI:(NSString*)libraryOrNil
714  entrypointArgs:(NSArray<NSString*>*)entrypointArgs {
715  // Launch the Dart application with the inferred run configuration.
716  flutter::RunConfiguration configuration =
717  [self.dartProject runConfigurationForEntrypoint:entrypoint
718  libraryOrNil:libraryOrNil
719  entrypointArgs:entrypointArgs];
720 
721  configuration.SetEngineId(self.engineIdentifier);
722  self.shell.RunEngine(std::move(configuration));
723 }
724 
725 - (void)setUpShell:(std::unique_ptr<flutter::Shell>)shell
726  withVMServicePublication:(BOOL)doesVMServicePublication {
727  _shell = std::move(shell);
728  [self setUpChannels];
729  [self onLocaleUpdated:nil];
730  [self updateDisplays];
731  self.publisher = [[FlutterDartVMServicePublisher alloc]
732  initWithEnableVMServicePublication:doesVMServicePublication];
733  [self maybeSetupPlatformViewChannels];
734  _shell->SetGpuAvailability(_isGpuDisabled ? flutter::GpuAvailability::kUnavailable
735  : flutter::GpuAvailability::kAvailable);
736 }
737 
738 + (BOOL)isProfilerEnabled {
739  bool profilerEnabled = false;
740 #if (FLUTTER_RUNTIME_MODE == FLUTTER_RUNTIME_MODE_DEBUG) || \
741  (FLUTTER_RUNTIME_MODE == FLUTTER_RUNTIME_MODE_PROFILE)
742  profilerEnabled = true;
743 #endif
744  return profilerEnabled;
745 }
746 
747 + (NSString*)generateThreadLabel:(NSString*)labelPrefix {
748  static size_t s_shellCount = 0;
749  return [NSString stringWithFormat:@"%@.%zu", labelPrefix, ++s_shellCount];
750 }
751 
752 static flutter::ThreadHost MakeThreadHost(NSString* thread_label,
753  const flutter::Settings& settings) {
754  // The current thread will be used as the platform thread. Ensure that the message loop is
755  // initialized.
756  fml::MessageLoop::EnsureInitializedForCurrentThread();
757 
758  uint32_t threadHostType = flutter::ThreadHost::Type::kRaster | flutter::ThreadHost::Type::kIo;
759  if (!settings.merged_platform_ui_thread) {
760  threadHostType |= flutter::ThreadHost::Type::kUi;
761  }
762 
763  if ([FlutterEngine isProfilerEnabled]) {
764  threadHostType = threadHostType | flutter::ThreadHost::Type::kProfiler;
765  }
766 
767  flutter::ThreadHost::ThreadHostConfig host_config(thread_label.UTF8String, threadHostType,
769 
770  host_config.ui_config =
771  fml::Thread::ThreadConfig(flutter::ThreadHost::ThreadHostConfig::MakeThreadName(
772  flutter::ThreadHost::Type::kUi, thread_label.UTF8String),
773  fml::Thread::ThreadPriority::kDisplay);
774  host_config.raster_config =
775  fml::Thread::ThreadConfig(flutter::ThreadHost::ThreadHostConfig::MakeThreadName(
776  flutter::ThreadHost::Type::kRaster, thread_label.UTF8String),
777  fml::Thread::ThreadPriority::kRaster);
778 
779  host_config.io_config =
780  fml::Thread::ThreadConfig(flutter::ThreadHost::ThreadHostConfig::MakeThreadName(
781  flutter::ThreadHost::Type::kIo, thread_label.UTF8String),
782  fml::Thread::ThreadPriority::kNormal);
783 
784  return (flutter::ThreadHost){host_config};
785 }
786 
787 static void SetEntryPoint(flutter::Settings* settings, NSString* entrypoint, NSString* libraryURI) {
788  if (libraryURI) {
789  FML_DCHECK(entrypoint) << "Must specify entrypoint if specifying library";
790  settings->advisory_script_entrypoint = entrypoint.UTF8String;
791  settings->advisory_script_uri = libraryURI.UTF8String;
792  } else if (entrypoint) {
793  settings->advisory_script_entrypoint = entrypoint.UTF8String;
794  settings->advisory_script_uri = std::string("main.dart");
795  } else {
796  settings->advisory_script_entrypoint = std::string("main");
797  settings->advisory_script_uri = std::string("main.dart");
798  }
799 }
800 
801 - (BOOL)createShell:(NSString*)entrypoint
802  libraryURI:(NSString*)libraryURI
803  initialRoute:(NSString*)initialRoute {
804  if (_shell != nullptr) {
805  FML_LOG(WARNING) << "This FlutterEngine was already invoked.";
806  return NO;
807  }
808 
809  self.initialRoute = initialRoute;
810 
811  auto settings = [self.dartProject settings];
812  if (initialRoute != nil) {
813  self.initialRoute = initialRoute;
814  } else if (settings.route.empty() == false) {
815  self.initialRoute = [NSString stringWithUTF8String:settings.route.c_str()];
816  }
817 
818  auto platformData = [self.dartProject defaultPlatformData];
819 
820  SetEntryPoint(&settings, entrypoint, libraryURI);
821 
822  NSString* threadLabel = [FlutterEngine generateThreadLabel:self.labelPrefix];
823  _threadHost = std::make_shared<flutter::ThreadHost>();
824  *_threadHost = MakeThreadHost(threadLabel, settings);
825 
826  __weak FlutterEngine* weakSelf = self;
827  flutter::Shell::CreateCallback<flutter::PlatformView> on_create_platform_view =
828  [weakSelf](flutter::Shell& shell) {
829  FlutterEngine* strongSelf = weakSelf;
830  if (!strongSelf) {
831  return std::unique_ptr<flutter::PlatformViewIOS>();
832  }
833  [strongSelf recreatePlatformViewsController];
834  strongSelf.platformViewsController.taskRunner =
835  shell.GetTaskRunners().GetPlatformTaskRunner();
836  return std::make_unique<flutter::PlatformViewIOS>(
837  shell, strongSelf->_renderingApi, strongSelf.platformViewsController,
838  shell.GetTaskRunners(), shell.GetConcurrentWorkerTaskRunner(),
839  shell.GetIsGpuDisabledSyncSwitch());
840  };
841 
842  flutter::Shell::CreateCallback<flutter::Rasterizer> on_create_rasterizer =
843  [](flutter::Shell& shell) { return std::make_unique<flutter::Rasterizer>(shell); };
844 
845  fml::RefPtr<fml::TaskRunner> ui_runner;
846  if (settings.enable_impeller && settings.merged_platform_ui_thread) {
847  ui_runner = fml::MessageLoop::GetCurrent().GetTaskRunner();
848  } else {
849  ui_runner = _threadHost->ui_thread->GetTaskRunner();
850  }
851  flutter::TaskRunners task_runners(threadLabel.UTF8String, // label
852  fml::MessageLoop::GetCurrent().GetTaskRunner(), // platform
853  _threadHost->raster_thread->GetTaskRunner(), // raster
854  ui_runner, // ui
855  _threadHost->io_thread->GetTaskRunner() // io
856  );
857 
858 #if APPLICATION_EXTENSION_API_ONLY
859  if (@available(iOS 13.0, *)) {
860  _isGpuDisabled = self.viewController.flutterWindowSceneIfViewLoaded.activationState ==
861  UISceneActivationStateBackground;
862  } else {
863  // [UIApplication sharedApplication API is not available for app extension.
864  // We intialize the shell assuming the GPU is required.
865  _isGpuDisabled = NO;
866  }
867 #else
868  _isGpuDisabled =
869  [UIApplication sharedApplication].applicationState == UIApplicationStateBackground;
870 #endif
871 
872  // Create the shell. This is a blocking operation.
873  std::unique_ptr<flutter::Shell> shell = flutter::Shell::Create(
874  /*platform_data=*/platformData,
875  /*task_runners=*/task_runners,
876  /*settings=*/settings,
877  /*on_create_platform_view=*/on_create_platform_view,
878  /*on_create_rasterizer=*/on_create_rasterizer,
879  /*is_gpu_disabled=*/_isGpuDisabled);
880 
881  if (shell == nullptr) {
882  FML_LOG(ERROR) << "Could not start a shell FlutterEngine with entrypoint: "
883  << entrypoint.UTF8String;
884  } else {
885  // TODO(vashworth): Remove once done debugging https://github.com/flutter/flutter/issues/129836
886  FML_LOG(INFO) << "Enabled VM Service Publication: " << settings.enable_vm_service_publication;
887  [self setUpShell:std::move(shell)
888  withVMServicePublication:settings.enable_vm_service_publication];
889  if ([FlutterEngine isProfilerEnabled]) {
890  [self startProfiler];
891  }
892  }
893 
894  return _shell != nullptr;
895 }
896 
897 - (void)updateDisplays {
898  if (!_shell) {
899  // Tests may do this.
900  return;
901  }
902  auto vsync_waiter = _shell->GetVsyncWaiter().lock();
903  auto vsync_waiter_ios = std::static_pointer_cast<flutter::VsyncWaiterIOS>(vsync_waiter);
904  std::vector<std::unique_ptr<flutter::Display>> displays;
905  auto screen_size = UIScreen.mainScreen.nativeBounds.size;
906  auto scale = UIScreen.mainScreen.scale;
907  displays.push_back(std::make_unique<flutter::VariableRefreshRateDisplay>(
908  0, vsync_waiter_ios, screen_size.width, screen_size.height, scale));
909  _shell->OnDisplayUpdates(std::move(displays));
910 }
911 
912 - (BOOL)run {
913  return [self runWithEntrypoint:FlutterDefaultDartEntrypoint
914  libraryURI:nil
915  initialRoute:FlutterDefaultInitialRoute];
916 }
917 
918 - (BOOL)runWithEntrypoint:(NSString*)entrypoint libraryURI:(NSString*)libraryURI {
919  return [self runWithEntrypoint:entrypoint
920  libraryURI:libraryURI
921  initialRoute:FlutterDefaultInitialRoute];
922 }
923 
924 - (BOOL)runWithEntrypoint:(NSString*)entrypoint {
925  return [self runWithEntrypoint:entrypoint libraryURI:nil initialRoute:FlutterDefaultInitialRoute];
926 }
927 
928 - (BOOL)runWithEntrypoint:(NSString*)entrypoint initialRoute:(NSString*)initialRoute {
929  return [self runWithEntrypoint:entrypoint libraryURI:nil initialRoute:initialRoute];
930 }
931 
932 - (BOOL)runWithEntrypoint:(NSString*)entrypoint
933  libraryURI:(NSString*)libraryURI
934  initialRoute:(NSString*)initialRoute {
935  return [self runWithEntrypoint:entrypoint
936  libraryURI:libraryURI
937  initialRoute:initialRoute
938  entrypointArgs:nil];
939 }
940 
941 - (BOOL)runWithEntrypoint:(NSString*)entrypoint
942  libraryURI:(NSString*)libraryURI
943  initialRoute:(NSString*)initialRoute
944  entrypointArgs:(NSArray<NSString*>*)entrypointArgs {
945  if ([self createShell:entrypoint libraryURI:libraryURI initialRoute:initialRoute]) {
946  [self launchEngine:entrypoint libraryURI:libraryURI entrypointArgs:entrypointArgs];
947  }
948 
949  return _shell != nullptr;
950 }
951 
952 - (void)notifyLowMemory {
953  if (_shell) {
954  _shell->NotifyLowMemoryWarning();
955  }
956  [self.systemChannel sendMessage:@{@"type" : @"memoryPressure"}];
957 }
958 
959 #pragma mark - Text input delegate
960 
961 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
962  updateEditingClient:(int)client
963  withState:(NSDictionary*)state {
964  [self.textInputChannel invokeMethod:@"TextInputClient.updateEditingState"
965  arguments:@[ @(client), state ]];
966 }
967 
968 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
969  updateEditingClient:(int)client
970  withState:(NSDictionary*)state
971  withTag:(NSString*)tag {
972  [self.textInputChannel invokeMethod:@"TextInputClient.updateEditingStateWithTag"
973  arguments:@[ @(client), @{tag : state} ]];
974 }
975 
976 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
977  updateEditingClient:(int)client
978  withDelta:(NSDictionary*)delta {
979  [self.textInputChannel invokeMethod:@"TextInputClient.updateEditingStateWithDeltas"
980  arguments:@[ @(client), delta ]];
981 }
982 
983 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
984  updateFloatingCursor:(FlutterFloatingCursorDragState)state
985  withClient:(int)client
986  withPosition:(NSDictionary*)position {
987  NSString* stateString;
988  switch (state) {
989  case FlutterFloatingCursorDragStateStart:
990  stateString = @"FloatingCursorDragState.start";
991  break;
992  case FlutterFloatingCursorDragStateUpdate:
993  stateString = @"FloatingCursorDragState.update";
994  break;
995  case FlutterFloatingCursorDragStateEnd:
996  stateString = @"FloatingCursorDragState.end";
997  break;
998  }
999  [self.textInputChannel invokeMethod:@"TextInputClient.updateFloatingCursor"
1000  arguments:@[ @(client), stateString, position ]];
1001 }
1002 
1003 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1004  performAction:(FlutterTextInputAction)action
1005  withClient:(int)client {
1006  NSString* actionString;
1007  switch (action) {
1008  case FlutterTextInputActionUnspecified:
1009  // Where did the term "unspecified" come from? iOS has a "default" and Android
1010  // has "unspecified." These 2 terms seem to mean the same thing but we need
1011  // to pick just one. "unspecified" was chosen because "default" is often a
1012  // reserved word in languages with switch statements (dart, java, etc).
1013  actionString = @"TextInputAction.unspecified";
1014  break;
1015  case FlutterTextInputActionDone:
1016  actionString = @"TextInputAction.done";
1017  break;
1018  case FlutterTextInputActionGo:
1019  actionString = @"TextInputAction.go";
1020  break;
1021  case FlutterTextInputActionSend:
1022  actionString = @"TextInputAction.send";
1023  break;
1024  case FlutterTextInputActionSearch:
1025  actionString = @"TextInputAction.search";
1026  break;
1027  case FlutterTextInputActionNext:
1028  actionString = @"TextInputAction.next";
1029  break;
1030  case FlutterTextInputActionContinue:
1031  actionString = @"TextInputAction.continueAction";
1032  break;
1033  case FlutterTextInputActionJoin:
1034  actionString = @"TextInputAction.join";
1035  break;
1036  case FlutterTextInputActionRoute:
1037  actionString = @"TextInputAction.route";
1038  break;
1039  case FlutterTextInputActionEmergencyCall:
1040  actionString = @"TextInputAction.emergencyCall";
1041  break;
1042  case FlutterTextInputActionNewline:
1043  actionString = @"TextInputAction.newline";
1044  break;
1045  }
1046  [self.textInputChannel invokeMethod:@"TextInputClient.performAction"
1047  arguments:@[ @(client), actionString ]];
1048 }
1049 
1050 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1051  showAutocorrectionPromptRectForStart:(NSUInteger)start
1052  end:(NSUInteger)end
1053  withClient:(int)client {
1054  [self.textInputChannel invokeMethod:@"TextInputClient.showAutocorrectionPromptRect"
1055  arguments:@[ @(client), @(start), @(end) ]];
1056 }
1057 
1058 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1059  willDismissEditMenuWithTextInputClient:(int)client {
1060  [self.platformChannel invokeMethod:@"ContextMenu.onDismissSystemContextMenu"
1061  arguments:@[ @(client) ]];
1062 }
1063 
1064 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1065  shareSelectedText:(NSString*)selectedText {
1066  [self.platformPlugin showShareViewController:selectedText];
1067 }
1068 
1069 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1070  searchWebWithSelectedText:(NSString*)selectedText {
1071  [self.platformPlugin searchWeb:selectedText];
1072 }
1073 
1074 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1075  lookUpSelectedText:(NSString*)selectedText {
1076  [self.platformPlugin showLookUpViewController:selectedText];
1077 }
1078 
1079 #pragma mark - FlutterViewEngineDelegate
1080 
1081 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView showToolbar:(int)client {
1082  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1083  // the framework has finished transitioning to the Scribble channel.
1084  // https://github.com/flutter/flutter/pull/115296
1085  [self.textInputChannel invokeMethod:@"TextInputClient.showToolbar" arguments:@[ @(client) ]];
1086 }
1087 
1088 - (void)flutterTextInputPlugin:(FlutterTextInputPlugin*)textInputPlugin
1089  focusElement:(UIScribbleElementIdentifier)elementIdentifier
1090  atPoint:(CGPoint)referencePoint
1091  result:(FlutterResult)callback {
1092  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1093  // the framework has finished transitioning to the Scribble channel.
1094  // https://github.com/flutter/flutter/pull/115296
1095  [self.textInputChannel
1096  invokeMethod:@"TextInputClient.focusElement"
1097  arguments:@[ elementIdentifier, @(referencePoint.x), @(referencePoint.y) ]
1098  result:callback];
1099 }
1100 
1101 - (void)flutterTextInputPlugin:(FlutterTextInputPlugin*)textInputPlugin
1102  requestElementsInRect:(CGRect)rect
1103  result:(FlutterResult)callback {
1104  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1105  // the framework has finished transitioning to the Scribble channel.
1106  // https://github.com/flutter/flutter/pull/115296
1107  [self.textInputChannel
1108  invokeMethod:@"TextInputClient.requestElementsInRect"
1109  arguments:@[ @(rect.origin.x), @(rect.origin.y), @(rect.size.width), @(rect.size.height) ]
1110  result:callback];
1111 }
1112 
1113 - (void)flutterTextInputViewScribbleInteractionBegan:(FlutterTextInputView*)textInputView {
1114  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1115  // the framework has finished transitioning to the Scribble channel.
1116  // https://github.com/flutter/flutter/pull/115296
1117  [self.textInputChannel invokeMethod:@"TextInputClient.scribbleInteractionBegan" arguments:nil];
1118 }
1119 
1120 - (void)flutterTextInputViewScribbleInteractionFinished:(FlutterTextInputView*)textInputView {
1121  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1122  // the framework has finished transitioning to the Scribble channel.
1123  // https://github.com/flutter/flutter/pull/115296
1124  [self.textInputChannel invokeMethod:@"TextInputClient.scribbleInteractionFinished" arguments:nil];
1125 }
1126 
1127 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1128  insertTextPlaceholderWithSize:(CGSize)size
1129  withClient:(int)client {
1130  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1131  // the framework has finished transitioning to the Scribble channel.
1132  // https://github.com/flutter/flutter/pull/115296
1133  [self.textInputChannel invokeMethod:@"TextInputClient.insertTextPlaceholder"
1134  arguments:@[ @(client), @(size.width), @(size.height) ]];
1135 }
1136 
1137 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1138  removeTextPlaceholder:(int)client {
1139  // TODO(justinmc): Switch from the TextInputClient to Scribble channel when
1140  // the framework has finished transitioning to the Scribble channel.
1141  // https://github.com/flutter/flutter/pull/115296
1142  [self.textInputChannel invokeMethod:@"TextInputClient.removeTextPlaceholder"
1143  arguments:@[ @(client) ]];
1144 }
1145 
1146 - (void)flutterTextInputView:(FlutterTextInputView*)textInputView
1147  didResignFirstResponderWithTextInputClient:(int)client {
1148  // When flutter text input view resign first responder, send a message to
1149  // framework to ensure the focus state is correct. This is useful when close
1150  // keyboard from platform side.
1151  [self.textInputChannel invokeMethod:@"TextInputClient.onConnectionClosed"
1152  arguments:@[ @(client) ]];
1153 
1154  // Platform view's first responder detection logic:
1155  //
1156  // All text input widgets (e.g. EditableText) are backed by a dummy UITextInput view
1157  // in the TextInputPlugin. When this dummy UITextInput view resigns first responder,
1158  // check if any platform view becomes first responder. If any platform view becomes
1159  // first responder, send a "viewFocused" channel message to inform the framework to un-focus
1160  // the previously focused text input.
1161  //
1162  // Caveat:
1163  // 1. This detection logic does not cover the scenario when a platform view becomes
1164  // first responder without any flutter text input resigning its first responder status
1165  // (e.g. user tapping on platform view first). For now it works fine because the TextInputPlugin
1166  // does not track the focused platform view id (which is different from Android implementation).
1167  //
1168  // 2. This detection logic assumes that all text input widgets are backed by a dummy
1169  // UITextInput view in the TextInputPlugin, which may not hold true in the future.
1170 
1171  // Have to check in the next run loop, because iOS requests the previous first responder to
1172  // resign before requesting the next view to become first responder.
1173  dispatch_async(dispatch_get_main_queue(), ^(void) {
1174  long platform_view_id = [self.platformViewsController firstResponderPlatformViewId];
1175  if (platform_view_id == -1) {
1176  return;
1177  }
1178 
1179  [self.platformViewsChannel invokeMethod:@"viewFocused" arguments:@(platform_view_id)];
1180  });
1181 }
1182 
1183 #pragma mark - Undo Manager Delegate
1184 
1185 - (void)handleUndoWithDirection:(FlutterUndoRedoDirection)direction {
1186  NSString* action = (direction == FlutterUndoRedoDirectionUndo) ? @"undo" : @"redo";
1187  [self.undoManagerChannel invokeMethod:@"UndoManagerClient.handleUndo" arguments:@[ action ]];
1188 }
1189 
1190 - (UIView<UITextInput>*)activeTextInputView {
1191  return [[self textInputPlugin] textInputView];
1192 }
1193 
1194 - (NSUndoManager*)undoManager {
1195  return self.viewController.undoManager;
1196 }
1197 
1198 #pragma mark - Screenshot Delegate
1199 
1200 - (flutter::Rasterizer::Screenshot)takeScreenshot:(flutter::Rasterizer::ScreenshotType)type
1201  asBase64Encoded:(BOOL)base64Encode {
1202  FML_DCHECK(_shell) << "Cannot takeScreenshot without a shell";
1203  return _shell->Screenshot(type, base64Encode);
1204 }
1205 
1206 - (void)flutterViewAccessibilityDidCall {
1207  if (self.viewController.view.accessibilityElements == nil) {
1208  [self ensureSemanticsEnabled];
1209  }
1210 }
1211 
1212 - (NSObject<FlutterBinaryMessenger>*)binaryMessenger {
1213  return _binaryMessenger;
1214 }
1215 
1216 - (NSObject<FlutterTextureRegistry>*)textureRegistry {
1217  return _textureRegistry;
1218 }
1219 
1220 // For test only. Ideally we should create a dependency injector for all dependencies and
1221 // remove this.
1222 - (void)setBinaryMessenger:(FlutterBinaryMessengerRelay*)binaryMessenger {
1223  // Discard the previous messenger and keep the new one.
1224  if (binaryMessenger != _binaryMessenger) {
1225  _binaryMessenger.parent = nil;
1226  _binaryMessenger = binaryMessenger;
1227  }
1228 }
1229 
1230 #pragma mark - FlutterBinaryMessenger
1231 
1232 - (void)sendOnChannel:(NSString*)channel message:(NSData*)message {
1233  [self sendOnChannel:channel message:message binaryReply:nil];
1234 }
1235 
1236 - (void)sendOnChannel:(NSString*)channel
1237  message:(NSData*)message
1238  binaryReply:(FlutterBinaryReply)callback {
1239  NSParameterAssert(channel);
1240  NSAssert(_shell && _shell->IsSetup(),
1241  @"Sending a message before the FlutterEngine has been run.");
1242  fml::RefPtr<flutter::PlatformMessageResponseDarwin> response =
1243  (callback == nil) ? nullptr
1244  : fml::MakeRefCounted<flutter::PlatformMessageResponseDarwin>(
1245  ^(NSData* reply) {
1246  callback(reply);
1247  },
1248  _shell->GetTaskRunners().GetPlatformTaskRunner());
1249  std::unique_ptr<flutter::PlatformMessage> platformMessage =
1250  (message == nil) ? std::make_unique<flutter::PlatformMessage>(channel.UTF8String, response)
1251  : std::make_unique<flutter::PlatformMessage>(
1252  channel.UTF8String, flutter::CopyNSDataToMapping(message), response);
1253 
1254  _shell->GetPlatformView()->DispatchPlatformMessage(std::move(platformMessage));
1255  // platformMessage takes ownership of response.
1256  // NOLINTNEXTLINE(clang-analyzer-cplusplus.NewDeleteLeaks)
1257 }
1258 
1259 - (NSObject<FlutterTaskQueue>*)makeBackgroundTaskQueue {
1261 }
1262 
1263 - (FlutterBinaryMessengerConnection)setMessageHandlerOnChannel:(NSString*)channel
1264  binaryMessageHandler:
1265  (FlutterBinaryMessageHandler)handler {
1266  return [self setMessageHandlerOnChannel:channel binaryMessageHandler:handler taskQueue:nil];
1267 }
1268 
1270  setMessageHandlerOnChannel:(NSString*)channel
1271  binaryMessageHandler:(FlutterBinaryMessageHandler)handler
1272  taskQueue:(NSObject<FlutterTaskQueue>* _Nullable)taskQueue {
1273  NSParameterAssert(channel);
1274  if (_shell && _shell->IsSetup()) {
1275  self.platformView->GetPlatformMessageHandlerIos()->SetMessageHandler(channel.UTF8String,
1276  handler, taskQueue);
1277  return _connections->AquireConnection(channel.UTF8String);
1278  } else {
1279  NSAssert(!handler, @"Setting a message handler before the FlutterEngine has been run.");
1280  // Setting a handler to nil for a channel that has not yet been set up is a no-op.
1282  }
1283 }
1284 
1285 - (void)cleanUpConnection:(FlutterBinaryMessengerConnection)connection {
1286  if (_shell && _shell->IsSetup()) {
1287  std::string channel = _connections->CleanupConnection(connection);
1288  if (!channel.empty()) {
1289  self.platformView->GetPlatformMessageHandlerIos()->SetMessageHandler(channel.c_str(), nil,
1290  nil);
1291  }
1292  }
1293 }
1294 
1295 #pragma mark - FlutterTextureRegistry
1296 
1297 - (int64_t)registerTexture:(NSObject<FlutterTexture>*)texture {
1298  FML_DCHECK(self.platformView);
1299  int64_t textureId = self.nextTextureId++;
1300  self.platformView->RegisterExternalTexture(textureId, texture);
1301  return textureId;
1302 }
1303 
1304 - (void)unregisterTexture:(int64_t)textureId {
1305  _shell->GetPlatformView()->UnregisterTexture(textureId);
1306 }
1307 
1308 - (void)textureFrameAvailable:(int64_t)textureId {
1309  _shell->GetPlatformView()->MarkTextureFrameAvailable(textureId);
1310 }
1311 
1312 - (NSString*)lookupKeyForAsset:(NSString*)asset {
1313  return [FlutterDartProject lookupKeyForAsset:asset];
1314 }
1315 
1316 - (NSString*)lookupKeyForAsset:(NSString*)asset fromPackage:(NSString*)package {
1317  return [FlutterDartProject lookupKeyForAsset:asset fromPackage:package];
1318 }
1319 
1320 - (id<FlutterPluginRegistry>)pluginRegistry {
1321  return self;
1322 }
1323 
1324 #pragma mark - FlutterPluginRegistry
1325 
1326 - (NSObject<FlutterPluginRegistrar>*)registrarForPlugin:(NSString*)pluginKey {
1327  NSAssert(self.pluginPublications[pluginKey] == nil, @"Duplicate plugin key: %@", pluginKey);
1328  self.pluginPublications[pluginKey] = [NSNull null];
1329  FlutterEngineRegistrar* result = [[FlutterEngineRegistrar alloc] initWithPlugin:pluginKey
1330  flutterEngine:self];
1331  self.registrars[pluginKey] = result;
1332  return result;
1333 }
1334 
1335 - (BOOL)hasPlugin:(NSString*)pluginKey {
1336  return _pluginPublications[pluginKey] != nil;
1337 }
1338 
1339 - (NSObject*)valuePublishedByPlugin:(NSString*)pluginKey {
1340  return _pluginPublications[pluginKey];
1341 }
1342 
1343 #pragma mark - Notifications
1344 
1345 #if APPLICATION_EXTENSION_API_ONLY
1346 - (void)sceneWillEnterForeground:(NSNotification*)notification API_AVAILABLE(ios(13.0)) {
1347  [self flutterWillEnterForeground:notification];
1348 }
1349 
1350 - (void)sceneDidEnterBackground:(NSNotification*)notification API_AVAILABLE(ios(13.0)) {
1351  [self flutterDidEnterBackground:notification];
1352 }
1353 #else
1354 - (void)applicationWillEnterForeground:(NSNotification*)notification {
1355  [self flutterWillEnterForeground:notification];
1356 }
1357 
1358 - (void)applicationDidEnterBackground:(NSNotification*)notification {
1359  [self flutterDidEnterBackground:notification];
1360 }
1361 #endif
1362 
1363 - (void)flutterWillEnterForeground:(NSNotification*)notification {
1364  [self setIsGpuDisabled:NO];
1365 }
1366 
1367 - (void)flutterDidEnterBackground:(NSNotification*)notification {
1368  [self setIsGpuDisabled:YES];
1369  [self notifyLowMemory];
1370 }
1371 
1372 - (void)onMemoryWarning:(NSNotification*)notification {
1373  [self notifyLowMemory];
1374 }
1375 
1376 - (void)setIsGpuDisabled:(BOOL)value {
1377  if (_shell) {
1378  _shell->SetGpuAvailability(value ? flutter::GpuAvailability::kUnavailable
1379  : flutter::GpuAvailability::kAvailable);
1380  }
1381  _isGpuDisabled = value;
1382 }
1383 
1384 #pragma mark - Locale updates
1385 
1386 - (void)onLocaleUpdated:(NSNotification*)notification {
1387  // Get and pass the user's preferred locale list to dart:ui.
1388  NSMutableArray<NSString*>* localeData = [[NSMutableArray alloc] init];
1389  NSArray<NSString*>* preferredLocales = [NSLocale preferredLanguages];
1390  for (NSString* localeID in preferredLocales) {
1391  NSLocale* locale = [[NSLocale alloc] initWithLocaleIdentifier:localeID];
1392  NSString* languageCode = [locale objectForKey:NSLocaleLanguageCode];
1393  NSString* countryCode = [locale objectForKey:NSLocaleCountryCode];
1394  NSString* scriptCode = [locale objectForKey:NSLocaleScriptCode];
1395  NSString* variantCode = [locale objectForKey:NSLocaleVariantCode];
1396  if (!languageCode) {
1397  continue;
1398  }
1399  [localeData addObject:languageCode];
1400  [localeData addObject:(countryCode ? countryCode : @"")];
1401  [localeData addObject:(scriptCode ? scriptCode : @"")];
1402  [localeData addObject:(variantCode ? variantCode : @"")];
1403  }
1404  if (localeData.count == 0) {
1405  return;
1406  }
1407  [self.localizationChannel invokeMethod:@"setLocale" arguments:localeData];
1408 }
1409 
1410 - (void)waitForFirstFrameSync:(NSTimeInterval)timeout
1411  callback:(NS_NOESCAPE void (^_Nonnull)(BOOL didTimeout))callback {
1412  fml::TimeDelta waitTime = fml::TimeDelta::FromMilliseconds(timeout * 1000);
1413  fml::Status status = self.shell.WaitForFirstFrame(waitTime);
1414  callback(status.code() == fml::StatusCode::kDeadlineExceeded);
1415 }
1416 
1417 - (void)waitForFirstFrame:(NSTimeInterval)timeout
1418  callback:(void (^_Nonnull)(BOOL didTimeout))callback {
1419  dispatch_queue_t queue = dispatch_get_global_queue(QOS_CLASS_BACKGROUND, 0);
1420  dispatch_group_t group = dispatch_group_create();
1421 
1422  __weak FlutterEngine* weakSelf = self;
1423  __block BOOL didTimeout = NO;
1424  dispatch_group_async(group, queue, ^{
1425  FlutterEngine* strongSelf = weakSelf;
1426  if (!strongSelf) {
1427  return;
1428  }
1429 
1430  fml::TimeDelta waitTime = fml::TimeDelta::FromMilliseconds(timeout * 1000);
1431  fml::Status status = strongSelf.shell.WaitForFirstFrame(waitTime);
1432  didTimeout = status.code() == fml::StatusCode::kDeadlineExceeded;
1433  });
1434 
1435  // Only execute the main queue task once the background task has completely finished executing.
1436  dispatch_group_notify(group, dispatch_get_main_queue(), ^{
1437  // Strongly capture self on the task dispatched to the main thread.
1438  //
1439  // When we capture weakSelf strongly in the above block on a background thread, we risk the
1440  // possibility that all other strong references to FlutterEngine go out of scope while the block
1441  // executes and that the engine is dealloc'ed at the end of the above block on a background
1442  // thread. FlutterEngine is not safe to release on any thread other than the main thread.
1443  //
1444  // self is never nil here since it's a strong reference that's verified non-nil above, but we
1445  // use a conditional check to avoid an unused expression compiler warning.
1446  FlutterEngine* strongSelf = self;
1447  if (!strongSelf) {
1448  return;
1449  }
1450  callback(didTimeout);
1451  });
1452 }
1453 
1454 - (FlutterEngine*)spawnWithEntrypoint:(/*nullable*/ NSString*)entrypoint
1455  libraryURI:(/*nullable*/ NSString*)libraryURI
1456  initialRoute:(/*nullable*/ NSString*)initialRoute
1457  entrypointArgs:(/*nullable*/ NSArray<NSString*>*)entrypointArgs {
1458  NSAssert(_shell, @"Spawning from an engine without a shell (possibly not run).");
1459  FlutterEngine* result = [[FlutterEngine alloc] initWithName:self.labelPrefix
1460  project:self.dartProject
1461  allowHeadlessExecution:self.allowHeadlessExecution];
1462  flutter::RunConfiguration configuration =
1463  [self.dartProject runConfigurationForEntrypoint:entrypoint
1464  libraryOrNil:libraryURI
1465  entrypointArgs:entrypointArgs];
1466 
1467  configuration.SetEngineId(result.engineIdentifier);
1468 
1469  fml::WeakPtr<flutter::PlatformView> platform_view = _shell->GetPlatformView();
1470  FML_DCHECK(platform_view);
1471  // Static-cast safe since this class always creates PlatformViewIOS instances.
1472  flutter::PlatformViewIOS* ios_platform_view =
1473  static_cast<flutter::PlatformViewIOS*>(platform_view.get());
1474  std::shared_ptr<flutter::IOSContext> context = ios_platform_view->GetIosContext();
1475  FML_DCHECK(context);
1476 
1477  // Lambda captures by pointers to ObjC objects are fine here because the
1478  // create call is synchronous.
1479  flutter::Shell::CreateCallback<flutter::PlatformView> on_create_platform_view =
1480  [result, context](flutter::Shell& shell) {
1481  [result recreatePlatformViewsController];
1482  result.platformViewsController.taskRunner = shell.GetTaskRunners().GetPlatformTaskRunner();
1483  return std::make_unique<flutter::PlatformViewIOS>(
1484  shell, context, result.platformViewsController, shell.GetTaskRunners());
1485  };
1486 
1487  flutter::Shell::CreateCallback<flutter::Rasterizer> on_create_rasterizer =
1488  [](flutter::Shell& shell) { return std::make_unique<flutter::Rasterizer>(shell); };
1489 
1490  std::string cppInitialRoute;
1491  if (initialRoute) {
1492  cppInitialRoute = [initialRoute UTF8String];
1493  }
1494 
1495  std::unique_ptr<flutter::Shell> shell = _shell->Spawn(
1496  std::move(configuration), cppInitialRoute, on_create_platform_view, on_create_rasterizer);
1497 
1498  result->_threadHost = _threadHost;
1499  result->_profiler = _profiler;
1500  result->_isGpuDisabled = _isGpuDisabled;
1501  [result setUpShell:std::move(shell) withVMServicePublication:NO];
1502  return result;
1503 }
1504 
1505 - (const flutter::ThreadHost&)threadHost {
1506  return *_threadHost;
1507 }
1508 
1509 - (FlutterDartProject*)project {
1510  return self.dartProject;
1511 }
1512 
1513 @end
1514 
1515 @implementation FlutterEngineRegistrar {
1516  NSString* _pluginKey;
1517 }
1518 
1519 - (instancetype)initWithPlugin:(NSString*)pluginKey flutterEngine:(FlutterEngine*)flutterEngine {
1520  self = [super init];
1521  NSAssert(self, @"Super init cannot be nil");
1522  _pluginKey = [pluginKey copy];
1523  _flutterEngine = flutterEngine;
1524  return self;
1525 }
1526 
1527 - (NSObject<FlutterBinaryMessenger>*)messenger {
1528  return _flutterEngine.binaryMessenger;
1529 }
1530 
1531 - (NSObject<FlutterTextureRegistry>*)textures {
1532  return _flutterEngine.textureRegistry;
1533 }
1534 
1535 - (void)publish:(NSObject*)value {
1536  _flutterEngine.pluginPublications[_pluginKey] = value;
1537 }
1538 
1539 - (void)addMethodCallDelegate:(NSObject<FlutterPlugin>*)delegate
1540  channel:(FlutterMethodChannel*)channel {
1541  [channel setMethodCallHandler:^(FlutterMethodCall* call, FlutterResult result) {
1542  [delegate handleMethodCall:call result:result];
1543  }];
1544 }
1545 
1546 - (void)addApplicationDelegate:(NSObject<FlutterPlugin>*)delegate
1547  NS_EXTENSION_UNAVAILABLE_IOS("Disallowed in plugins used in app extensions") {
1548  id<UIApplicationDelegate> appDelegate = [[UIApplication sharedApplication] delegate];
1549  if ([appDelegate conformsToProtocol:@protocol(FlutterAppLifeCycleProvider)]) {
1550  id<FlutterAppLifeCycleProvider> lifeCycleProvider =
1551  (id<FlutterAppLifeCycleProvider>)appDelegate;
1552  [lifeCycleProvider addApplicationLifeCycleDelegate:delegate];
1553  }
1554 }
1555 
1556 - (NSString*)lookupKeyForAsset:(NSString*)asset {
1557  return [_flutterEngine lookupKeyForAsset:asset];
1558 }
1559 
1560 - (NSString*)lookupKeyForAsset:(NSString*)asset fromPackage:(NSString*)package {
1561  return [_flutterEngine lookupKeyForAsset:asset fromPackage:package];
1562 }
1563 
1564 - (void)registerViewFactory:(NSObject<FlutterPlatformViewFactory>*)factory
1565  withId:(NSString*)factoryId {
1566  [self registerViewFactory:factory
1567  withId:factoryId
1568  gestureRecognizersBlockingPolicy:FlutterPlatformViewGestureRecognizersBlockingPolicyEager];
1569 }
1570 
1571 - (void)registerViewFactory:(NSObject<FlutterPlatformViewFactory>*)factory
1572  withId:(NSString*)factoryId
1573  gestureRecognizersBlockingPolicy:
1574  (FlutterPlatformViewGestureRecognizersBlockingPolicy)gestureRecognizersBlockingPolicy {
1575  [_flutterEngine.platformViewsController registerViewFactory:factory
1576  withId:factoryId
1577  gestureRecognizersBlockingPolicy:gestureRecognizersBlockingPolicy];
1578 }
1579 
1580 @end
FlutterTextureRegistryRelay::parent
NSObject< FlutterTextureRegistry > * parent
Definition: FlutterTextureRegistryRelay.h:25
_restorationEnabled
BOOL _restorationEnabled
Definition: FlutterRestorationPlugin.mm:18
flutter::PlatformMessageHandlerIos::MakeBackgroundTaskQueue
static NSObject< FlutterTaskQueue > * MakeBackgroundTaskQueue()
Definition: platform_message_handler_ios.mm:36
FlutterEngine
Definition: FlutterEngine.h:61
FlutterPlugin-p
Definition: FlutterPlugin.h:189
FlutterTextInputDelegate-p
Definition: FlutterTextInputDelegate.h:37
FlutterDefaultInitialRoute
NSString *const FlutterDefaultInitialRoute
Definition: FlutterEngine.mm:83
FlutterSpellCheckPlugin
Definition: FlutterSpellCheckPlugin.h:11
FlutterDefaultDartEntrypoint
NSString *const FlutterDefaultDartEntrypoint
Definition: FlutterEngine.mm:82
FlutterBasicMessageChannel
Definition: FlutterChannels.h:37
flutter::ConnectionCollection
Maintains a current integer assigned to a name (connections).
Definition: connection_collection.h:15
FlutterViewController
Definition: FlutterViewController.h:57
FlutterMethodChannel
Definition: FlutterChannels.h:220
FlutterEngineRegistrar::flutterEngine
FlutterEngine * flutterEngine
Definition: FlutterEngine.mm:91
FlutterEngine(Test)::embedderAPI
FlutterEngineProcTable & embedderAPI
Definition: FlutterEngine_Test.h:24
FlutterEngine::isolateId
NSString * isolateId
Definition: FlutterEngine.h:449
FlutterEngine::keyEventChannel
FlutterBasicMessageChannel * keyEventChannel
Definition: FlutterEngine.h:412
FlutterTextInputDelegate.h
FlutterUndoManagerPlugin.h
-[FlutterEngine initWithName:project:allowHeadlessExecution:]
instancetype initWithName:project:allowHeadlessExecution:(NSString *labelPrefix,[project] nullable FlutterDartProject *project,[allowHeadlessExecution] BOOL allowHeadlessExecution)
FlutterRestorationPlugin
Definition: FlutterRestorationPlugin.h:12
FlutterTextureRegistry-p
Definition: FlutterTexture.h:45
FlutterEngine::restorationChannel
FlutterMethodChannel * restorationChannel
Definition: FlutterEngine.h:355
connection_collection.h
FlutterEngine_Internal.h
command_line.h
+[FlutterDartProject lookupKeyForAsset:]
NSString * lookupKeyForAsset:(NSString *asset)
Definition: FlutterDartProject.mm:378
FlutterError
Definition: FlutterCodecs.h:246
FlutterEngine::platformChannel
FlutterMethodChannel * platformChannel
Definition: FlutterEngine.h:363
kNumProfilerSamplesPerSec
static constexpr int kNumProfilerSamplesPerSec
Definition: FlutterEngine.mm:88
FlutterDartVMServicePublisher.h
-[FlutterEngine runWithEntrypoint:libraryURI:initialRoute:]
BOOL runWithEntrypoint:libraryURI:initialRoute:(nullable NSString *entrypoint,[libraryURI] nullable NSString *libraryURI,[initialRoute] nullable NSString *initialRoute)
flutter::CopyNSDataToMapping
fml::MallocMapping CopyNSDataToMapping(NSData *data)
Definition: buffer_conversions.mm:29
platform_view
std::unique_ptr< flutter::PlatformViewIOS > platform_view
Definition: FlutterEnginePlatformViewTest.mm:67
+[FlutterError errorWithCode:message:details:]
instancetype errorWithCode:message:details:(NSString *code,[message] NSString *_Nullable message,[details] id _Nullable details)
_connections
std::unique_ptr< flutter::ConnectionCollection > _connections
Definition: FlutterEngine.mm:160
FlutterPluginRegistrar-p
Definition: FlutterPlugin.h:283
flutter::PlatformViewIOS
Definition: platform_view_ios.h:39
flutter::PlatformViewIOS::GetIosContext
const std::shared_ptr< IOSContext > & GetIosContext()
Definition: platform_view_ios.h:120
FlutterEngine::localizationChannel
FlutterMethodChannel * localizationChannel
Definition: FlutterEngine.h:335
FlutterEngine::lifecycleChannel
FlutterBasicMessageChannel * lifecycleChannel
Definition: FlutterEngine.h:385
FlutterIndirectScribbleDelegate-p
Definition: FlutterIndirectScribbleDelegate.h:13
viewController
FlutterViewController * viewController
Definition: FlutterTextInputPluginTest.mm:95
FlutterBinaryMessageHandler
void(^ FlutterBinaryMessageHandler)(NSData *_Nullable message, FlutterBinaryReply reply)
Definition: FlutterBinaryMessenger.h:30
-[FlutterEngine shell]
flutter::Shell & shell()
FlutterTextInputView
Definition: FlutterTextInputPlugin.mm:810
-[FlutterMethodChannel setMethodCallHandler:]
void setMethodCallHandler:(FlutterMethodCallHandler _Nullable handler)
FlutterBinaryMessengerRelay.h
kFlutterKeyDataChannel
NSString *const kFlutterKeyDataChannel
Definition: FlutterEngine.mm:87
profiler_metrics_ios.h
flutter::ConnectionCollection::MakeErrorConnection
static Connection MakeErrorConnection(int errCode)
Definition: connection_collection.mm:39
flutter::GetRenderingAPIForProcess
IOSRenderingAPI GetRenderingAPIForProcess(bool force_software)
Definition: rendering_api_selection.mm:31
FlutterStringCodec
Definition: FlutterCodecs.h:63
FlutterSpellCheckPlugin.h
flutter
Definition: accessibility_bridge.h:26
_textureRegistry
FlutterTextureRegistryRelay * _textureRegistry
Definition: FlutterEngine.mm:159
FlutterEngine::systemChannel
FlutterBasicMessageChannel * systemChannel
Definition: FlutterEngine.h:396
FlutterTextInputPlugin
Definition: FlutterTextInputPlugin.h:33
_profiler
std::shared_ptr< flutter::SamplingProfiler > _profiler
Definition: FlutterEngine.mm:156
flutter::IOSRenderingAPI
IOSRenderingAPI
Definition: rendering_api_selection.h:14
FlutterTextureRegistryRelay
Definition: FlutterTextureRegistryRelay.h:20
FlutterTaskQueue-p
Definition: FlutterBinaryMessenger.h:34
FlutterResult
void(^ FlutterResult)(id _Nullable result)
Definition: FlutterChannels.h:194
FlutterEngine::settingsChannel
FlutterBasicMessageChannel * settingsChannel
Definition: FlutterEngine.h:404
fml
Definition: profiler_metrics_ios.mm:41
UIViewController+FlutterScreenAndSceneIfLoaded.h
FlutterPlatformViewGestureRecognizersBlockingPolicy
FlutterPlatformViewGestureRecognizersBlockingPolicy
Definition: FlutterPlugin.h:252
FlutterIndirectScribbleDelegate.h
FlutterPlatformPlugin.h
_renderingApi
flutter::IOSRenderingAPI _renderingApi
Definition: FlutterEngine.mm:155
FlutterTexture
Definition: FlutterMetalLayer.mm:60
FlutterEngine::textInputChannel
FlutterMethodChannel * textInputChannel
Definition: FlutterEngine.h:374
-[FlutterPlugin-p handleMethodCall:result:]
void handleMethodCall:result:(FlutterMethodCall *call,[result] FlutterResult result)
_binaryMessenger
FlutterBinaryMessengerRelay * _binaryMessenger
Definition: FlutterEngine.mm:158
rendering_api_selection.h
FlutterAppLifeCycleProvider-p
Definition: FlutterPlugin.h:436
FlutterPlatformViewFactory-p
Definition: FlutterPlatformViews.h:26
_shell
std::unique_ptr< flutter::Shell > _shell
Definition: FlutterEngine.mm:151
FlutterUndoManagerDelegate-p
Definition: FlutterUndoManagerDelegate.h:23
FlutterEngine::navigationChannel
FlutterMethodChannel * navigationChannel
Definition: FlutterEngine.h:345
FlutterDartProject_Internal.h
textInputPlugin
FlutterTextInputPlugin * textInputPlugin
Definition: FlutterTextInputPluginTest.mm:93
FlutterViewController_Internal.h
FlutterPlatformViewsController
Definition: FlutterPlatformViewsController.h:30
FlutterUndoManagerPlugin
Definition: FlutterUndoManagerPlugin.h:13
-[FlutterEngine platformView]
flutter::PlatformViewIOS * platformView()
FlutterPlatformPlugin
Definition: FlutterPlatformPlugin.h:11
FlutterBinaryMessengerRelay
Definition: FlutterBinaryMessengerRelay.h:14
FlutterJSONMethodCodec
Definition: FlutterCodecs.h:455
vsync_waiter_ios.h
+[FlutterDartProject lookupKeyForAsset:fromPackage:]
NSString * lookupKeyForAsset:fromPackage:(NSString *asset,[fromPackage] NSString *package)
Definition: FlutterDartProject.mm:387
FlutterEngineRegistrar
Definition: FlutterEngine.mm:90
-[FlutterDartProject settings]
const flutter::Settings & settings()
flutter::PlatformViewIOS::SetSemanticsEnabled
void SetSemanticsEnabled(bool enabled) override
Definition: platform_view_ios.mm:162
platform_view_ios.h
FlutterEngine(Test)::enableEmbedderAPI
BOOL enableEmbedderAPI
Definition: FlutterEngine_Test.h:25
FlutterDartProject
Definition: FlutterDartProject.mm:252
FlutterTextureRegistryRelay.h
FlutterBinaryMessenger-p
Definition: FlutterBinaryMessenger.h:49
IOSPlatformThreadConfigSetter
static FLUTTER_ASSERT_ARC void IOSPlatformThreadConfigSetter(const fml::Thread::ThreadConfig &config)
Definition: FlutterEngine.mm:48
FlutterBinaryMessengerRelay::parent
NSObject< FlutterBinaryMessenger > * parent
Definition: FlutterBinaryMessengerRelay.h:15
FlutterDartVMServicePublisher
Definition: FlutterDartVMServicePublisher.h:10
platform_message_response_darwin.h
FLUTTER_ASSERT_ARC
Definition: FlutterChannelKeyResponder.mm:13
FlutterUndoManagerDelegate.h
FlutterStandardMethodCodec
Definition: FlutterCodecs.h:469
FlutterBinaryMessengerConnection
int64_t FlutterBinaryMessengerConnection
Definition: FlutterBinaryMessenger.h:32
FlutterBinaryReply
NS_ASSUME_NONNULL_BEGIN typedef void(^ FlutterBinaryReply)(NSData *_Nullable reply)
+[FlutterMessageCodec-p sharedInstance]
instancetype sharedInstance()
FlutterJSONMessageCodec
Definition: FlutterCodecs.h:81