Flutter iOS Embedder
FlutterTextInputPlugin.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 #import <Foundation/Foundation.h>
9 #import <UIKit/UIKit.h>
10 
11 #include "unicode/uchar.h"
12 
13 #include "flutter/fml/logging.h"
14 #include "flutter/fml/platform/darwin/string_range_sanitization.h"
15 
17 
18 static const char kTextAffinityDownstream[] = "TextAffinity.downstream";
19 static const char kTextAffinityUpstream[] = "TextAffinity.upstream";
20 // A delay before enabling the accessibility of FlutterTextInputView after
21 // it is activated.
22 static constexpr double kUITextInputAccessibilityEnablingDelaySeconds = 0.5;
23 
24 // A delay before reenabling the UIView areAnimationsEnabled to YES
25 // in order for becomeFirstResponder to receive the proper value.
26 static const NSTimeInterval kKeyboardAnimationDelaySeconds = 0.1;
27 
28 // A time set for the screenshot to animate back to the assigned position.
29 static const NSTimeInterval kKeyboardAnimationTimeToCompleteion = 0.3;
30 
31 // The "canonical" invalid CGRect, similar to CGRectNull, used to
32 // indicate a CGRect involved in firstRectForRange calculation is
33 // invalid. The specific value is chosen so that if firstRectForRange
34 // returns kInvalidFirstRect, iOS will not show the IME candidates view.
35 const CGRect kInvalidFirstRect = {{-1, -1}, {9999, 9999}};
36 
37 #pragma mark - TextInput channel method names.
38 // See https://api.flutter.dev/flutter/services/SystemChannels/textInput-constant.html
39 static NSString* const kShowMethod = @"TextInput.show";
40 static NSString* const kHideMethod = @"TextInput.hide";
41 static NSString* const kSetClientMethod = @"TextInput.setClient";
42 static NSString* const kSetPlatformViewClientMethod = @"TextInput.setPlatformViewClient";
43 static NSString* const kSetEditingStateMethod = @"TextInput.setEditingState";
44 static NSString* const kClearClientMethod = @"TextInput.clearClient";
45 static NSString* const kSetEditableSizeAndTransformMethod =
46  @"TextInput.setEditableSizeAndTransform";
47 static NSString* const kSetMarkedTextRectMethod = @"TextInput.setMarkedTextRect";
48 static NSString* const kFinishAutofillContextMethod = @"TextInput.finishAutofillContext";
49 // TODO(justinmc): Remove the TextInput method constant when the framework has
50 // finished transitioning to using the Scribble channel.
51 // https://github.com/flutter/flutter/pull/104128
52 static NSString* const kDeprecatedSetSelectionRectsMethod = @"TextInput.setSelectionRects";
53 static NSString* const kSetSelectionRectsMethod = @"Scribble.setSelectionRects";
54 static NSString* const kStartLiveTextInputMethod = @"TextInput.startLiveTextInput";
55 static NSString* const kUpdateConfigMethod = @"TextInput.updateConfig";
57  @"TextInput.onPointerMoveForInteractiveKeyboard";
58 static NSString* const kOnInteractiveKeyboardPointerUpMethod =
59  @"TextInput.onPointerUpForInteractiveKeyboard";
60 
61 #pragma mark - TextInputConfiguration Field Names
62 static NSString* const kSecureTextEntry = @"obscureText";
63 static NSString* const kKeyboardType = @"inputType";
64 static NSString* const kKeyboardAppearance = @"keyboardAppearance";
65 static NSString* const kInputAction = @"inputAction";
66 static NSString* const kEnableDeltaModel = @"enableDeltaModel";
67 static NSString* const kEnableInteractiveSelection = @"enableInteractiveSelection";
68 
69 static NSString* const kSmartDashesType = @"smartDashesType";
70 static NSString* const kSmartQuotesType = @"smartQuotesType";
71 
72 static NSString* const kAssociatedAutofillFields = @"fields";
73 
74 // TextInputConfiguration.autofill and sub-field names
75 static NSString* const kAutofillProperties = @"autofill";
76 static NSString* const kAutofillId = @"uniqueIdentifier";
77 static NSString* const kAutofillEditingValue = @"editingValue";
78 static NSString* const kAutofillHints = @"hints";
79 
80 static NSString* const kAutocorrectionType = @"autocorrect";
81 
82 #pragma mark - Static Functions
83 
84 // Determine if the character at `range` of `text` is an emoji.
85 static BOOL IsEmoji(NSString* text, NSRange charRange) {
86  UChar32 codePoint;
87  BOOL gotCodePoint = [text getBytes:&codePoint
88  maxLength:sizeof(codePoint)
89  usedLength:NULL
90  encoding:NSUTF32StringEncoding
91  options:kNilOptions
92  range:charRange
93  remainingRange:NULL];
94  return gotCodePoint && u_hasBinaryProperty(codePoint, UCHAR_EMOJI);
95 }
96 
97 // "TextInputType.none" is a made-up input type that's typically
98 // used when there's an in-app virtual keyboard. If
99 // "TextInputType.none" is specified, disable the system
100 // keyboard.
101 static BOOL ShouldShowSystemKeyboard(NSDictionary* type) {
102  NSString* inputType = type[@"name"];
103  return ![inputType isEqualToString:@"TextInputType.none"];
104 }
105 static UIKeyboardType ToUIKeyboardType(NSDictionary* type) {
106  NSString* inputType = type[@"name"];
107  if ([inputType isEqualToString:@"TextInputType.address"]) {
108  return UIKeyboardTypeDefault;
109  }
110  if ([inputType isEqualToString:@"TextInputType.datetime"]) {
111  return UIKeyboardTypeNumbersAndPunctuation;
112  }
113  if ([inputType isEqualToString:@"TextInputType.emailAddress"]) {
114  return UIKeyboardTypeEmailAddress;
115  }
116  if ([inputType isEqualToString:@"TextInputType.multiline"]) {
117  return UIKeyboardTypeDefault;
118  }
119  if ([inputType isEqualToString:@"TextInputType.name"]) {
120  return UIKeyboardTypeNamePhonePad;
121  }
122  if ([inputType isEqualToString:@"TextInputType.number"]) {
123  if ([type[@"signed"] boolValue]) {
124  return UIKeyboardTypeNumbersAndPunctuation;
125  }
126  if ([type[@"decimal"] boolValue]) {
127  return UIKeyboardTypeDecimalPad;
128  }
129  return UIKeyboardTypeNumberPad;
130  }
131  if ([inputType isEqualToString:@"TextInputType.phone"]) {
132  return UIKeyboardTypePhonePad;
133  }
134  if ([inputType isEqualToString:@"TextInputType.text"]) {
135  return UIKeyboardTypeDefault;
136  }
137  if ([inputType isEqualToString:@"TextInputType.url"]) {
138  return UIKeyboardTypeURL;
139  }
140  if ([inputType isEqualToString:@"TextInputType.visiblePassword"]) {
141  return UIKeyboardTypeASCIICapable;
142  }
143  if ([inputType isEqualToString:@"TextInputType.webSearch"]) {
144  return UIKeyboardTypeWebSearch;
145  }
146  if ([inputType isEqualToString:@"TextInputType.twitter"]) {
147  return UIKeyboardTypeTwitter;
148  }
149  return UIKeyboardTypeDefault;
150 }
151 
152 static UITextAutocapitalizationType ToUITextAutoCapitalizationType(NSDictionary* type) {
153  NSString* textCapitalization = type[@"textCapitalization"];
154  if ([textCapitalization isEqualToString:@"TextCapitalization.characters"]) {
155  return UITextAutocapitalizationTypeAllCharacters;
156  } else if ([textCapitalization isEqualToString:@"TextCapitalization.sentences"]) {
157  return UITextAutocapitalizationTypeSentences;
158  } else if ([textCapitalization isEqualToString:@"TextCapitalization.words"]) {
159  return UITextAutocapitalizationTypeWords;
160  }
161  return UITextAutocapitalizationTypeNone;
162 }
163 
164 static UIReturnKeyType ToUIReturnKeyType(NSString* inputType) {
165  // Where did the term "unspecified" come from? iOS has a "default" and Android
166  // has "unspecified." These 2 terms seem to mean the same thing but we need
167  // to pick just one. "unspecified" was chosen because "default" is often a
168  // reserved word in languages with switch statements (dart, java, etc).
169  if ([inputType isEqualToString:@"TextInputAction.unspecified"]) {
170  return UIReturnKeyDefault;
171  }
172 
173  if ([inputType isEqualToString:@"TextInputAction.done"]) {
174  return UIReturnKeyDone;
175  }
176 
177  if ([inputType isEqualToString:@"TextInputAction.go"]) {
178  return UIReturnKeyGo;
179  }
180 
181  if ([inputType isEqualToString:@"TextInputAction.send"]) {
182  return UIReturnKeySend;
183  }
184 
185  if ([inputType isEqualToString:@"TextInputAction.search"]) {
186  return UIReturnKeySearch;
187  }
188 
189  if ([inputType isEqualToString:@"TextInputAction.next"]) {
190  return UIReturnKeyNext;
191  }
192 
193  if ([inputType isEqualToString:@"TextInputAction.continueAction"]) {
194  return UIReturnKeyContinue;
195  }
196 
197  if ([inputType isEqualToString:@"TextInputAction.join"]) {
198  return UIReturnKeyJoin;
199  }
200 
201  if ([inputType isEqualToString:@"TextInputAction.route"]) {
202  return UIReturnKeyRoute;
203  }
204 
205  if ([inputType isEqualToString:@"TextInputAction.emergencyCall"]) {
206  return UIReturnKeyEmergencyCall;
207  }
208 
209  if ([inputType isEqualToString:@"TextInputAction.newline"]) {
210  return UIReturnKeyDefault;
211  }
212 
213  // Present default key if bad input type is given.
214  return UIReturnKeyDefault;
215 }
216 
217 static UITextContentType ToUITextContentType(NSArray<NSString*>* hints) {
218  if (!hints || hints.count == 0) {
219  // If no hints are specified, use the default content type nil.
220  return nil;
221  }
222 
223  NSString* hint = hints[0];
224  if ([hint isEqualToString:@"addressCityAndState"]) {
225  return UITextContentTypeAddressCityAndState;
226  }
227 
228  if ([hint isEqualToString:@"addressState"]) {
229  return UITextContentTypeAddressState;
230  }
231 
232  if ([hint isEqualToString:@"addressCity"]) {
233  return UITextContentTypeAddressCity;
234  }
235 
236  if ([hint isEqualToString:@"sublocality"]) {
237  return UITextContentTypeSublocality;
238  }
239 
240  if ([hint isEqualToString:@"streetAddressLine1"]) {
241  return UITextContentTypeStreetAddressLine1;
242  }
243 
244  if ([hint isEqualToString:@"streetAddressLine2"]) {
245  return UITextContentTypeStreetAddressLine2;
246  }
247 
248  if ([hint isEqualToString:@"countryName"]) {
249  return UITextContentTypeCountryName;
250  }
251 
252  if ([hint isEqualToString:@"fullStreetAddress"]) {
253  return UITextContentTypeFullStreetAddress;
254  }
255 
256  if ([hint isEqualToString:@"postalCode"]) {
257  return UITextContentTypePostalCode;
258  }
259 
260  if ([hint isEqualToString:@"location"]) {
261  return UITextContentTypeLocation;
262  }
263 
264  if ([hint isEqualToString:@"creditCardNumber"]) {
265  return UITextContentTypeCreditCardNumber;
266  }
267 
268  if ([hint isEqualToString:@"email"]) {
269  return UITextContentTypeEmailAddress;
270  }
271 
272  if ([hint isEqualToString:@"jobTitle"]) {
273  return UITextContentTypeJobTitle;
274  }
275 
276  if ([hint isEqualToString:@"givenName"]) {
277  return UITextContentTypeGivenName;
278  }
279 
280  if ([hint isEqualToString:@"middleName"]) {
281  return UITextContentTypeMiddleName;
282  }
283 
284  if ([hint isEqualToString:@"familyName"]) {
285  return UITextContentTypeFamilyName;
286  }
287 
288  if ([hint isEqualToString:@"name"]) {
289  return UITextContentTypeName;
290  }
291 
292  if ([hint isEqualToString:@"namePrefix"]) {
293  return UITextContentTypeNamePrefix;
294  }
295 
296  if ([hint isEqualToString:@"nameSuffix"]) {
297  return UITextContentTypeNameSuffix;
298  }
299 
300  if ([hint isEqualToString:@"nickname"]) {
301  return UITextContentTypeNickname;
302  }
303 
304  if ([hint isEqualToString:@"organizationName"]) {
305  return UITextContentTypeOrganizationName;
306  }
307 
308  if ([hint isEqualToString:@"telephoneNumber"]) {
309  return UITextContentTypeTelephoneNumber;
310  }
311 
312  if ([hint isEqualToString:@"password"]) {
313  return UITextContentTypePassword;
314  }
315 
316  if ([hint isEqualToString:@"oneTimeCode"]) {
317  return UITextContentTypeOneTimeCode;
318  }
319 
320  if ([hint isEqualToString:@"newPassword"]) {
321  return UITextContentTypeNewPassword;
322  }
323 
324  return hints[0];
325 }
326 
327 // Retrieves the autofillId from an input field's configuration. Returns
328 // nil if the field is nil and the input field is not a password field.
329 static NSString* AutofillIdFromDictionary(NSDictionary* dictionary) {
330  NSDictionary* autofill = dictionary[kAutofillProperties];
331  if (autofill) {
332  return autofill[kAutofillId];
333  }
334 
335  // When autofill is nil, the field may still need an autofill id
336  // if the field is for password.
337  return [dictionary[kSecureTextEntry] boolValue] ? @"password" : nil;
338 }
339 
340 // # Autofill Implementation Notes:
341 //
342 // Currently there're 2 types of autofills on iOS:
343 // - Regular autofill, including contact information and one-time-code,
344 // takes place in the form of predictive text in the quick type bar.
345 // This type of autofill does not save user input, and the keyboard
346 // currently only populates the focused field when a predictive text entry
347 // is selected by the user.
348 //
349 // - Password autofill, includes automatic strong password and regular
350 // password autofill. The former happens automatically when a
351 // "new password" field is detected and focused, and only that password
352 // field will be populated. The latter appears in the quick type bar when
353 // an eligible input field (which either has a UITextContentTypePassword
354 // contentType, or is a secure text entry) becomes the first responder, and may
355 // fill both the username and the password fields. iOS will attempt
356 // to save user input for both kinds of password fields. It's relatively
357 // tricky to deal with password autofill since it can autofill more than one
358 // field at a time and may employ heuristics based on what other text fields
359 // are in the same view controller.
360 //
361 // When a flutter text field is focused, and autofill is not explicitly disabled
362 // for it ("autofillable"), the framework collects its attributes and checks if
363 // it's in an AutofillGroup, and collects the attributes of other autofillable
364 // text fields in the same AutofillGroup if so. The attributes are sent to the
365 // text input plugin via a "TextInput.setClient" platform channel message. If
366 // autofill is disabled for a text field, its "autofill" field will be nil in
367 // the configuration json.
368 //
369 // The text input plugin then tries to determine which kind of autofill the text
370 // field needs. If the AutofillGroup the text field belongs to contains an
371 // autofillable text field that's password related, this text 's autofill type
372 // will be kFlutterAutofillTypePassword. If autofill is disabled for a text field,
373 // then its type will be kFlutterAutofillTypeNone. Otherwise the text field will
374 // have an autofill type of kFlutterAutofillTypeRegular.
375 //
376 // The text input plugin creates a new UIView for every kFlutterAutofillTypeNone
377 // text field. The UIView instance is never reused for other flutter text fields
378 // since the software keyboard often uses the identity of a UIView to distinguish
379 // different views and provides the same predictive text suggestions or restore
380 // the composing region if a UIView is reused for a different flutter text field.
381 //
382 // The text input plugin creates a new "autofill context" if the text field has
383 // the type of kFlutterAutofillTypePassword, to represent the AutofillGroup of
384 // the text field, and creates one FlutterTextInputView for every text field in
385 // the AutofillGroup.
386 //
387 // The text input plugin will try to reuse a UIView if a flutter text field's
388 // type is kFlutterAutofillTypeRegular, and has the same autofill id.
389 typedef NS_ENUM(NSInteger, FlutterAutofillType) {
390  // The field does not have autofillable content. Additionally if
391  // the field is currently in the autofill context, it will be
392  // removed from the context without triggering autofill save.
393  kFlutterAutofillTypeNone,
394  kFlutterAutofillTypeRegular,
395  kFlutterAutofillTypePassword,
396 };
397 
398 static BOOL IsFieldPasswordRelated(NSDictionary* configuration) {
399  // Autofill is explicitly disabled if the id isn't present.
400  if (!AutofillIdFromDictionary(configuration)) {
401  return NO;
402  }
403 
404  BOOL isSecureTextEntry = [configuration[kSecureTextEntry] boolValue];
405  if (isSecureTextEntry) {
406  return YES;
407  }
408 
409  NSDictionary* autofill = configuration[kAutofillProperties];
410  UITextContentType contentType = ToUITextContentType(autofill[kAutofillHints]);
411 
412  if ([contentType isEqualToString:UITextContentTypePassword] ||
413  [contentType isEqualToString:UITextContentTypeUsername]) {
414  return YES;
415  }
416 
417  if ([contentType isEqualToString:UITextContentTypeNewPassword]) {
418  return YES;
419  }
420 
421  return NO;
422 }
423 
424 static FlutterAutofillType AutofillTypeOf(NSDictionary* configuration) {
425  for (NSDictionary* field in configuration[kAssociatedAutofillFields]) {
426  if (IsFieldPasswordRelated(field)) {
427  return kFlutterAutofillTypePassword;
428  }
429  }
430 
431  if (IsFieldPasswordRelated(configuration)) {
432  return kFlutterAutofillTypePassword;
433  }
434 
435  NSDictionary* autofill = configuration[kAutofillProperties];
436  UITextContentType contentType = ToUITextContentType(autofill[kAutofillHints]);
437  return !autofill || [contentType isEqualToString:@""] ? kFlutterAutofillTypeNone
438  : kFlutterAutofillTypeRegular;
439 }
440 
441 static BOOL IsApproximatelyEqual(float x, float y, float delta) {
442  return fabsf(x - y) <= delta;
443 }
444 
445 // This is a helper function for floating cursor selection logic to determine which text
446 // position is closer to a point.
447 // Checks whether point should be considered closer to selectionRect compared to
448 // otherSelectionRect.
449 //
450 // If `useTrailingBoundaryOfSelectionRect` is not set, it uses the leading-center point
451 // on selectionRect and otherSelectionRect to compare.
452 // For left-to-right text, this means the left-center point, and for right-to-left text,
453 // this means the right-center point.
454 //
455 // If useTrailingBoundaryOfSelectionRect is set, the trailing-center point on selectionRect
456 // will be used instead of the leading-center point, while leading-center point is still used
457 // for otherSelectionRect.
458 //
459 // This uses special (empirically determined using a 1st gen iPad pro, 9.7" model running
460 // iOS 14.7.1) logic for determining the closer rect, rather than a simple distance calculation.
461 // - First, the rect with closer y distance wins.
462 // - Otherwise (same y distance):
463 // - If the point is above bottom of the rect, the rect boundary with closer x distance wins.
464 // - Otherwise (point is below bottom of the rect), the rect boundary with farthest x wins.
465 // This is because when the point is below the bottom line of text, we want to select the
466 // whole line of text, so we mark the farthest rect as closest.
467 static BOOL IsSelectionRectBoundaryCloserToPoint(CGPoint point,
468  CGRect selectionRect,
469  BOOL selectionRectIsRTL,
470  BOOL useTrailingBoundaryOfSelectionRect,
471  CGRect otherSelectionRect,
472  BOOL otherSelectionRectIsRTL,
473  CGFloat verticalPrecision) {
474  // The point is inside the selectionRect's corresponding half-rect area.
475  if (CGRectContainsPoint(
476  CGRectMake(
477  selectionRect.origin.x + ((useTrailingBoundaryOfSelectionRect ^ selectionRectIsRTL)
478  ? 0.5 * selectionRect.size.width
479  : 0),
480  selectionRect.origin.y, 0.5 * selectionRect.size.width, selectionRect.size.height),
481  point)) {
482  return YES;
483  }
484  // pointForSelectionRect is either leading-center or trailing-center point of selectionRect.
485  CGPoint pointForSelectionRect = CGPointMake(
486  selectionRect.origin.x +
487  (selectionRectIsRTL ^ useTrailingBoundaryOfSelectionRect ? selectionRect.size.width : 0),
488  selectionRect.origin.y + selectionRect.size.height * 0.5);
489  float yDist = fabs(pointForSelectionRect.y - point.y);
490  float xDist = fabs(pointForSelectionRect.x - point.x);
491 
492  // pointForOtherSelectionRect is the leading-center point of otherSelectionRect.
493  CGPoint pointForOtherSelectionRect = CGPointMake(
494  otherSelectionRect.origin.x + (otherSelectionRectIsRTL ? otherSelectionRect.size.width : 0),
495  otherSelectionRect.origin.y + otherSelectionRect.size.height * 0.5);
496  float yDistOther = fabs(pointForOtherSelectionRect.y - point.y);
497  float xDistOther = fabs(pointForOtherSelectionRect.x - point.x);
498 
499  // This serves a similar purpose to IsApproximatelyEqual, allowing a little buffer before
500  // declaring something closer vertically to account for the small variations in size and position
501  // of SelectionRects, especially when dealing with emoji.
502  BOOL isCloserVertically = yDist < yDistOther - verticalPrecision;
503  BOOL isEqualVertically = IsApproximatelyEqual(yDist, yDistOther, verticalPrecision);
504  BOOL isAboveBottomOfLine = point.y <= selectionRect.origin.y + selectionRect.size.height;
505  BOOL isCloserHorizontally = xDist < xDistOther;
506  BOOL isBelowBottomOfLine = point.y > selectionRect.origin.y + selectionRect.size.height;
507  // Is "farther away", or is closer to the end of the text line.
508  BOOL isFarther;
509  if (selectionRectIsRTL) {
510  isFarther = selectionRect.origin.x < otherSelectionRect.origin.x;
511  } else {
512  isFarther = selectionRect.origin.x +
513  (useTrailingBoundaryOfSelectionRect ? selectionRect.size.width : 0) >
514  otherSelectionRect.origin.x;
515  }
516  return (isCloserVertically ||
517  (isEqualVertically &&
518  ((isAboveBottomOfLine && isCloserHorizontally) || (isBelowBottomOfLine && isFarther))));
519 }
520 
521 #pragma mark - FlutterTextPosition
522 
523 @implementation FlutterTextPosition
524 
525 + (instancetype)positionWithIndex:(NSUInteger)index {
526  return [[FlutterTextPosition alloc] initWithIndex:index affinity:UITextStorageDirectionForward];
527 }
528 
529 + (instancetype)positionWithIndex:(NSUInteger)index affinity:(UITextStorageDirection)affinity {
530  return [[FlutterTextPosition alloc] initWithIndex:index affinity:affinity];
531 }
532 
533 - (instancetype)initWithIndex:(NSUInteger)index affinity:(UITextStorageDirection)affinity {
534  self = [super init];
535  if (self) {
536  _index = index;
537  _affinity = affinity;
538  }
539  return self;
540 }
541 
542 @end
543 
544 #pragma mark - FlutterTextRange
545 
546 @implementation FlutterTextRange
547 
548 + (instancetype)rangeWithNSRange:(NSRange)range {
549  return [[FlutterTextRange alloc] initWithNSRange:range];
550 }
551 
552 - (instancetype)initWithNSRange:(NSRange)range {
553  self = [super init];
554  if (self) {
555  _range = range;
556  }
557  return self;
558 }
559 
560 - (UITextPosition*)start {
561  return [FlutterTextPosition positionWithIndex:self.range.location
562  affinity:UITextStorageDirectionForward];
563 }
564 
565 - (UITextPosition*)end {
566  return [FlutterTextPosition positionWithIndex:self.range.location + self.range.length
567  affinity:UITextStorageDirectionBackward];
568 }
569 
570 - (BOOL)isEmpty {
571  return self.range.length == 0;
572 }
573 
574 - (id)copyWithZone:(NSZone*)zone {
575  return [[FlutterTextRange allocWithZone:zone] initWithNSRange:self.range];
576 }
577 
578 - (BOOL)isEqualTo:(FlutterTextRange*)other {
579  return NSEqualRanges(self.range, other.range);
580 }
581 @end
582 
583 #pragma mark - FlutterTokenizer
584 
585 @interface FlutterTokenizer ()
586 
587 @property(nonatomic, weak) FlutterTextInputView* textInputView;
588 
589 @end
590 
591 @implementation FlutterTokenizer
592 
593 - (instancetype)initWithTextInput:(UIResponder<UITextInput>*)textInput {
594  NSAssert([textInput isKindOfClass:[FlutterTextInputView class]],
595  @"The FlutterTokenizer can only be used in a FlutterTextInputView");
596  self = [super initWithTextInput:textInput];
597  if (self) {
598  _textInputView = (FlutterTextInputView*)textInput;
599  }
600  return self;
601 }
602 
603 - (UITextRange*)rangeEnclosingPosition:(UITextPosition*)position
604  withGranularity:(UITextGranularity)granularity
605  inDirection:(UITextDirection)direction {
606  UITextRange* result;
607  switch (granularity) {
608  case UITextGranularityLine:
609  // The default UITextInputStringTokenizer does not handle line granularity
610  // correctly. We need to implement our own line tokenizer.
611  result = [self lineEnclosingPosition:position inDirection:direction];
612  break;
613  case UITextGranularityCharacter:
614  case UITextGranularityWord:
615  case UITextGranularitySentence:
616  case UITextGranularityParagraph:
617  case UITextGranularityDocument:
618  // The UITextInputStringTokenizer can handle all these cases correctly.
619  result = [super rangeEnclosingPosition:position
620  withGranularity:granularity
621  inDirection:direction];
622  break;
623  }
624  return result;
625 }
626 
627 - (UITextRange*)lineEnclosingPosition:(UITextPosition*)position
628  inDirection:(UITextDirection)direction {
629  // TODO(hellohuanlin): remove iOS 17 check. The same logic should apply to older iOS version.
630  if (@available(iOS 17.0, *)) {
631  // According to the API doc if the text position is at a text-unit boundary, it is considered
632  // enclosed only if the next position in the given direction is entirely enclosed. Link:
633  // https://developer.apple.com/documentation/uikit/uitextinputtokenizer/1614464-rangeenclosingposition?language=objc
634  FlutterTextPosition* flutterPosition = (FlutterTextPosition*)position;
635  if (flutterPosition.index > _textInputView.text.length ||
636  (flutterPosition.index == _textInputView.text.length &&
637  direction == UITextStorageDirectionForward)) {
638  return nil;
639  }
640  }
641 
642  // Gets the first line break position after the input position.
643  NSString* textAfter = [_textInputView
644  textInRange:[_textInputView textRangeFromPosition:position
645  toPosition:[_textInputView endOfDocument]]];
646  NSArray<NSString*>* linesAfter = [textAfter componentsSeparatedByString:@"\n"];
647  NSInteger offSetToLineBreak = [linesAfter firstObject].length;
648  UITextPosition* lineBreakAfter = [_textInputView positionFromPosition:position
649  offset:offSetToLineBreak];
650  // Gets the first line break position before the input position.
651  NSString* textBefore = [_textInputView
652  textInRange:[_textInputView textRangeFromPosition:[_textInputView beginningOfDocument]
653  toPosition:position]];
654  NSArray<NSString*>* linesBefore = [textBefore componentsSeparatedByString:@"\n"];
655  NSInteger offSetFromLineBreak = [linesBefore lastObject].length;
656  UITextPosition* lineBreakBefore = [_textInputView positionFromPosition:position
657  offset:-offSetFromLineBreak];
658 
659  return [_textInputView textRangeFromPosition:lineBreakBefore toPosition:lineBreakAfter];
660 }
661 
662 @end
663 
664 #pragma mark - FlutterTextSelectionRect
665 
666 @implementation FlutterTextSelectionRect
667 
668 // Synthesize properties declared readonly in UITextSelectionRect.
669 @synthesize rect = _rect;
670 @synthesize writingDirection = _writingDirection;
671 @synthesize containsStart = _containsStart;
672 @synthesize containsEnd = _containsEnd;
673 @synthesize isVertical = _isVertical;
674 
675 + (instancetype)selectionRectWithRectAndInfo:(CGRect)rect
676  position:(NSUInteger)position
677  writingDirection:(NSWritingDirection)writingDirection
678  containsStart:(BOOL)containsStart
679  containsEnd:(BOOL)containsEnd
680  isVertical:(BOOL)isVertical {
681  return [[FlutterTextSelectionRect alloc] initWithRectAndInfo:rect
682  position:position
683  writingDirection:writingDirection
684  containsStart:containsStart
685  containsEnd:containsEnd
686  isVertical:isVertical];
687 }
688 
689 + (instancetype)selectionRectWithRect:(CGRect)rect position:(NSUInteger)position {
690  return [[FlutterTextSelectionRect alloc] initWithRectAndInfo:rect
691  position:position
692  writingDirection:NSWritingDirectionNatural
693  containsStart:NO
694  containsEnd:NO
695  isVertical:NO];
696 }
697 
698 + (instancetype)selectionRectWithRect:(CGRect)rect
699  position:(NSUInteger)position
700  writingDirection:(NSWritingDirection)writingDirection {
701  return [[FlutterTextSelectionRect alloc] initWithRectAndInfo:rect
702  position:position
703  writingDirection:writingDirection
704  containsStart:NO
705  containsEnd:NO
706  isVertical:NO];
707 }
708 
709 - (instancetype)initWithRectAndInfo:(CGRect)rect
710  position:(NSUInteger)position
711  writingDirection:(NSWritingDirection)writingDirection
712  containsStart:(BOOL)containsStart
713  containsEnd:(BOOL)containsEnd
714  isVertical:(BOOL)isVertical {
715  self = [super init];
716  if (self) {
717  self.rect = rect;
718  self.position = position;
719  self.writingDirection = writingDirection;
720  self.containsStart = containsStart;
721  self.containsEnd = containsEnd;
722  self.isVertical = isVertical;
723  }
724  return self;
725 }
726 
727 - (BOOL)isRTL {
728  return _writingDirection == NSWritingDirectionRightToLeft;
729 }
730 
731 @end
732 
733 #pragma mark - FlutterTextPlaceholder
734 
735 @implementation FlutterTextPlaceholder
736 
737 - (NSArray<UITextSelectionRect*>*)rects {
738  // Returning anything other than an empty array here seems to cause PencilKit to enter an
739  // infinite loop of allocating placeholders until the app crashes
740  return @[];
741 }
742 
743 @end
744 
745 // A FlutterTextInputView that masquerades as a UITextField, and forwards
746 // selectors it can't respond to a shared UITextField instance.
747 //
748 // Relevant API docs claim that password autofill supports any custom view
749 // that adopts the UITextInput protocol, automatic strong password seems to
750 // currently only support UITextFields, and password saving only supports
751 // UITextFields and UITextViews, as of iOS 13.5.
753 @property(nonatomic, retain, readonly) UITextField* textField;
754 @end
755 
756 @implementation FlutterSecureTextInputView {
757  UITextField* _textField;
758 }
759 
760 - (UITextField*)textField {
761  if (!_textField) {
762  _textField = [[UITextField alloc] init];
763  }
764  return _textField;
765 }
766 
767 - (BOOL)isKindOfClass:(Class)aClass {
768  return [super isKindOfClass:aClass] || (aClass == [UITextField class]);
769 }
770 
771 - (NSMethodSignature*)methodSignatureForSelector:(SEL)aSelector {
772  NSMethodSignature* signature = [super methodSignatureForSelector:aSelector];
773  if (!signature) {
774  signature = [self.textField methodSignatureForSelector:aSelector];
775  }
776  return signature;
777 }
778 
779 - (void)forwardInvocation:(NSInvocation*)anInvocation {
780  [anInvocation invokeWithTarget:self.textField];
781 }
782 
783 @end
784 
786 @property(nonatomic, readonly, weak) id<FlutterTextInputDelegate> textInputDelegate;
787 @property(nonatomic, readonly) UIView* hostView;
788 @end
789 
790 @interface FlutterTextInputView ()
791 @property(nonatomic, readonly, weak) FlutterTextInputPlugin* textInputPlugin;
792 @property(nonatomic, copy) NSString* autofillId;
793 @property(nonatomic, readonly) CATransform3D editableTransform;
794 @property(nonatomic, assign) CGRect markedRect;
795 // Disables the cursor from dismissing when firstResponder is resigned
796 @property(nonatomic, assign) BOOL preventCursorDismissWhenResignFirstResponder;
797 @property(nonatomic) BOOL isVisibleToAutofill;
798 @property(nonatomic, assign) BOOL accessibilityEnabled;
799 @property(nonatomic, assign) int textInputClient;
800 // The composed character that is temporarily removed by the keyboard API.
801 // This is cleared at the start of each keyboard interaction. (Enter a character, delete a character
802 // etc)
803 @property(nonatomic, copy) NSString* temporarilyDeletedComposedCharacter;
804 @property(nonatomic, assign) CGRect editMenuTargetRect;
805 @property(nonatomic, strong) NSArray<NSDictionary*>* editMenuItems;
806 
807 - (void)setEditableTransform:(NSArray*)matrix;
808 @end
809 
810 @implementation FlutterTextInputView {
811  int _textInputClient;
812  const char* _selectionAffinity;
814  UIInputViewController* _inputViewController;
816  FlutterScribbleInteractionStatus _scribbleInteractionStatus;
818  // Whether to show the system keyboard when this view
819  // becomes the first responder. Typically set to false
820  // when the app shows its own in-flutter keyboard.
825  UITextInteraction* _textInteraction API_AVAILABLE(ios(13.0));
826 }
827 
828 @synthesize tokenizer = _tokenizer;
829 
830 - (instancetype)initWithOwner:(FlutterTextInputPlugin*)textInputPlugin {
831  self = [super initWithFrame:CGRectZero];
832  if (self) {
833  _textInputPlugin = textInputPlugin;
834  _textInputClient = 0;
836  _preventCursorDismissWhenResignFirstResponder = NO;
837 
838  // UITextInput
839  _text = [[NSMutableString alloc] init];
840  _selectedTextRange = [[FlutterTextRange alloc] initWithNSRange:NSMakeRange(0, 0)];
841  _markedRect = kInvalidFirstRect;
843  _scribbleInteractionStatus = FlutterScribbleInteractionStatusNone;
844  _pendingDeltas = [[NSMutableArray alloc] init];
845  // Initialize with the zero matrix which is not
846  // an affine transform.
847  _editableTransform = CATransform3D();
848 
849  // UITextInputTraits
850  _autocapitalizationType = UITextAutocapitalizationTypeSentences;
851  _autocorrectionType = UITextAutocorrectionTypeDefault;
852  _spellCheckingType = UITextSpellCheckingTypeDefault;
853  _enablesReturnKeyAutomatically = NO;
854  _keyboardAppearance = UIKeyboardAppearanceDefault;
855  _keyboardType = UIKeyboardTypeDefault;
856  _returnKeyType = UIReturnKeyDone;
857  _secureTextEntry = NO;
858  _enableDeltaModel = NO;
860  _accessibilityEnabled = NO;
861  _smartQuotesType = UITextSmartQuotesTypeYes;
862  _smartDashesType = UITextSmartDashesTypeYes;
863  _selectionRects = [[NSArray alloc] init];
864 
865  if (@available(iOS 14.0, *)) {
866  UIScribbleInteraction* interaction = [[UIScribbleInteraction alloc] initWithDelegate:self];
867  [self addInteraction:interaction];
868  }
869  }
870 
871  if (@available(iOS 16.0, *)) {
872  _editMenuInteraction = [[UIEditMenuInteraction alloc] initWithDelegate:self];
873  [self addInteraction:_editMenuInteraction];
874  }
875 
876  return self;
877 }
878 
879 - (void)handleSearchWebAction {
880  [self.textInputDelegate flutterTextInputView:self
881  searchWebWithSelectedText:[self textInRange:_selectedTextRange]];
882 }
883 
884 - (void)handleLookUpAction {
885  [self.textInputDelegate flutterTextInputView:self
886  lookUpSelectedText:[self textInRange:_selectedTextRange]];
887 }
888 
889 - (void)handleShareAction {
890  [self.textInputDelegate flutterTextInputView:self
891  shareSelectedText:[self textInRange:_selectedTextRange]];
892 }
893 
894 // DFS algorithm to search a UICommand from the menu tree.
895 - (UICommand*)searchCommandWithSelector:(SEL)selector
896  element:(UIMenuElement*)element API_AVAILABLE(ios(16.0)) {
897  if ([element isKindOfClass:UICommand.class]) {
898  UICommand* command = (UICommand*)element;
899  return command.action == selector ? command : nil;
900  } else if ([element isKindOfClass:UIMenu.class]) {
901  NSArray<UIMenuElement*>* children = ((UIMenu*)element).children;
902  for (UIMenuElement* child in children) {
903  UICommand* result = [self searchCommandWithSelector:selector element:child];
904  if (result) {
905  return result;
906  }
907  }
908  return nil;
909  } else {
910  return nil;
911  }
912 }
913 
914 - (void)addBasicEditingCommandToItems:(NSMutableArray*)items
915  type:(NSString*)type
916  selector:(SEL)selector
917  suggestedMenu:(UIMenu*)suggestedMenu {
918  UICommand* command = [self searchCommandWithSelector:selector element:suggestedMenu];
919  if (command) {
920  [items addObject:command];
921  } else {
922  FML_LOG(ERROR) << "Cannot find context menu item of type \"" << type.UTF8String << "\".";
923  }
924 }
925 
926 - (void)addAdditionalBasicCommandToItems:(NSMutableArray*)items
927  type:(NSString*)type
928  selector:(SEL)selector
929  encodedItem:(NSDictionary<NSString*, id>*)encodedItem {
930  NSString* title = encodedItem[@"title"];
931  if (title) {
932  UICommand* command = [UICommand commandWithTitle:title
933  image:nil
934  action:selector
935  propertyList:nil];
936  [items addObject:command];
937  } else {
938  FML_LOG(ERROR) << "Missing title for context menu item of type \"" << type.UTF8String << "\".";
939  }
940 }
941 
942 - (UIMenu*)editMenuInteraction:(UIEditMenuInteraction*)interaction
943  menuForConfiguration:(UIEditMenuConfiguration*)configuration
944  suggestedActions:(NSArray<UIMenuElement*>*)suggestedActions API_AVAILABLE(ios(16.0)) {
945  UIMenu* suggestedMenu = [UIMenu menuWithChildren:suggestedActions];
946  if (!_editMenuItems) {
947  return suggestedMenu;
948  }
949 
950  NSMutableArray* items = [NSMutableArray array];
951  for (NSDictionary<NSString*, id>* encodedItem in _editMenuItems) {
952  NSString* type = encodedItem[@"type"];
953  if ([type isEqualToString:@"copy"]) {
954  [self addBasicEditingCommandToItems:items
955  type:type
956  selector:@selector(copy:)
957  suggestedMenu:suggestedMenu];
958  } else if ([type isEqualToString:@"paste"]) {
959  [self addBasicEditingCommandToItems:items
960  type:type
961  selector:@selector(paste:)
962  suggestedMenu:suggestedMenu];
963  } else if ([type isEqualToString:@"cut"]) {
964  [self addBasicEditingCommandToItems:items
965  type:type
966  selector:@selector(cut:)
967  suggestedMenu:suggestedMenu];
968  } else if ([type isEqualToString:@"delete"]) {
969  [self addBasicEditingCommandToItems:items
970  type:type
971  selector:@selector(delete:)
972  suggestedMenu:suggestedMenu];
973  } else if ([type isEqualToString:@"selectAll"]) {
974  [self addBasicEditingCommandToItems:items
975  type:type
976  selector:@selector(selectAll:)
977  suggestedMenu:suggestedMenu];
978  } else if ([type isEqualToString:@"searchWeb"]) {
979  [self addAdditionalBasicCommandToItems:items
980  type:type
981  selector:@selector(handleSearchWebAction)
982  encodedItem:encodedItem];
983  } else if ([type isEqualToString:@"share"]) {
984  [self addAdditionalBasicCommandToItems:items
985  type:type
986  selector:@selector(handleShareAction)
987  encodedItem:encodedItem];
988  } else if ([type isEqualToString:@"lookUp"]) {
989  [self addAdditionalBasicCommandToItems:items
990  type:type
991  selector:@selector(handleLookUpAction)
992  encodedItem:encodedItem];
993  }
994  }
995  return [UIMenu menuWithChildren:items];
996 }
997 
998 - (void)editMenuInteraction:(UIEditMenuInteraction*)interaction
999  willDismissMenuForConfiguration:(UIEditMenuConfiguration*)configuration
1000  animator:(id<UIEditMenuInteractionAnimating>)animator
1001  API_AVAILABLE(ios(16.0)) {
1002  [self.textInputDelegate flutterTextInputView:self
1003  willDismissEditMenuWithTextInputClient:_textInputClient];
1004 }
1005 
1006 - (CGRect)editMenuInteraction:(UIEditMenuInteraction*)interaction
1007  targetRectForConfiguration:(UIEditMenuConfiguration*)configuration API_AVAILABLE(ios(16.0)) {
1008  return _editMenuTargetRect;
1009 }
1010 
1011 - (void)showEditMenuWithTargetRect:(CGRect)targetRect
1012  items:(NSArray<NSDictionary*>*)items API_AVAILABLE(ios(16.0)) {
1013  _editMenuTargetRect = targetRect;
1014  _editMenuItems = items;
1015  UIEditMenuConfiguration* config =
1016  [UIEditMenuConfiguration configurationWithIdentifier:nil sourcePoint:CGPointZero];
1017  [self.editMenuInteraction presentEditMenuWithConfiguration:config];
1018 }
1019 
1020 - (void)hideEditMenu API_AVAILABLE(ios(16.0)) {
1021  [self.editMenuInteraction dismissMenu];
1022 }
1023 
1024 - (void)configureWithDictionary:(NSDictionary*)configuration {
1025  NSDictionary* inputType = configuration[kKeyboardType];
1026  NSString* keyboardAppearance = configuration[kKeyboardAppearance];
1027  NSDictionary* autofill = configuration[kAutofillProperties];
1028 
1029  self.secureTextEntry = [configuration[kSecureTextEntry] boolValue];
1030  self.enableDeltaModel = [configuration[kEnableDeltaModel] boolValue];
1031 
1033  self.keyboardType = ToUIKeyboardType(inputType);
1034  self.returnKeyType = ToUIReturnKeyType(configuration[kInputAction]);
1035  self.autocapitalizationType = ToUITextAutoCapitalizationType(configuration);
1036  _enableInteractiveSelection = [configuration[kEnableInteractiveSelection] boolValue];
1037  NSString* smartDashesType = configuration[kSmartDashesType];
1038  // This index comes from the SmartDashesType enum in the framework.
1039  bool smartDashesIsDisabled = smartDashesType && [smartDashesType isEqualToString:@"0"];
1040  self.smartDashesType = smartDashesIsDisabled ? UITextSmartDashesTypeNo : UITextSmartDashesTypeYes;
1041  NSString* smartQuotesType = configuration[kSmartQuotesType];
1042  // This index comes from the SmartQuotesType enum in the framework.
1043  bool smartQuotesIsDisabled = smartQuotesType && [smartQuotesType isEqualToString:@"0"];
1044  self.smartQuotesType = smartQuotesIsDisabled ? UITextSmartQuotesTypeNo : UITextSmartQuotesTypeYes;
1045  if ([keyboardAppearance isEqualToString:@"Brightness.dark"]) {
1046  self.keyboardAppearance = UIKeyboardAppearanceDark;
1047  } else if ([keyboardAppearance isEqualToString:@"Brightness.light"]) {
1048  self.keyboardAppearance = UIKeyboardAppearanceLight;
1049  } else {
1050  self.keyboardAppearance = UIKeyboardAppearanceDefault;
1051  }
1052  NSString* autocorrect = configuration[kAutocorrectionType];
1053  bool autocorrectIsDisabled = autocorrect && ![autocorrect boolValue];
1054  self.autocorrectionType =
1055  autocorrectIsDisabled ? UITextAutocorrectionTypeNo : UITextAutocorrectionTypeDefault;
1056  self.spellCheckingType =
1057  autocorrectIsDisabled ? UITextSpellCheckingTypeNo : UITextSpellCheckingTypeDefault;
1058  self.autofillId = AutofillIdFromDictionary(configuration);
1059  if (autofill == nil) {
1060  self.textContentType = @"";
1061  } else {
1062  self.textContentType = ToUITextContentType(autofill[kAutofillHints]);
1063  [self setTextInputState:autofill[kAutofillEditingValue]];
1064  NSAssert(_autofillId, @"The autofill configuration must contain an autofill id");
1065  }
1066  // The input field needs to be visible for the system autofill
1067  // to find it.
1068  self.isVisibleToAutofill = autofill || _secureTextEntry;
1069 }
1070 
1071 - (UITextContentType)textContentType {
1072  return _textContentType;
1073 }
1074 
1075 // Prevent UIKit from showing selection handles or highlights. This is needed
1076 // because Scribble interactions require the view to have it's actual frame on
1077 // the screen. They're not needed on iOS 17 with the new
1078 // UITextSelectionDisplayInteraction API.
1079 //
1080 // These are undocumented methods. On iOS 17, the insertion point color is also
1081 // used as the highlighted background of the selected IME candidate:
1082 // https://github.com/flutter/flutter/issues/132548
1083 // So the respondsToSelector method is overridden to return NO for this method
1084 // on iOS 17+.
1085 - (UIColor*)insertionPointColor {
1086  return [UIColor clearColor];
1087 }
1088 
1089 - (UIColor*)selectionBarColor {
1090  return [UIColor clearColor];
1091 }
1092 
1093 - (UIColor*)selectionHighlightColor {
1094  return [UIColor clearColor];
1095 }
1096 
1097 - (UIInputViewController*)inputViewController {
1099  return nil;
1100  }
1101 
1102  if (!_inputViewController) {
1103  _inputViewController = [[UIInputViewController alloc] init];
1104  }
1105  return _inputViewController;
1106 }
1107 
1108 - (id<FlutterTextInputDelegate>)textInputDelegate {
1109  return _textInputPlugin.textInputDelegate;
1110 }
1111 
1112 - (BOOL)respondsToSelector:(SEL)selector {
1113  if (@available(iOS 17.0, *)) {
1114  // See the comment on this method.
1115  if (selector == @selector(insertionPointColor)) {
1116  return NO;
1117  }
1118  }
1119  return [super respondsToSelector:selector];
1120 }
1121 
1122 - (void)setTextInputClient:(int)client {
1123  _textInputClient = client;
1124  _hasPlaceholder = NO;
1125 }
1126 
1127 - (UITextInteraction*)textInteraction API_AVAILABLE(ios(13.0)) {
1128  if (!_textInteraction) {
1129  _textInteraction = [UITextInteraction textInteractionForMode:UITextInteractionModeEditable];
1130  _textInteraction.textInput = self;
1131  }
1132  return _textInteraction;
1133 }
1134 
1135 - (void)setTextInputState:(NSDictionary*)state {
1136  if (@available(iOS 13.0, *)) {
1137  // [UITextInteraction willMoveToView:] sometimes sets the textInput's inputDelegate
1138  // to nil. This is likely a bug in UIKit. In order to inform the keyboard of text
1139  // and selection changes when that happens, add a dummy UITextInteraction to this
1140  // view so it sets a valid inputDelegate that we can call textWillChange et al. on.
1141  // See https://github.com/flutter/engine/pull/32881.
1142  if (!self.inputDelegate && self.isFirstResponder) {
1143  [self addInteraction:self.textInteraction];
1144  }
1145  }
1146 
1147  NSString* newText = state[@"text"];
1148  BOOL textChanged = ![self.text isEqualToString:newText];
1149  if (textChanged) {
1150  [self.inputDelegate textWillChange:self];
1151  [self.text setString:newText];
1152  }
1153  NSInteger composingBase = [state[@"composingBase"] intValue];
1154  NSInteger composingExtent = [state[@"composingExtent"] intValue];
1155  NSRange composingRange = [self clampSelection:NSMakeRange(MIN(composingBase, composingExtent),
1156  ABS(composingBase - composingExtent))
1157  forText:self.text];
1158 
1159  self.markedTextRange =
1160  composingRange.length > 0 ? [FlutterTextRange rangeWithNSRange:composingRange] : nil;
1161 
1162  NSRange selectedRange = [self clampSelectionFromBase:[state[@"selectionBase"] intValue]
1163  extent:[state[@"selectionExtent"] intValue]
1164  forText:self.text];
1165 
1166  NSRange oldSelectedRange = [(FlutterTextRange*)self.selectedTextRange range];
1167  if (!NSEqualRanges(selectedRange, oldSelectedRange)) {
1168  [self.inputDelegate selectionWillChange:self];
1169 
1170  [self setSelectedTextRangeLocal:[FlutterTextRange rangeWithNSRange:selectedRange]];
1171 
1173  if ([state[@"selectionAffinity"] isEqualToString:@(kTextAffinityUpstream)]) {
1175  }
1176  [self.inputDelegate selectionDidChange:self];
1177  }
1178 
1179  if (textChanged) {
1180  [self.inputDelegate textDidChange:self];
1181  }
1182 
1183  if (@available(iOS 13.0, *)) {
1184  if (_textInteraction) {
1185  [self removeInteraction:_textInteraction];
1186  }
1187  }
1188 }
1189 
1190 // Forward touches to the viewResponder to allow tapping inside the UITextField as normal.
1191 - (void)touchesBegan:(NSSet*)touches withEvent:(UIEvent*)event {
1192  _scribbleFocusStatus = FlutterScribbleFocusStatusUnfocused;
1193  [self resetScribbleInteractionStatusIfEnding];
1194  [self.viewResponder touchesBegan:touches withEvent:event];
1195 }
1196 
1197 - (void)touchesMoved:(NSSet*)touches withEvent:(UIEvent*)event {
1198  [self.viewResponder touchesMoved:touches withEvent:event];
1199 }
1200 
1201 - (void)touchesEnded:(NSSet*)touches withEvent:(UIEvent*)event {
1202  [self.viewResponder touchesEnded:touches withEvent:event];
1203 }
1204 
1205 - (void)touchesCancelled:(NSSet*)touches withEvent:(UIEvent*)event {
1206  [self.viewResponder touchesCancelled:touches withEvent:event];
1207 }
1208 
1209 - (void)touchesEstimatedPropertiesUpdated:(NSSet*)touches {
1210  [self.viewResponder touchesEstimatedPropertiesUpdated:touches];
1211 }
1212 
1213 // Extracts the selection information from the editing state dictionary.
1214 //
1215 // The state may contain an invalid selection, such as when no selection was
1216 // explicitly set in the framework. This is handled here by setting the
1217 // selection to (0,0). In contrast, Android handles this situation by
1218 // clearing the selection, but the result in both cases is that the cursor
1219 // is placed at the beginning of the field.
1220 - (NSRange)clampSelectionFromBase:(int)selectionBase
1221  extent:(int)selectionExtent
1222  forText:(NSString*)text {
1223  int loc = MIN(selectionBase, selectionExtent);
1224  int len = ABS(selectionExtent - selectionBase);
1225  return loc < 0 ? NSMakeRange(0, 0)
1226  : [self clampSelection:NSMakeRange(loc, len) forText:self.text];
1227 }
1228 
1229 - (NSRange)clampSelection:(NSRange)range forText:(NSString*)text {
1230  NSUInteger start = MIN(MAX(range.location, 0), text.length);
1231  NSUInteger length = MIN(range.length, text.length - start);
1232  return NSMakeRange(start, length);
1233 }
1234 
1235 - (BOOL)isVisibleToAutofill {
1236  return self.frame.size.width > 0 && self.frame.size.height > 0;
1237 }
1238 
1239 // An input view is generally ignored by password autofill attempts, if it's
1240 // not the first responder and is zero-sized. For input fields that are in the
1241 // autofill context but do not belong to the current autofill group, setting
1242 // their frames to CGRectZero prevents ios autofill from taking them into
1243 // account.
1244 - (void)setIsVisibleToAutofill:(BOOL)isVisibleToAutofill {
1245  // This probably needs to change (think it is getting overwritten by the updateSizeAndTransform
1246  // stuff for now).
1247  self.frame = isVisibleToAutofill ? CGRectMake(0, 0, 1, 1) : CGRectZero;
1248 }
1249 
1250 #pragma mark UIScribbleInteractionDelegate
1251 
1252 // Checks whether Scribble features are possibly available – meaning this is an iPad running iOS
1253 // 14 or higher.
1254 - (BOOL)isScribbleAvailable {
1255  if (@available(iOS 14.0, *)) {
1256  if (UI_USER_INTERFACE_IDIOM() == UIUserInterfaceIdiomPad) {
1257  return YES;
1258  }
1259  }
1260  return NO;
1261 }
1262 
1263 - (void)scribbleInteractionWillBeginWriting:(UIScribbleInteraction*)interaction
1264  API_AVAILABLE(ios(14.0)) {
1265  _scribbleInteractionStatus = FlutterScribbleInteractionStatusStarted;
1266  [self.textInputDelegate flutterTextInputViewScribbleInteractionBegan:self];
1267 }
1268 
1269 - (void)scribbleInteractionDidFinishWriting:(UIScribbleInteraction*)interaction
1270  API_AVAILABLE(ios(14.0)) {
1271  _scribbleInteractionStatus = FlutterScribbleInteractionStatusEnding;
1272  [self.textInputDelegate flutterTextInputViewScribbleInteractionFinished:self];
1273 }
1274 
1275 - (BOOL)scribbleInteraction:(UIScribbleInteraction*)interaction
1276  shouldBeginAtLocation:(CGPoint)location API_AVAILABLE(ios(14.0)) {
1277  return YES;
1278 }
1279 
1280 - (BOOL)scribbleInteractionShouldDelayFocus:(UIScribbleInteraction*)interaction
1281  API_AVAILABLE(ios(14.0)) {
1282  return NO;
1283 }
1284 
1285 #pragma mark - UIResponder Overrides
1286 
1287 - (BOOL)canBecomeFirstResponder {
1288  // Only the currently focused input field can
1289  // become the first responder. This prevents iOS
1290  // from changing focus by itself (the framework
1291  // focus will be out of sync if that happens).
1292  return _textInputClient != 0;
1293 }
1294 
1295 - (BOOL)resignFirstResponder {
1296  BOOL success = [super resignFirstResponder];
1297  if (success) {
1298  if (!_preventCursorDismissWhenResignFirstResponder) {
1299  [self.textInputDelegate flutterTextInputView:self
1300  didResignFirstResponderWithTextInputClient:_textInputClient];
1301  }
1302  }
1303  return success;
1304 }
1305 
1306 - (BOOL)canPerformAction:(SEL)action withSender:(id)sender {
1307  if (action == @selector(paste:)) {
1308  // Forbid pasting images, memojis, or other non-string content.
1309  return [UIPasteboard generalPasteboard].hasStrings;
1310  } else if (action == @selector(copy:) || action == @selector(cut:) ||
1311  action == @selector(delete:)) {
1312  return [self textInRange:_selectedTextRange].length > 0;
1313  } else if (action == @selector(selectAll:)) {
1314  return self.hasText;
1315  }
1316  return [super canPerformAction:action withSender:sender];
1317 }
1318 
1319 #pragma mark - UIResponderStandardEditActions Overrides
1320 
1321 - (void)cut:(id)sender {
1322  [UIPasteboard generalPasteboard].string = [self textInRange:_selectedTextRange];
1323  [self replaceRange:_selectedTextRange withText:@""];
1324 }
1325 
1326 - (void)copy:(id)sender {
1327  [UIPasteboard generalPasteboard].string = [self textInRange:_selectedTextRange];
1328 }
1329 
1330 - (void)paste:(id)sender {
1331  NSString* pasteboardString = [UIPasteboard generalPasteboard].string;
1332  if (pasteboardString != nil) {
1333  [self insertText:pasteboardString];
1334  }
1335 }
1336 
1337 - (void)delete:(id)sender {
1338  [self replaceRange:_selectedTextRange withText:@""];
1339 }
1340 
1341 - (void)selectAll:(id)sender {
1342  [self setSelectedTextRange:[self textRangeFromPosition:[self beginningOfDocument]
1343  toPosition:[self endOfDocument]]];
1344 }
1345 
1346 #pragma mark - UITextInput Overrides
1347 
1348 - (id<UITextInputTokenizer>)tokenizer {
1349  if (_tokenizer == nil) {
1350  _tokenizer = [[FlutterTokenizer alloc] initWithTextInput:self];
1351  }
1352  return _tokenizer;
1353 }
1354 
1355 - (UITextRange*)selectedTextRange {
1356  return [_selectedTextRange copy];
1357 }
1358 
1359 // Change the range of selected text, without notifying the framework.
1360 - (void)setSelectedTextRangeLocal:(UITextRange*)selectedTextRange {
1362  if (self.hasText) {
1363  FlutterTextRange* flutterTextRange = (FlutterTextRange*)selectedTextRange;
1365  rangeWithNSRange:fml::RangeForCharactersInRange(self.text, flutterTextRange.range)] copy];
1366  } else {
1367  _selectedTextRange = [selectedTextRange copy];
1368  }
1369  }
1370 }
1371 
1372 - (void)setSelectedTextRange:(UITextRange*)selectedTextRange {
1374  return;
1375  }
1376 
1377  [self setSelectedTextRangeLocal:selectedTextRange];
1378 
1379  if (_enableDeltaModel) {
1380  [self updateEditingStateWithDelta:flutter::TextEditingDelta([self.text UTF8String])];
1381  } else {
1382  [self updateEditingState];
1383  }
1384 
1385  if (_scribbleInteractionStatus != FlutterScribbleInteractionStatusNone ||
1386  _scribbleFocusStatus == FlutterScribbleFocusStatusFocused) {
1387  NSAssert([selectedTextRange isKindOfClass:[FlutterTextRange class]],
1388  @"Expected a FlutterTextRange for range (got %@).", [selectedTextRange class]);
1389  FlutterTextRange* flutterTextRange = (FlutterTextRange*)selectedTextRange;
1390  if (flutterTextRange.range.length > 0) {
1391  [self.textInputDelegate flutterTextInputView:self showToolbar:_textInputClient];
1392  }
1393  }
1394 
1395  [self resetScribbleInteractionStatusIfEnding];
1396 }
1397 
1398 - (id)insertDictationResultPlaceholder {
1399  return @"";
1400 }
1401 
1402 - (void)removeDictationResultPlaceholder:(id)placeholder willInsertResult:(BOOL)willInsertResult {
1403 }
1404 
1405 - (NSString*)textInRange:(UITextRange*)range {
1406  if (!range) {
1407  return nil;
1408  }
1409  NSAssert([range isKindOfClass:[FlutterTextRange class]],
1410  @"Expected a FlutterTextRange for range (got %@).", [range class]);
1411  NSRange textRange = ((FlutterTextRange*)range).range;
1412  if (textRange.location == NSNotFound) {
1413  // Avoids [crashes](https://github.com/flutter/flutter/issues/138464) from an assertion
1414  // against NSNotFound.
1415  // TODO(hellohuanlin): This is a temp workaround, but we should look into why
1416  // framework is providing NSNotFound to the engine.
1417  // https://github.com/flutter/flutter/issues/160100
1418  return nil;
1419  }
1420  // Sanitize the range to prevent going out of bounds.
1421  NSUInteger location = MIN(textRange.location, self.text.length);
1422  NSUInteger length = MIN(self.text.length - location, textRange.length);
1423  NSRange safeRange = NSMakeRange(location, length);
1424  return [self.text substringWithRange:safeRange];
1425 }
1426 
1427 // Replace the text within the specified range with the given text,
1428 // without notifying the framework.
1429 - (void)replaceRangeLocal:(NSRange)range withText:(NSString*)text {
1430  [self.text replaceCharactersInRange:[self clampSelection:range forText:self.text]
1431  withString:text];
1432 
1433  // Adjust the selected range and the marked text range. There's no
1434  // documentation but UITextField always sets markedTextRange to nil,
1435  // and collapses the selection to the end of the new replacement text.
1436  const NSRange newSelectionRange =
1437  [self clampSelection:NSMakeRange(range.location + text.length, 0) forText:self.text];
1438 
1439  [self setSelectedTextRangeLocal:[FlutterTextRange rangeWithNSRange:newSelectionRange]];
1440  self.markedTextRange = nil;
1441 }
1442 
1443 - (void)replaceRange:(UITextRange*)range withText:(NSString*)text {
1444  NSString* textBeforeChange = [self.text copy];
1445  NSRange replaceRange = ((FlutterTextRange*)range).range;
1446  [self replaceRangeLocal:replaceRange withText:text];
1447  if (_enableDeltaModel) {
1448  NSRange nextReplaceRange = [self clampSelection:replaceRange forText:textBeforeChange];
1449  [self updateEditingStateWithDelta:flutter::TextEditingDelta(
1450  [textBeforeChange UTF8String],
1451  flutter::TextRange(
1452  nextReplaceRange.location,
1453  nextReplaceRange.location + nextReplaceRange.length),
1454  [text UTF8String])];
1455  } else {
1456  [self updateEditingState];
1457  }
1458 }
1459 
1460 - (BOOL)shouldChangeTextInRange:(UITextRange*)range replacementText:(NSString*)text {
1461  // `temporarilyDeletedComposedCharacter` should only be used during a single text change session.
1462  // So it needs to be cleared at the start of each text editing session.
1463  self.temporarilyDeletedComposedCharacter = nil;
1464 
1465  if (self.returnKeyType == UIReturnKeyDefault && [text isEqualToString:@"\n"]) {
1466  [self.textInputDelegate flutterTextInputView:self
1467  performAction:FlutterTextInputActionNewline
1468  withClient:_textInputClient];
1469  return YES;
1470  }
1471 
1472  if ([text isEqualToString:@"\n"]) {
1473  FlutterTextInputAction action;
1474  switch (self.returnKeyType) {
1475  case UIReturnKeyDefault:
1476  action = FlutterTextInputActionUnspecified;
1477  break;
1478  case UIReturnKeyDone:
1479  action = FlutterTextInputActionDone;
1480  break;
1481  case UIReturnKeyGo:
1482  action = FlutterTextInputActionGo;
1483  break;
1484  case UIReturnKeySend:
1485  action = FlutterTextInputActionSend;
1486  break;
1487  case UIReturnKeySearch:
1488  case UIReturnKeyGoogle:
1489  case UIReturnKeyYahoo:
1490  action = FlutterTextInputActionSearch;
1491  break;
1492  case UIReturnKeyNext:
1493  action = FlutterTextInputActionNext;
1494  break;
1495  case UIReturnKeyContinue:
1496  action = FlutterTextInputActionContinue;
1497  break;
1498  case UIReturnKeyJoin:
1499  action = FlutterTextInputActionJoin;
1500  break;
1501  case UIReturnKeyRoute:
1502  action = FlutterTextInputActionRoute;
1503  break;
1504  case UIReturnKeyEmergencyCall:
1505  action = FlutterTextInputActionEmergencyCall;
1506  break;
1507  }
1508 
1509  [self.textInputDelegate flutterTextInputView:self
1510  performAction:action
1511  withClient:_textInputClient];
1512  return NO;
1513  }
1514 
1515  return YES;
1516 }
1517 
1518 // Either replaces the existing marked text or, if none is present, inserts it in
1519 // place of the current selection.
1520 - (void)setMarkedText:(NSString*)markedText selectedRange:(NSRange)markedSelectedRange {
1521  NSString* textBeforeChange = [self.text copy];
1522 
1523  if (_scribbleInteractionStatus != FlutterScribbleInteractionStatusNone ||
1524  _scribbleFocusStatus != FlutterScribbleFocusStatusUnfocused) {
1525  return;
1526  }
1527 
1528  if (markedText == nil) {
1529  markedText = @"";
1530  }
1531 
1532  const FlutterTextRange* currentMarkedTextRange = (FlutterTextRange*)self.markedTextRange;
1533  const NSRange& actualReplacedRange = currentMarkedTextRange && !currentMarkedTextRange.isEmpty
1534  ? currentMarkedTextRange.range
1536  // No need to call replaceRangeLocal as this method always adjusts the
1537  // selected/marked text ranges anyways.
1538  [self.text replaceCharactersInRange:actualReplacedRange withString:markedText];
1539 
1540  const NSRange newMarkedRange = NSMakeRange(actualReplacedRange.location, markedText.length);
1541  self.markedTextRange =
1542  newMarkedRange.length > 0 ? [FlutterTextRange rangeWithNSRange:newMarkedRange] : nil;
1543 
1544  [self setSelectedTextRangeLocal:
1546  rangeWithNSRange:[self clampSelection:NSMakeRange(markedSelectedRange.location +
1547  newMarkedRange.location,
1548  markedSelectedRange.length)
1549  forText:self.text]]];
1550  if (_enableDeltaModel) {
1551  NSRange nextReplaceRange = [self clampSelection:actualReplacedRange forText:textBeforeChange];
1552  [self updateEditingStateWithDelta:flutter::TextEditingDelta(
1553  [textBeforeChange UTF8String],
1554  flutter::TextRange(
1555  nextReplaceRange.location,
1556  nextReplaceRange.location + nextReplaceRange.length),
1557  [markedText UTF8String])];
1558  } else {
1559  [self updateEditingState];
1560  }
1561 }
1562 
1563 - (void)unmarkText {
1564  if (!self.markedTextRange) {
1565  return;
1566  }
1567  self.markedTextRange = nil;
1568  if (_enableDeltaModel) {
1569  [self updateEditingStateWithDelta:flutter::TextEditingDelta([self.text UTF8String])];
1570  } else {
1571  [self updateEditingState];
1572  }
1573 }
1574 
1575 - (UITextRange*)textRangeFromPosition:(UITextPosition*)fromPosition
1576  toPosition:(UITextPosition*)toPosition {
1577  NSUInteger fromIndex = ((FlutterTextPosition*)fromPosition).index;
1578  NSUInteger toIndex = ((FlutterTextPosition*)toPosition).index;
1579  if (toIndex >= fromIndex) {
1580  return [FlutterTextRange rangeWithNSRange:NSMakeRange(fromIndex, toIndex - fromIndex)];
1581  } else {
1582  // toIndex can be smaller than fromIndex, because
1583  // UITextInputStringTokenizer does not handle CJK characters
1584  // well in some cases. See:
1585  // https://github.com/flutter/flutter/issues/58750#issuecomment-644469521
1586  // Swap fromPosition and toPosition to match the behavior of native
1587  // UITextViews.
1588  return [FlutterTextRange rangeWithNSRange:NSMakeRange(toIndex, fromIndex - toIndex)];
1589  }
1590 }
1591 
1592 - (NSUInteger)decrementOffsetPosition:(NSUInteger)position {
1593  return fml::RangeForCharacterAtIndex(self.text, MAX(0, position - 1)).location;
1594 }
1595 
1596 - (NSUInteger)incrementOffsetPosition:(NSUInteger)position {
1597  NSRange charRange = fml::RangeForCharacterAtIndex(self.text, position);
1598  return MIN(position + charRange.length, self.text.length);
1599 }
1600 
1601 - (UITextPosition*)positionFromPosition:(UITextPosition*)position offset:(NSInteger)offset {
1602  NSUInteger offsetPosition = ((FlutterTextPosition*)position).index;
1603 
1604  NSInteger newLocation = (NSInteger)offsetPosition + offset;
1605  if (newLocation < 0 || newLocation > (NSInteger)self.text.length) {
1606  return nil;
1607  }
1608 
1609  if (_scribbleInteractionStatus != FlutterScribbleInteractionStatusNone) {
1610  return [FlutterTextPosition positionWithIndex:newLocation];
1611  }
1612 
1613  if (offset >= 0) {
1614  for (NSInteger i = 0; i < offset && offsetPosition < self.text.length; ++i) {
1615  offsetPosition = [self incrementOffsetPosition:offsetPosition];
1616  }
1617  } else {
1618  for (NSInteger i = 0; i < ABS(offset) && offsetPosition > 0; ++i) {
1619  offsetPosition = [self decrementOffsetPosition:offsetPosition];
1620  }
1621  }
1622  return [FlutterTextPosition positionWithIndex:offsetPosition];
1623 }
1624 
1625 - (UITextPosition*)positionFromPosition:(UITextPosition*)position
1626  inDirection:(UITextLayoutDirection)direction
1627  offset:(NSInteger)offset {
1628  // TODO(cbracken) Add RTL handling.
1629  switch (direction) {
1630  case UITextLayoutDirectionLeft:
1631  case UITextLayoutDirectionUp:
1632  return [self positionFromPosition:position offset:offset * -1];
1633  case UITextLayoutDirectionRight:
1634  case UITextLayoutDirectionDown:
1635  return [self positionFromPosition:position offset:1];
1636  }
1637 }
1638 
1639 - (UITextPosition*)beginningOfDocument {
1640  return [FlutterTextPosition positionWithIndex:0 affinity:UITextStorageDirectionForward];
1641 }
1642 
1643 - (UITextPosition*)endOfDocument {
1644  return [FlutterTextPosition positionWithIndex:self.text.length
1645  affinity:UITextStorageDirectionBackward];
1646 }
1647 
1648 - (NSComparisonResult)comparePosition:(UITextPosition*)position toPosition:(UITextPosition*)other {
1649  NSUInteger positionIndex = ((FlutterTextPosition*)position).index;
1650  NSUInteger otherIndex = ((FlutterTextPosition*)other).index;
1651  if (positionIndex < otherIndex) {
1652  return NSOrderedAscending;
1653  }
1654  if (positionIndex > otherIndex) {
1655  return NSOrderedDescending;
1656  }
1657  UITextStorageDirection positionAffinity = ((FlutterTextPosition*)position).affinity;
1658  UITextStorageDirection otherAffinity = ((FlutterTextPosition*)other).affinity;
1659  if (positionAffinity == otherAffinity) {
1660  return NSOrderedSame;
1661  }
1662  if (positionAffinity == UITextStorageDirectionBackward) {
1663  // positionAffinity points backwards, otherAffinity points forwards
1664  return NSOrderedAscending;
1665  }
1666  // positionAffinity points forwards, otherAffinity points backwards
1667  return NSOrderedDescending;
1668 }
1669 
1670 - (NSInteger)offsetFromPosition:(UITextPosition*)from toPosition:(UITextPosition*)toPosition {
1671  return ((FlutterTextPosition*)toPosition).index - ((FlutterTextPosition*)from).index;
1672 }
1673 
1674 - (UITextPosition*)positionWithinRange:(UITextRange*)range
1675  farthestInDirection:(UITextLayoutDirection)direction {
1676  NSUInteger index;
1677  UITextStorageDirection affinity;
1678  switch (direction) {
1679  case UITextLayoutDirectionLeft:
1680  case UITextLayoutDirectionUp:
1681  index = ((FlutterTextPosition*)range.start).index;
1682  affinity = UITextStorageDirectionForward;
1683  break;
1684  case UITextLayoutDirectionRight:
1685  case UITextLayoutDirectionDown:
1686  index = ((FlutterTextPosition*)range.end).index;
1687  affinity = UITextStorageDirectionBackward;
1688  break;
1689  }
1690  return [FlutterTextPosition positionWithIndex:index affinity:affinity];
1691 }
1692 
1693 - (UITextRange*)characterRangeByExtendingPosition:(UITextPosition*)position
1694  inDirection:(UITextLayoutDirection)direction {
1695  NSUInteger positionIndex = ((FlutterTextPosition*)position).index;
1696  NSUInteger startIndex;
1697  NSUInteger endIndex;
1698  switch (direction) {
1699  case UITextLayoutDirectionLeft:
1700  case UITextLayoutDirectionUp:
1701  startIndex = [self decrementOffsetPosition:positionIndex];
1702  endIndex = positionIndex;
1703  break;
1704  case UITextLayoutDirectionRight:
1705  case UITextLayoutDirectionDown:
1706  startIndex = positionIndex;
1707  endIndex = [self incrementOffsetPosition:positionIndex];
1708  break;
1709  }
1710  return [FlutterTextRange rangeWithNSRange:NSMakeRange(startIndex, endIndex - startIndex)];
1711 }
1712 
1713 #pragma mark - UITextInput text direction handling
1714 
1715 - (UITextWritingDirection)baseWritingDirectionForPosition:(UITextPosition*)position
1716  inDirection:(UITextStorageDirection)direction {
1717  // TODO(cbracken) Add RTL handling.
1718  return UITextWritingDirectionNatural;
1719 }
1720 
1721 - (void)setBaseWritingDirection:(UITextWritingDirection)writingDirection
1722  forRange:(UITextRange*)range {
1723  // TODO(cbracken) Add RTL handling.
1724 }
1725 
1726 #pragma mark - UITextInput cursor, selection rect handling
1727 
1728 - (void)setMarkedRect:(CGRect)markedRect {
1729  _markedRect = markedRect;
1730  // Invalidate the cache.
1732 }
1733 
1734 // This method expects a 4x4 perspective matrix
1735 // stored in a NSArray in column-major order.
1736 - (void)setEditableTransform:(NSArray*)matrix {
1737  CATransform3D* transform = &_editableTransform;
1738 
1739  transform->m11 = [matrix[0] doubleValue];
1740  transform->m12 = [matrix[1] doubleValue];
1741  transform->m13 = [matrix[2] doubleValue];
1742  transform->m14 = [matrix[3] doubleValue];
1743 
1744  transform->m21 = [matrix[4] doubleValue];
1745  transform->m22 = [matrix[5] doubleValue];
1746  transform->m23 = [matrix[6] doubleValue];
1747  transform->m24 = [matrix[7] doubleValue];
1748 
1749  transform->m31 = [matrix[8] doubleValue];
1750  transform->m32 = [matrix[9] doubleValue];
1751  transform->m33 = [matrix[10] doubleValue];
1752  transform->m34 = [matrix[11] doubleValue];
1753 
1754  transform->m41 = [matrix[12] doubleValue];
1755  transform->m42 = [matrix[13] doubleValue];
1756  transform->m43 = [matrix[14] doubleValue];
1757  transform->m44 = [matrix[15] doubleValue];
1758 
1759  // Invalidate the cache.
1761 }
1762 
1763 // Returns the bounding CGRect of the transformed incomingRect, in the view's
1764 // coordinates.
1765 - (CGRect)localRectFromFrameworkTransform:(CGRect)incomingRect {
1766  CGPoint points[] = {
1767  incomingRect.origin,
1768  CGPointMake(incomingRect.origin.x, incomingRect.origin.y + incomingRect.size.height),
1769  CGPointMake(incomingRect.origin.x + incomingRect.size.width, incomingRect.origin.y),
1770  CGPointMake(incomingRect.origin.x + incomingRect.size.width,
1771  incomingRect.origin.y + incomingRect.size.height)};
1772 
1773  CGPoint origin = CGPointMake(CGFLOAT_MAX, CGFLOAT_MAX);
1774  CGPoint farthest = CGPointMake(-CGFLOAT_MAX, -CGFLOAT_MAX);
1775 
1776  for (int i = 0; i < 4; i++) {
1777  const CGPoint point = points[i];
1778 
1779  CGFloat x = _editableTransform.m11 * point.x + _editableTransform.m21 * point.y +
1780  _editableTransform.m41;
1781  CGFloat y = _editableTransform.m12 * point.x + _editableTransform.m22 * point.y +
1782  _editableTransform.m42;
1783 
1784  const CGFloat w = _editableTransform.m14 * point.x + _editableTransform.m24 * point.y +
1785  _editableTransform.m44;
1786 
1787  if (w == 0.0) {
1788  return kInvalidFirstRect;
1789  } else if (w != 1.0) {
1790  x /= w;
1791  y /= w;
1792  }
1793 
1794  origin.x = MIN(origin.x, x);
1795  origin.y = MIN(origin.y, y);
1796  farthest.x = MAX(farthest.x, x);
1797  farthest.y = MAX(farthest.y, y);
1798  }
1799  return CGRectMake(origin.x, origin.y, farthest.x - origin.x, farthest.y - origin.y);
1800 }
1801 
1802 // The following methods are required to support force-touch cursor positioning
1803 // and to position the
1804 // candidates view for multi-stage input methods (e.g., Japanese) when using a
1805 // physical keyboard.
1806 // Returns the rect for the queried range, or a subrange through the end of line, if
1807 // the range encompasses multiple lines.
1808 - (CGRect)firstRectForRange:(UITextRange*)range {
1809  NSAssert([range.start isKindOfClass:[FlutterTextPosition class]],
1810  @"Expected a FlutterTextPosition for range.start (got %@).", [range.start class]);
1811  NSAssert([range.end isKindOfClass:[FlutterTextPosition class]],
1812  @"Expected a FlutterTextPosition for range.end (got %@).", [range.end class]);
1813  NSUInteger start = ((FlutterTextPosition*)range.start).index;
1814  NSUInteger end = ((FlutterTextPosition*)range.end).index;
1815  if (_markedTextRange != nil) {
1816  // The candidates view can't be shown if the framework has not sent the
1817  // first caret rect.
1818  if (CGRectEqualToRect(kInvalidFirstRect, _markedRect)) {
1819  return kInvalidFirstRect;
1820  }
1821 
1822  if (CGRectEqualToRect(_cachedFirstRect, kInvalidFirstRect)) {
1823  // If the width returned is too small, that means the framework sent us
1824  // the caret rect instead of the marked text rect. Expand it to 0.2 so
1825  // the IME candidates view would show up.
1826  CGRect rect = _markedRect;
1827  if (CGRectIsEmpty(rect)) {
1828  rect = CGRectInset(rect, -0.1, 0);
1829  }
1830  _cachedFirstRect = [self localRectFromFrameworkTransform:rect];
1831  }
1832 
1833  UIView* hostView = _textInputPlugin.hostView;
1834  NSAssert(hostView == nil || [self isDescendantOfView:hostView], @"%@ is not a descendant of %@",
1835  self, hostView);
1836  return hostView ? [hostView convertRect:_cachedFirstRect toView:self] : _cachedFirstRect;
1837  }
1838 
1839  if (_scribbleInteractionStatus == FlutterScribbleInteractionStatusNone &&
1840  _scribbleFocusStatus == FlutterScribbleFocusStatusUnfocused) {
1841  if (@available(iOS 17.0, *)) {
1842  // Disable auto-correction highlight feature for iOS 17+.
1843  // In iOS 17+, whenever a character is inserted or deleted, the system will always query
1844  // the rect for every single character of the current word.
1845  // GitHub Issue: https://github.com/flutter/flutter/issues/128406
1846  } else {
1847  // This tells the framework to show the highlight for incorrectly spelled word that is
1848  // about to be auto-corrected.
1849  // There is no other UITextInput API that informs about the auto-correction highlight.
1850  // So we simply add the call here as a workaround.
1851  [self.textInputDelegate flutterTextInputView:self
1852  showAutocorrectionPromptRectForStart:start
1853  end:end
1854  withClient:_textInputClient];
1855  }
1856  }
1857 
1858  // The iOS 16 system highlight does not repect the height returned by `firstRectForRange`
1859  // API (unlike iOS 17). So we return CGRectZero to hide it (unless if scribble is enabled).
1860  // To support scribble's advanced gestures (e.g. insert a space with a vertical bar),
1861  // at least 1 character's width is required.
1862  if (@available(iOS 17, *)) {
1863  // No-op
1864  } else if (![self isScribbleAvailable]) {
1865  return CGRectZero;
1866  }
1867 
1868  NSUInteger first = start;
1869  if (end < start) {
1870  first = end;
1871  }
1872 
1873  CGRect startSelectionRect = CGRectNull;
1874  CGRect endSelectionRect = CGRectNull;
1875  // Selection rects from different langauges may have different minY/maxY.
1876  // So we need to iterate through each rects to update minY/maxY.
1877  CGFloat minY = CGFLOAT_MAX;
1878  CGFloat maxY = CGFLOAT_MIN;
1879 
1880  FlutterTextRange* textRange = [FlutterTextRange
1881  rangeWithNSRange:fml::RangeForCharactersInRange(self.text, NSMakeRange(0, self.text.length))];
1882  for (NSUInteger i = 0; i < [_selectionRects count]; i++) {
1883  BOOL startsOnOrBeforeStartOfRange = _selectionRects[i].position <= first;
1884  BOOL isLastSelectionRect = i + 1 == [_selectionRects count];
1885  BOOL endOfTextIsAfterStartOfRange = isLastSelectionRect && textRange.range.length > first;
1886  BOOL nextSelectionRectIsAfterStartOfRange =
1887  !isLastSelectionRect && _selectionRects[i + 1].position > first;
1888  if (startsOnOrBeforeStartOfRange &&
1889  (endOfTextIsAfterStartOfRange || nextSelectionRectIsAfterStartOfRange)) {
1890  // TODO(hellohaunlin): Remove iOS 17 check. The logic should also work for older versions.
1891  if (@available(iOS 17, *)) {
1892  startSelectionRect = _selectionRects[i].rect;
1893  } else {
1894  return _selectionRects[i].rect;
1895  }
1896  }
1897  if (!CGRectIsNull(startSelectionRect)) {
1898  minY = fmin(minY, CGRectGetMinY(_selectionRects[i].rect));
1899  maxY = fmax(maxY, CGRectGetMaxY(_selectionRects[i].rect));
1900  BOOL endsOnOrAfterEndOfRange = _selectionRects[i].position >= end - 1; // end is exclusive
1901  BOOL nextSelectionRectIsOnNextLine =
1902  !isLastSelectionRect &&
1903  // Selection rects from different langauges in 2 lines may overlap with each other.
1904  // A good approximation is to check if the center of next rect is below the bottom of
1905  // current rect.
1906  // TODO(hellohuanlin): Consider passing the line break info from framework.
1907  CGRectGetMidY(_selectionRects[i + 1].rect) > CGRectGetMaxY(_selectionRects[i].rect);
1908  if (endsOnOrAfterEndOfRange || isLastSelectionRect || nextSelectionRectIsOnNextLine) {
1909  endSelectionRect = _selectionRects[i].rect;
1910  break;
1911  }
1912  }
1913  }
1914  if (CGRectIsNull(startSelectionRect) || CGRectIsNull(endSelectionRect)) {
1915  return CGRectZero;
1916  } else {
1917  // fmin/fmax to support both LTR and RTL languages.
1918  CGFloat minX = fmin(CGRectGetMinX(startSelectionRect), CGRectGetMinX(endSelectionRect));
1919  CGFloat maxX = fmax(CGRectGetMaxX(startSelectionRect), CGRectGetMaxX(endSelectionRect));
1920  return CGRectMake(minX, minY, maxX - minX, maxY - minY);
1921  }
1922 }
1923 
1924 - (CGRect)caretRectForPosition:(UITextPosition*)position {
1925  NSInteger index = ((FlutterTextPosition*)position).index;
1926  UITextStorageDirection affinity = ((FlutterTextPosition*)position).affinity;
1927  // Get the selectionRect of the characters before and after the requested caret position.
1928  NSArray<UITextSelectionRect*>* rects = [self
1929  selectionRectsForRange:[FlutterTextRange
1930  rangeWithNSRange:fml::RangeForCharactersInRange(
1931  self.text,
1932  NSMakeRange(
1933  MAX(0, index - 1),
1934  (index >= (NSInteger)self.text.length)
1935  ? 1
1936  : 2))]];
1937  if (rects.count == 0) {
1938  return CGRectZero;
1939  }
1940  if (index == 0) {
1941  // There is no character before the caret, so this will be the bounds of the character after the
1942  // caret position.
1943  CGRect characterAfterCaret = rects[0].rect;
1944  // Return a zero-width rectangle along the upstream edge of the character after the caret
1945  // position.
1946  if ([rects[0] isKindOfClass:[FlutterTextSelectionRect class]] &&
1947  ((FlutterTextSelectionRect*)rects[0]).isRTL) {
1948  return CGRectMake(characterAfterCaret.origin.x + characterAfterCaret.size.width,
1949  characterAfterCaret.origin.y, 0, characterAfterCaret.size.height);
1950  } else {
1951  return CGRectMake(characterAfterCaret.origin.x, characterAfterCaret.origin.y, 0,
1952  characterAfterCaret.size.height);
1953  }
1954  } else if (rects.count == 2 && affinity == UITextStorageDirectionForward) {
1955  // There are characters before and after the caret, with forward direction affinity.
1956  // It's better to use the character after the caret.
1957  CGRect characterAfterCaret = rects[1].rect;
1958  // Return a zero-width rectangle along the upstream edge of the character after the caret
1959  // position.
1960  if ([rects[1] isKindOfClass:[FlutterTextSelectionRect class]] &&
1961  ((FlutterTextSelectionRect*)rects[1]).isRTL) {
1962  return CGRectMake(characterAfterCaret.origin.x + characterAfterCaret.size.width,
1963  characterAfterCaret.origin.y, 0, characterAfterCaret.size.height);
1964  } else {
1965  return CGRectMake(characterAfterCaret.origin.x, characterAfterCaret.origin.y, 0,
1966  characterAfterCaret.size.height);
1967  }
1968  }
1969 
1970  // Covers 2 remaining cases:
1971  // 1. there are characters before and after the caret, with backward direction affinity.
1972  // 2. there is only 1 character before the caret (caret is at the end of text).
1973  // For both cases, return a zero-width rectangle along the downstream edge of the character
1974  // before the caret position.
1975  CGRect characterBeforeCaret = rects[0].rect;
1976  if ([rects[0] isKindOfClass:[FlutterTextSelectionRect class]] &&
1977  ((FlutterTextSelectionRect*)rects[0]).isRTL) {
1978  return CGRectMake(characterBeforeCaret.origin.x, characterBeforeCaret.origin.y, 0,
1979  characterBeforeCaret.size.height);
1980  } else {
1981  return CGRectMake(characterBeforeCaret.origin.x + characterBeforeCaret.size.width,
1982  characterBeforeCaret.origin.y, 0, characterBeforeCaret.size.height);
1983  }
1984 }
1985 
1986 - (UITextPosition*)closestPositionToPoint:(CGPoint)point {
1987  if ([_selectionRects count] == 0) {
1988  NSAssert([_selectedTextRange.start isKindOfClass:[FlutterTextPosition class]],
1989  @"Expected a FlutterTextPosition for position (got %@).",
1990  [_selectedTextRange.start class]);
1991  NSUInteger currentIndex = ((FlutterTextPosition*)_selectedTextRange.start).index;
1992  UITextStorageDirection currentAffinity =
1993  ((FlutterTextPosition*)_selectedTextRange.start).affinity;
1994  return [FlutterTextPosition positionWithIndex:currentIndex affinity:currentAffinity];
1995  }
1996 
1998  rangeWithNSRange:fml::RangeForCharactersInRange(self.text, NSMakeRange(0, self.text.length))];
1999  return [self closestPositionToPoint:point withinRange:range];
2000 }
2001 
2002 - (NSArray*)selectionRectsForRange:(UITextRange*)range {
2003  // At least in the simulator, swapping to the Japanese keyboard crashes the app as this method
2004  // is called immediately with a UITextRange with a UITextPosition rather than FlutterTextPosition
2005  // for the start and end.
2006  if (![range.start isKindOfClass:[FlutterTextPosition class]]) {
2007  return @[];
2008  }
2009  NSAssert([range.start isKindOfClass:[FlutterTextPosition class]],
2010  @"Expected a FlutterTextPosition for range.start (got %@).", [range.start class]);
2011  NSAssert([range.end isKindOfClass:[FlutterTextPosition class]],
2012  @"Expected a FlutterTextPosition for range.end (got %@).", [range.end class]);
2013  NSUInteger start = ((FlutterTextPosition*)range.start).index;
2014  NSUInteger end = ((FlutterTextPosition*)range.end).index;
2015  NSMutableArray* rects = [[NSMutableArray alloc] init];
2016  for (NSUInteger i = 0; i < [_selectionRects count]; i++) {
2017  if (_selectionRects[i].position >= start &&
2018  (_selectionRects[i].position < end ||
2019  (start == end && _selectionRects[i].position <= end))) {
2020  float width = _selectionRects[i].rect.size.width;
2021  if (start == end) {
2022  width = 0;
2023  }
2024  CGRect rect = CGRectMake(_selectionRects[i].rect.origin.x, _selectionRects[i].rect.origin.y,
2025  width, _selectionRects[i].rect.size.height);
2028  position:_selectionRects[i].position
2029  writingDirection:NSWritingDirectionNatural
2030  containsStart:(i == 0)
2031  containsEnd:(i == fml::RangeForCharactersInRange(
2032  self.text, NSMakeRange(0, self.text.length))
2033  .length)
2034  isVertical:NO];
2035  [rects addObject:selectionRect];
2036  }
2037  }
2038  return rects;
2039 }
2040 
2041 - (UITextPosition*)closestPositionToPoint:(CGPoint)point withinRange:(UITextRange*)range {
2042  NSAssert([range.start isKindOfClass:[FlutterTextPosition class]],
2043  @"Expected a FlutterTextPosition for range.start (got %@).", [range.start class]);
2044  NSAssert([range.end isKindOfClass:[FlutterTextPosition class]],
2045  @"Expected a FlutterTextPosition for range.end (got %@).", [range.end class]);
2046  NSUInteger start = ((FlutterTextPosition*)range.start).index;
2047  NSUInteger end = ((FlutterTextPosition*)range.end).index;
2048 
2049  // Selecting text using the floating cursor is not as precise as the pencil.
2050  // Allow further vertical deviation and base more of the decision on horizontal comparison.
2051  CGFloat verticalPrecision = _isFloatingCursorActive ? 10 : 1;
2052 
2053  // Find the selectionRect with a leading-center point that is closest to a given point.
2054  BOOL isFirst = YES;
2055  NSUInteger _closestRectIndex = 0;
2056  for (NSUInteger i = 0; i < [_selectionRects count]; i++) {
2057  NSUInteger position = _selectionRects[i].position;
2058  if (position >= start && position <= end) {
2059  if (isFirst ||
2061  point, _selectionRects[i].rect, _selectionRects[i].isRTL,
2062  /*useTrailingBoundaryOfSelectionRect=*/NO, _selectionRects[_closestRectIndex].rect,
2063  _selectionRects[_closestRectIndex].isRTL, verticalPrecision)) {
2064  isFirst = NO;
2065  _closestRectIndex = i;
2066  }
2067  }
2068  }
2069 
2070  FlutterTextPosition* closestPosition =
2071  [FlutterTextPosition positionWithIndex:_selectionRects[_closestRectIndex].position
2072  affinity:UITextStorageDirectionForward];
2073 
2074  // Check if the far side of the closest rect is a better fit (e.g. tapping end of line)
2075  // Cannot simply check the _closestRectIndex result from the previous for loop due to RTL
2076  // writing direction and the gaps between selectionRects. So we also need to consider
2077  // the adjacent selectionRects to refine _closestRectIndex.
2078  for (NSUInteger i = MAX(0, _closestRectIndex - 1);
2079  i < MIN(_closestRectIndex + 2, [_selectionRects count]); i++) {
2080  NSUInteger position = _selectionRects[i].position + 1;
2081  if (position >= start && position <= end) {
2083  point, _selectionRects[i].rect, _selectionRects[i].isRTL,
2084  /*useTrailingBoundaryOfSelectionRect=*/YES, _selectionRects[_closestRectIndex].rect,
2085  _selectionRects[_closestRectIndex].isRTL, verticalPrecision)) {
2086  // This is an upstream position
2087  closestPosition = [FlutterTextPosition positionWithIndex:position
2088  affinity:UITextStorageDirectionBackward];
2089  }
2090  }
2091  }
2092 
2093  return closestPosition;
2094 }
2095 
2096 - (UITextRange*)characterRangeAtPoint:(CGPoint)point {
2097  // TODO(cbracken) Implement.
2098  NSUInteger currentIndex = ((FlutterTextPosition*)_selectedTextRange.start).index;
2099  return [FlutterTextRange rangeWithNSRange:fml::RangeForCharacterAtIndex(self.text, currentIndex)];
2100 }
2101 
2102 // Overall logic for floating cursor's "move" gesture and "selection" gesture:
2103 //
2104 // Floating cursor's "move" gesture takes 1 finger to force press the space bar, and then move the
2105 // cursor. The process starts with `beginFloatingCursorAtPoint`. When the finger is moved,
2106 // `updateFloatingCursorAtPoint` will be called. When the finger is released, `endFloatingCursor`
2107 // will be called. In all cases, we send the point (relative to the initial point registered in
2108 // beginFloatingCursorAtPoint) to the framework, so that framework can animate the floating cursor.
2109 //
2110 // During the move gesture, the framework only animate the cursor visually. It's only
2111 // after the gesture is complete, will the framework update the selection to the cursor's
2112 // new position (with zero selection length). This means during the animation, the visual effect
2113 // of the cursor is temporarily out of sync with the selection state in both framework and engine.
2114 // But it will be in sync again after the animation is complete.
2115 //
2116 // Floating cursor's "selection" gesture also starts with 1 finger to force press the space bar,
2117 // so exactly the same functions as the "move gesture" discussed above will be called. When the
2118 // second finger is pressed, `setSelectedText` will be called. This mechanism requires
2119 // `closestPositionFromPoint` to be implemented, to allow UIKit to translate the finger touch
2120 // location displacement to the text range to select. When the selection is completed
2121 // (i.e. when both of the 2 fingers are released), similar to "move" gesture,
2122 // the `endFloatingCursor` will be called.
2123 //
2124 // When the 2nd finger is pressed, it does not trigger another startFloatingCursor call. So
2125 // floating cursor move/selection logic has to be implemented in iOS embedder rather than
2126 // just the framework side.
2127 //
2128 // Whenever a selection is updated, the engine sends the new selection to the framework. So unlike
2129 // the move gesture, the selections in the framework and the engine are always kept in sync.
2130 - (void)beginFloatingCursorAtPoint:(CGPoint)point {
2131  // For "beginFloatingCursorAtPoint" and "updateFloatingCursorAtPoint", "point" is roughly:
2132  //
2133  // CGPoint(
2134  // width >= 0 ? point.x.clamp(boundingBox.left, boundingBox.right) : point.x,
2135  // height >= 0 ? point.y.clamp(boundingBox.top, boundingBox.bottom) : point.y,
2136  // )
2137  // where
2138  // point = keyboardPanGestureRecognizer.translationInView(textInputView) + caretRectForPosition
2139  // boundingBox = self.convertRect(bounds, fromView:textInputView)
2140  // bounds = self._selectionClipRect ?? self.bounds
2141  //
2142  // It seems impossible to use a negative "width" or "height", as the "convertRect"
2143  // call always turns a CGRect's negative dimensions into non-negative values, e.g.,
2144  // (1, 2, -3, -4) would become (-2, -2, 3, 4).
2146  _floatingCursorOffset = point;
2147  [self.textInputDelegate flutterTextInputView:self
2148  updateFloatingCursor:FlutterFloatingCursorDragStateStart
2149  withClient:_textInputClient
2150  withPosition:@{@"X" : @0, @"Y" : @0}];
2151 }
2152 
2153 - (void)updateFloatingCursorAtPoint:(CGPoint)point {
2154  [self.textInputDelegate flutterTextInputView:self
2155  updateFloatingCursor:FlutterFloatingCursorDragStateUpdate
2156  withClient:_textInputClient
2157  withPosition:@{
2158  @"X" : @(point.x - _floatingCursorOffset.x),
2159  @"Y" : @(point.y - _floatingCursorOffset.y)
2160  }];
2161 }
2162 
2163 - (void)endFloatingCursor {
2165  [self.textInputDelegate flutterTextInputView:self
2166  updateFloatingCursor:FlutterFloatingCursorDragStateEnd
2167  withClient:_textInputClient
2168  withPosition:@{@"X" : @0, @"Y" : @0}];
2169 }
2170 
2171 #pragma mark - UIKeyInput Overrides
2172 
2173 - (void)updateEditingState {
2174  NSUInteger selectionBase = ((FlutterTextPosition*)_selectedTextRange.start).index;
2175  NSUInteger selectionExtent = ((FlutterTextPosition*)_selectedTextRange.end).index;
2176 
2177  // Empty compositing range is represented by the framework's TextRange.empty.
2178  NSInteger composingBase = -1;
2179  NSInteger composingExtent = -1;
2180  if (self.markedTextRange != nil) {
2181  composingBase = ((FlutterTextPosition*)self.markedTextRange.start).index;
2182  composingExtent = ((FlutterTextPosition*)self.markedTextRange.end).index;
2183  }
2184  NSDictionary* state = @{
2185  @"selectionBase" : @(selectionBase),
2186  @"selectionExtent" : @(selectionExtent),
2187  @"selectionAffinity" : @(_selectionAffinity),
2188  @"selectionIsDirectional" : @(false),
2189  @"composingBase" : @(composingBase),
2190  @"composingExtent" : @(composingExtent),
2191  @"text" : [NSString stringWithString:self.text],
2192  };
2193 
2194  if (_textInputClient == 0 && _autofillId != nil) {
2195  [self.textInputDelegate flutterTextInputView:self
2196  updateEditingClient:_textInputClient
2197  withState:state
2198  withTag:_autofillId];
2199  } else {
2200  [self.textInputDelegate flutterTextInputView:self
2201  updateEditingClient:_textInputClient
2202  withState:state];
2203  }
2204 }
2205 
2206 - (void)updateEditingStateWithDelta:(flutter::TextEditingDelta)delta {
2207  NSUInteger selectionBase = ((FlutterTextPosition*)_selectedTextRange.start).index;
2208  NSUInteger selectionExtent = ((FlutterTextPosition*)_selectedTextRange.end).index;
2209 
2210  // Empty compositing range is represented by the framework's TextRange.empty.
2211  NSInteger composingBase = -1;
2212  NSInteger composingExtent = -1;
2213  if (self.markedTextRange != nil) {
2214  composingBase = ((FlutterTextPosition*)self.markedTextRange.start).index;
2215  composingExtent = ((FlutterTextPosition*)self.markedTextRange.end).index;
2216  }
2217 
2218  NSDictionary* deltaToFramework = @{
2219  @"oldText" : @(delta.old_text().c_str()),
2220  @"deltaText" : @(delta.delta_text().c_str()),
2221  @"deltaStart" : @(delta.delta_start()),
2222  @"deltaEnd" : @(delta.delta_end()),
2223  @"selectionBase" : @(selectionBase),
2224  @"selectionExtent" : @(selectionExtent),
2225  @"selectionAffinity" : @(_selectionAffinity),
2226  @"selectionIsDirectional" : @(false),
2227  @"composingBase" : @(composingBase),
2228  @"composingExtent" : @(composingExtent),
2229  };
2230 
2231  [_pendingDeltas addObject:deltaToFramework];
2232 
2233  if (_pendingDeltas.count == 1) {
2234  __weak FlutterTextInputView* weakSelf = self;
2235  dispatch_async(dispatch_get_main_queue(), ^{
2236  __strong FlutterTextInputView* strongSelf = weakSelf;
2237  if (strongSelf && strongSelf.pendingDeltas.count > 0) {
2238  NSDictionary* deltas = @{
2239  @"deltas" : strongSelf.pendingDeltas,
2240  };
2241 
2242  [strongSelf.textInputDelegate flutterTextInputView:strongSelf
2243  updateEditingClient:strongSelf->_textInputClient
2244  withDelta:deltas];
2245  [strongSelf.pendingDeltas removeAllObjects];
2246  }
2247  });
2248  }
2249 }
2250 
2251 - (BOOL)hasText {
2252  return self.text.length > 0;
2253 }
2254 
2255 - (void)insertText:(NSString*)text {
2256  if (self.temporarilyDeletedComposedCharacter.length > 0 && text.length == 1 && !text.UTF8String &&
2257  [text characterAtIndex:0] == [self.temporarilyDeletedComposedCharacter characterAtIndex:0]) {
2258  // Workaround for https://github.com/flutter/flutter/issues/111494
2259  // TODO(cyanglaz): revert this workaround if when flutter supports a minimum iOS version which
2260  // this bug is fixed by Apple.
2261  text = self.temporarilyDeletedComposedCharacter;
2262  self.temporarilyDeletedComposedCharacter = nil;
2263  }
2264 
2265  NSMutableArray<FlutterTextSelectionRect*>* copiedRects =
2266  [[NSMutableArray alloc] initWithCapacity:[_selectionRects count]];
2267  NSAssert([_selectedTextRange.start isKindOfClass:[FlutterTextPosition class]],
2268  @"Expected a FlutterTextPosition for position (got %@).",
2269  [_selectedTextRange.start class]);
2270  NSUInteger insertPosition = ((FlutterTextPosition*)_selectedTextRange.start).index;
2271  for (NSUInteger i = 0; i < [_selectionRects count]; i++) {
2272  NSUInteger rectPosition = _selectionRects[i].position;
2273  if (rectPosition == insertPosition) {
2274  for (NSUInteger j = 0; j <= text.length; j++) {
2275  [copiedRects addObject:[FlutterTextSelectionRect
2276  selectionRectWithRect:_selectionRects[i].rect
2277  position:rectPosition + j
2278  writingDirection:_selectionRects[i].writingDirection]];
2279  }
2280  } else {
2281  if (rectPosition > insertPosition) {
2282  rectPosition = rectPosition + text.length;
2283  }
2284  [copiedRects addObject:[FlutterTextSelectionRect
2285  selectionRectWithRect:_selectionRects[i].rect
2286  position:rectPosition
2287  writingDirection:_selectionRects[i].writingDirection]];
2288  }
2289  }
2290 
2291  _scribbleFocusStatus = FlutterScribbleFocusStatusUnfocused;
2292  [self resetScribbleInteractionStatusIfEnding];
2293  self.selectionRects = copiedRects;
2295  [self replaceRange:_selectedTextRange withText:text];
2296 }
2297 
2298 - (UITextPlaceholder*)insertTextPlaceholderWithSize:(CGSize)size API_AVAILABLE(ios(13.0)) {
2299  [self.textInputDelegate flutterTextInputView:self
2300  insertTextPlaceholderWithSize:size
2301  withClient:_textInputClient];
2302  _hasPlaceholder = YES;
2303  return [[FlutterTextPlaceholder alloc] init];
2304 }
2305 
2306 - (void)removeTextPlaceholder:(UITextPlaceholder*)textPlaceholder API_AVAILABLE(ios(13.0)) {
2307  _hasPlaceholder = NO;
2308  [self.textInputDelegate flutterTextInputView:self removeTextPlaceholder:_textInputClient];
2309 }
2310 
2311 - (void)deleteBackward {
2313  _scribbleFocusStatus = FlutterScribbleFocusStatusUnfocused;
2314  [self resetScribbleInteractionStatusIfEnding];
2315 
2316  // When deleting Thai vowel, _selectedTextRange has location
2317  // but does not have length, so we have to manually set it.
2318  // In addition, we needed to delete only a part of grapheme cluster
2319  // because it is the expected behavior of Thai input.
2320  // https://github.com/flutter/flutter/issues/24203
2321  // https://github.com/flutter/flutter/issues/21745
2322  // https://github.com/flutter/flutter/issues/39399
2323  //
2324  // This is needed for correct handling of the deletion of Thai vowel input.
2325  // TODO(cbracken): Get a good understanding of expected behavior of Thai
2326  // input and ensure that this is the correct solution.
2327  // https://github.com/flutter/flutter/issues/28962
2328  if (_selectedTextRange.isEmpty && [self hasText]) {
2329  UITextRange* oldSelectedRange = _selectedTextRange;
2330  NSRange oldRange = ((FlutterTextRange*)oldSelectedRange).range;
2331  if (oldRange.location > 0) {
2332  NSRange newRange = NSMakeRange(oldRange.location - 1, 1);
2333 
2334  // We should check if the last character is a part of emoji.
2335  // If so, we must delete the entire emoji to prevent the text from being malformed.
2336  NSRange charRange = fml::RangeForCharacterAtIndex(self.text, oldRange.location - 1);
2337  if (IsEmoji(self.text, charRange)) {
2338  newRange = NSMakeRange(charRange.location, oldRange.location - charRange.location);
2339  }
2340 
2342  }
2343  }
2344 
2345  if (!_selectedTextRange.isEmpty) {
2346  // Cache the last deleted emoji to use for an iOS bug where the next
2347  // insertion corrupts the emoji characters.
2348  // See: https://github.com/flutter/flutter/issues/111494#issuecomment-1248441346
2349  if (IsEmoji(self.text, _selectedTextRange.range)) {
2350  NSString* deletedText = [self.text substringWithRange:_selectedTextRange.range];
2351  NSRange deleteFirstCharacterRange = fml::RangeForCharacterAtIndex(deletedText, 0);
2352  self.temporarilyDeletedComposedCharacter =
2353  [deletedText substringWithRange:deleteFirstCharacterRange];
2354  }
2355  [self replaceRange:_selectedTextRange withText:@""];
2356  }
2357 }
2358 
2359 - (void)postAccessibilityNotification:(UIAccessibilityNotifications)notification target:(id)target {
2360  UIAccessibilityPostNotification(notification, target);
2361 }
2362 
2363 - (void)accessibilityElementDidBecomeFocused {
2364  if ([self accessibilityElementIsFocused]) {
2365  // For most of the cases, this flutter text input view should never
2366  // receive the focus. If we do receive the focus, we make the best effort
2367  // to send the focus back to the real text field.
2368  FML_DCHECK(_backingTextInputAccessibilityObject);
2369  [self postAccessibilityNotification:UIAccessibilityScreenChangedNotification
2370  target:_backingTextInputAccessibilityObject];
2371  }
2372 }
2373 
2374 - (BOOL)accessibilityElementsHidden {
2375  return !_accessibilityEnabled;
2376 }
2377 
2379  if (_scribbleInteractionStatus == FlutterScribbleInteractionStatusEnding) {
2380  _scribbleInteractionStatus = FlutterScribbleInteractionStatusNone;
2381  }
2382 }
2383 
2384 #pragma mark - Key Events Handling
2385 - (void)pressesBegan:(NSSet<UIPress*>*)presses
2386  withEvent:(UIPressesEvent*)event API_AVAILABLE(ios(9.0)) {
2387  [_textInputPlugin.viewController pressesBegan:presses withEvent:event];
2388 }
2389 
2390 - (void)pressesChanged:(NSSet<UIPress*>*)presses
2391  withEvent:(UIPressesEvent*)event API_AVAILABLE(ios(9.0)) {
2392  [_textInputPlugin.viewController pressesChanged:presses withEvent:event];
2393 }
2394 
2395 - (void)pressesEnded:(NSSet<UIPress*>*)presses
2396  withEvent:(UIPressesEvent*)event API_AVAILABLE(ios(9.0)) {
2397  [_textInputPlugin.viewController pressesEnded:presses withEvent:event];
2398 }
2399 
2400 - (void)pressesCancelled:(NSSet<UIPress*>*)presses
2401  withEvent:(UIPressesEvent*)event API_AVAILABLE(ios(9.0)) {
2402  [_textInputPlugin.viewController pressesCancelled:presses withEvent:event];
2403 }
2404 
2405 @end
2406 
2407 /**
2408  * Hides `FlutterTextInputView` from iOS accessibility system so it
2409  * does not show up twice, once where it is in the `UIView` hierarchy,
2410  * and a second time as part of the `SemanticsObject` hierarchy.
2411  *
2412  * This prevents the `FlutterTextInputView` from receiving the focus
2413  * due to swiping gesture.
2414  *
2415  * There are other cases the `FlutterTextInputView` may receive
2416  * focus. One example is during screen changes, the accessibility
2417  * tree will undergo a dramatic structural update. The Voiceover may
2418  * decide to focus the `FlutterTextInputView` that is not involved
2419  * in the structural update instead. If that happens, the
2420  * `FlutterTextInputView` will make a best effort to direct the
2421  * focus back to the `SemanticsObject`.
2422  */
2424 }
2425 
2426 @end
2427 
2429 }
2430 
2431 - (BOOL)accessibilityElementsHidden {
2432  return YES;
2433 }
2434 
2435 @end
2436 
2437 @interface FlutterTextInputPlugin ()
2438 - (void)enableActiveViewAccessibility;
2439 @end
2440 
2441 @interface FlutterTimerProxy : NSObject
2442 @property(nonatomic, weak) FlutterTextInputPlugin* target;
2443 @end
2444 
2445 @implementation FlutterTimerProxy
2446 
2447 + (instancetype)proxyWithTarget:(FlutterTextInputPlugin*)target {
2448  FlutterTimerProxy* proxy = [[self alloc] init];
2449  if (proxy) {
2450  proxy.target = target;
2451  }
2452  return proxy;
2453 }
2454 
2455 - (void)enableActiveViewAccessibility {
2456  [self.target enableActiveViewAccessibility];
2457 }
2458 
2459 @end
2460 
2461 @interface FlutterTextInputPlugin ()
2462 // The current password-autofillable input fields that have yet to be saved.
2463 @property(nonatomic, readonly)
2464  NSMutableDictionary<NSString*, FlutterTextInputView*>* autofillContext;
2465 @property(nonatomic, retain) FlutterTextInputView* activeView;
2466 @property(nonatomic, retain) FlutterTextInputViewAccessibilityHider* inputHider;
2467 @property(nonatomic, readonly, weak) id<FlutterViewResponder> viewResponder;
2468 
2469 @property(nonatomic, strong) UIView* keyboardViewContainer;
2470 @property(nonatomic, strong) UIView* keyboardView;
2471 @property(nonatomic, strong) UIView* cachedFirstResponder;
2472 @property(nonatomic, assign) CGRect keyboardRect;
2473 @property(nonatomic, assign) CGFloat previousPointerYPosition;
2474 @property(nonatomic, assign) CGFloat pointerYVelocity;
2475 @end
2476 
2477 @implementation FlutterTextInputPlugin {
2478  NSTimer* _enableFlutterTextInputViewAccessibilityTimer;
2479 }
2480 
2481 - (instancetype)initWithDelegate:(id<FlutterTextInputDelegate>)textInputDelegate {
2482  self = [super init];
2483  if (self) {
2484  // `_textInputDelegate` is a weak reference because it should retain FlutterTextInputPlugin.
2485  _textInputDelegate = textInputDelegate;
2486  _autofillContext = [[NSMutableDictionary alloc] init];
2487  _inputHider = [[FlutterTextInputViewAccessibilityHider alloc] init];
2488  _scribbleElements = [[NSMutableDictionary alloc] init];
2489  _keyboardViewContainer = [[UIView alloc] init];
2490 
2491  [[NSNotificationCenter defaultCenter] addObserver:self
2492  selector:@selector(handleKeyboardWillShow:)
2493  name:UIKeyboardWillShowNotification
2494  object:nil];
2495  }
2496 
2497  return self;
2498 }
2499 
2500 - (void)handleKeyboardWillShow:(NSNotification*)notification {
2501  NSDictionary* keyboardInfo = [notification userInfo];
2502  NSValue* keyboardFrameEnd = [keyboardInfo valueForKey:UIKeyboardFrameEndUserInfoKey];
2503  _keyboardRect = [keyboardFrameEnd CGRectValue];
2504 }
2505 
2506 - (void)dealloc {
2507  [self hideTextInput];
2508 }
2509 
2510 - (void)removeEnableFlutterTextInputViewAccessibilityTimer {
2511  if (_enableFlutterTextInputViewAccessibilityTimer) {
2512  [_enableFlutterTextInputViewAccessibilityTimer invalidate];
2513  _enableFlutterTextInputViewAccessibilityTimer = nil;
2514  }
2515 }
2516 
2517 - (UIView<UITextInput>*)textInputView {
2518  return _activeView;
2519 }
2520 
2521 - (void)handleMethodCall:(FlutterMethodCall*)call result:(FlutterResult)result {
2522  NSString* method = call.method;
2523  id args = call.arguments;
2524  if ([method isEqualToString:kShowMethod]) {
2525  [self showTextInput];
2526  result(nil);
2527  } else if ([method isEqualToString:kHideMethod]) {
2528  [self hideTextInput];
2529  result(nil);
2530  } else if ([method isEqualToString:kSetClientMethod]) {
2531  [self setTextInputClient:[args[0] intValue] withConfiguration:args[1]];
2532  result(nil);
2533  } else if ([method isEqualToString:kSetPlatformViewClientMethod]) {
2534  // This method call has a `platformViewId` argument, but we do not need it for iOS for now.
2535  [self setPlatformViewTextInputClient];
2536  result(nil);
2537  } else if ([method isEqualToString:kSetEditingStateMethod]) {
2538  [self setTextInputEditingState:args];
2539  result(nil);
2540  } else if ([method isEqualToString:kClearClientMethod]) {
2541  [self clearTextInputClient];
2542  result(nil);
2543  } else if ([method isEqualToString:kSetEditableSizeAndTransformMethod]) {
2544  [self setEditableSizeAndTransform:args];
2545  result(nil);
2546  } else if ([method isEqualToString:kSetMarkedTextRectMethod]) {
2547  [self updateMarkedRect:args];
2548  result(nil);
2549  } else if ([method isEqualToString:kFinishAutofillContextMethod]) {
2550  [self triggerAutofillSave:[args boolValue]];
2551  result(nil);
2552  // TODO(justinmc): Remove the TextInput method constant when the framework has
2553  // finished transitioning to using the Scribble channel.
2554  // https://github.com/flutter/flutter/pull/104128
2555  } else if ([method isEqualToString:kDeprecatedSetSelectionRectsMethod]) {
2556  [self setSelectionRects:args];
2557  result(nil);
2558  } else if ([method isEqualToString:kSetSelectionRectsMethod]) {
2559  [self setSelectionRects:args];
2560  result(nil);
2561  } else if ([method isEqualToString:kStartLiveTextInputMethod]) {
2562  [self startLiveTextInput];
2563  result(nil);
2564  } else if ([method isEqualToString:kUpdateConfigMethod]) {
2565  [self updateConfig:args];
2566  result(nil);
2567  } else if ([method isEqualToString:kOnInteractiveKeyboardPointerMoveMethod]) {
2568  CGFloat pointerY = (CGFloat)[args[@"pointerY"] doubleValue];
2569  [self handlePointerMove:pointerY];
2570  result(nil);
2571  } else if ([method isEqualToString:kOnInteractiveKeyboardPointerUpMethod]) {
2572  CGFloat pointerY = (CGFloat)[args[@"pointerY"] doubleValue];
2573  [self handlePointerUp:pointerY];
2574  result(nil);
2575  } else {
2577  }
2578 }
2579 
2580 - (void)handlePointerUp:(CGFloat)pointerY {
2581  if (_keyboardView.superview != nil) {
2582  // Done to avoid the issue of a pointer up done without a screenshot
2583  // View must be loaded at this point.
2584  UIScreen* screen = _viewController.flutterScreenIfViewLoaded;
2585  CGFloat screenHeight = screen.bounds.size.height;
2586  CGFloat keyboardHeight = _keyboardRect.size.height;
2587  // Negative velocity indicates a downward movement
2588  BOOL shouldDismissKeyboardBasedOnVelocity = _pointerYVelocity < 0;
2589  [UIView animateWithDuration:kKeyboardAnimationTimeToCompleteion
2590  animations:^{
2591  double keyboardDestination =
2592  shouldDismissKeyboardBasedOnVelocity ? screenHeight : screenHeight - keyboardHeight;
2593  _keyboardViewContainer.frame = CGRectMake(
2594  0, keyboardDestination, _viewController.flutterScreenIfViewLoaded.bounds.size.width,
2595  _keyboardViewContainer.frame.size.height);
2596  }
2597  completion:^(BOOL finished) {
2598  if (shouldDismissKeyboardBasedOnVelocity) {
2599  [self.textInputDelegate flutterTextInputView:self.activeView
2600  didResignFirstResponderWithTextInputClient:self.activeView.textInputClient];
2601  [self dismissKeyboardScreenshot];
2602  } else {
2603  [self showKeyboardAndRemoveScreenshot];
2604  }
2605  }];
2606  }
2607 }
2608 
2609 - (void)dismissKeyboardScreenshot {
2610  for (UIView* subView in _keyboardViewContainer.subviews) {
2611  [subView removeFromSuperview];
2612  }
2613 }
2614 
2615 - (void)showKeyboardAndRemoveScreenshot {
2616  [UIView setAnimationsEnabled:NO];
2617  [_cachedFirstResponder becomeFirstResponder];
2618  // UIKit does not immediately access the areAnimationsEnabled Boolean so a delay is needed before
2619  // returned
2620  dispatch_after(dispatch_time(DISPATCH_TIME_NOW, kKeyboardAnimationDelaySeconds * NSEC_PER_SEC),
2621  dispatch_get_main_queue(), ^{
2622  [UIView setAnimationsEnabled:YES];
2623  [self dismissKeyboardScreenshot];
2624  });
2625 }
2626 
2627 - (void)handlePointerMove:(CGFloat)pointerY {
2628  // View must be loaded at this point.
2629  UIScreen* screen = _viewController.flutterScreenIfViewLoaded;
2630  CGFloat screenHeight = screen.bounds.size.height;
2631  CGFloat keyboardHeight = _keyboardRect.size.height;
2632  if (screenHeight - keyboardHeight <= pointerY) {
2633  // If the pointer is within the bounds of the keyboard.
2634  if (_keyboardView.superview == nil) {
2635  // If no screenshot has been taken.
2636  [self takeKeyboardScreenshotAndDisplay];
2637  [self hideKeyboardWithoutAnimationAndAvoidCursorDismissUpdate];
2638  } else {
2639  [self setKeyboardContainerHeight:pointerY];
2640  _pointerYVelocity = _previousPointerYPosition - pointerY;
2641  }
2642  } else {
2643  if (_keyboardView.superview != nil) {
2644  // Keeps keyboard at proper height.
2645  _keyboardViewContainer.frame = _keyboardRect;
2646  _pointerYVelocity = _previousPointerYPosition - pointerY;
2647  }
2648  }
2649  _previousPointerYPosition = pointerY;
2650 }
2651 
2652 - (void)setKeyboardContainerHeight:(CGFloat)pointerY {
2653  CGRect frameRect = _keyboardRect;
2654  frameRect.origin.y = pointerY;
2655  _keyboardViewContainer.frame = frameRect;
2656 }
2657 
2658 - (void)hideKeyboardWithoutAnimationAndAvoidCursorDismissUpdate {
2659  [UIView setAnimationsEnabled:NO];
2660  _cachedFirstResponder = UIApplication.sharedApplication.keyWindow.flutterFirstResponder;
2661  _activeView.preventCursorDismissWhenResignFirstResponder = YES;
2662  [_cachedFirstResponder resignFirstResponder];
2663  _activeView.preventCursorDismissWhenResignFirstResponder = NO;
2664  [UIView setAnimationsEnabled:YES];
2665 }
2666 
2667 - (void)takeKeyboardScreenshotAndDisplay {
2668  // View must be loaded at this point
2669  UIScreen* screen = _viewController.flutterScreenIfViewLoaded;
2670  UIView* keyboardSnap = [screen snapshotViewAfterScreenUpdates:YES];
2671  keyboardSnap = [keyboardSnap resizableSnapshotViewFromRect:_keyboardRect
2672  afterScreenUpdates:YES
2673  withCapInsets:UIEdgeInsetsZero];
2674  _keyboardView = keyboardSnap;
2675  [_keyboardViewContainer addSubview:_keyboardView];
2676  if (_keyboardViewContainer.superview == nil) {
2677  [UIApplication.sharedApplication.delegate.window.rootViewController.view
2678  addSubview:_keyboardViewContainer];
2679  }
2680  _keyboardViewContainer.layer.zPosition = NSIntegerMax;
2681  _keyboardViewContainer.frame = _keyboardRect;
2682 }
2683 
2684 - (BOOL)showEditMenu:(NSDictionary*)args API_AVAILABLE(ios(16.0)) {
2685  if (!self.activeView.isFirstResponder) {
2686  return NO;
2687  }
2688  NSDictionary<NSString*, NSNumber*>* encodedTargetRect = args[@"targetRect"];
2689  CGRect globalTargetRect = CGRectMake(
2690  [encodedTargetRect[@"x"] doubleValue], [encodedTargetRect[@"y"] doubleValue],
2691  [encodedTargetRect[@"width"] doubleValue], [encodedTargetRect[@"height"] doubleValue]);
2692  CGRect localTargetRect = [self.hostView convertRect:globalTargetRect toView:self.activeView];
2693  [self.activeView showEditMenuWithTargetRect:localTargetRect items:args[@"items"]];
2694  return YES;
2695 }
2696 
2697 - (void)hideEditMenu {
2698  [self.activeView hideEditMenu];
2699 }
2700 
2701 - (void)setEditableSizeAndTransform:(NSDictionary*)dictionary {
2702  NSArray* transform = dictionary[@"transform"];
2703  [_activeView setEditableTransform:transform];
2704  const int leftIndex = 12;
2705  const int topIndex = 13;
2706  if ([_activeView isScribbleAvailable]) {
2707  // This is necessary to set up where the scribble interactable element will be.
2708  _inputHider.frame =
2709  CGRectMake([transform[leftIndex] intValue], [transform[topIndex] intValue],
2710  [dictionary[@"width"] intValue], [dictionary[@"height"] intValue]);
2711  _activeView.frame =
2712  CGRectMake(0, 0, [dictionary[@"width"] intValue], [dictionary[@"height"] intValue]);
2713  _activeView.tintColor = [UIColor clearColor];
2714  } else {
2715  // TODO(hellohuanlin): Also need to handle iOS 16 case, where the auto-correction highlight does
2716  // not match the size of text.
2717  // See https://github.com/flutter/flutter/issues/131695
2718  if (@available(iOS 17, *)) {
2719  // Move auto-correction highlight to overlap with the actual text.
2720  // This is to fix an issue where the system auto-correction highlight is displayed at
2721  // the top left corner of the screen on iOS 17+.
2722  // This problem also happens on iOS 16, but the size of highlight does not match the text.
2723  // See https://github.com/flutter/flutter/issues/131695
2724  // TODO(hellohuanlin): Investigate if we can use non-zero size.
2725  _inputHider.frame =
2726  CGRectMake([transform[leftIndex] intValue], [transform[topIndex] intValue], 0, 0);
2727  }
2728  }
2729 }
2730 
2731 - (void)updateMarkedRect:(NSDictionary*)dictionary {
2732  NSAssert(dictionary[@"x"] != nil && dictionary[@"y"] != nil && dictionary[@"width"] != nil &&
2733  dictionary[@"height"] != nil,
2734  @"Expected a dictionary representing a CGRect, got %@", dictionary);
2735  CGRect rect = CGRectMake([dictionary[@"x"] doubleValue], [dictionary[@"y"] doubleValue],
2736  [dictionary[@"width"] doubleValue], [dictionary[@"height"] doubleValue]);
2737  _activeView.markedRect = rect.size.width < 0 && rect.size.height < 0 ? kInvalidFirstRect : rect;
2738 }
2739 
2740 - (void)setSelectionRects:(NSArray*)encodedRects {
2741  NSMutableArray<FlutterTextSelectionRect*>* rectsAsRect =
2742  [[NSMutableArray alloc] initWithCapacity:[encodedRects count]];
2743  for (NSUInteger i = 0; i < [encodedRects count]; i++) {
2744  NSArray<NSNumber*>* encodedRect = encodedRects[i];
2745  [rectsAsRect addObject:[FlutterTextSelectionRect
2746  selectionRectWithRect:CGRectMake([encodedRect[0] floatValue],
2747  [encodedRect[1] floatValue],
2748  [encodedRect[2] floatValue],
2749  [encodedRect[3] floatValue])
2750  position:[encodedRect[4] unsignedIntegerValue]
2751  writingDirection:[encodedRect[5] unsignedIntegerValue] == 1
2752  ? NSWritingDirectionLeftToRight
2753  : NSWritingDirectionRightToLeft]];
2754  }
2755 
2756  // TODO(hellohuanlin): Investigate why notifying the text input system about text changes (via
2757  // textWillChange and textDidChange APIs) causes a bug where we cannot enter text with IME
2758  // keyboards. Issue: https://github.com/flutter/flutter/issues/133908
2759  _activeView.selectionRects = rectsAsRect;
2760 }
2761 
2762 - (void)startLiveTextInput {
2763  if (@available(iOS 15.0, *)) {
2764  if (_activeView == nil || !_activeView.isFirstResponder) {
2765  return;
2766  }
2767  [_activeView captureTextFromCamera:nil];
2768  }
2769 }
2770 
2771 - (void)showTextInput {
2772  _activeView.viewResponder = _viewResponder;
2773  [self addToInputParentViewIfNeeded:_activeView];
2774  // Adds a delay to prevent the text view from receiving accessibility
2775  // focus in case it is activated during semantics updates.
2776  //
2777  // One common case is when the app navigates to a page with an auto
2778  // focused text field. The text field will activate the FlutterTextInputView
2779  // with a semantics update sent to the engine. The voiceover will focus
2780  // the newly attached active view while performing accessibility update.
2781  // This results in accessibility focus stuck at the FlutterTextInputView.
2782  if (!_enableFlutterTextInputViewAccessibilityTimer) {
2783  _enableFlutterTextInputViewAccessibilityTimer =
2784  [NSTimer scheduledTimerWithTimeInterval:kUITextInputAccessibilityEnablingDelaySeconds
2785  target:[FlutterTimerProxy proxyWithTarget:self]
2786  selector:@selector(enableActiveViewAccessibility)
2787  userInfo:nil
2788  repeats:NO];
2789  }
2790  [_activeView becomeFirstResponder];
2791 }
2792 
2793 - (void)enableActiveViewAccessibility {
2794  if (_activeView.isFirstResponder) {
2795  _activeView.accessibilityEnabled = YES;
2796  }
2797  [self removeEnableFlutterTextInputViewAccessibilityTimer];
2798 }
2799 
2800 - (void)hideTextInput {
2801  [self removeEnableFlutterTextInputViewAccessibilityTimer];
2802  _activeView.accessibilityEnabled = NO;
2803  [_activeView resignFirstResponder];
2804  // Removes the focus from the `_activeView` (UIView<UITextInput>)
2805  // when the user stops typing (keyboard is hidden).
2806  // For more details, refer to the discussion at:
2807  // https://github.com/flutter/engine/pull/57209#discussion_r1905942577
2808  [self cleanUpViewHierarchy:YES clearText:YES delayRemoval:NO];
2809 }
2810 
2811 - (void)triggerAutofillSave:(BOOL)saveEntries {
2812  [_activeView resignFirstResponder];
2813 
2814  if (saveEntries) {
2815  // Make all the input fields in the autofill context visible,
2816  // then remove them to trigger autofill save.
2817  [self cleanUpViewHierarchy:YES clearText:YES delayRemoval:NO];
2818  [_autofillContext removeAllObjects];
2819  [self changeInputViewsAutofillVisibility:YES];
2820  } else {
2821  [_autofillContext removeAllObjects];
2822  }
2823 
2824  [self cleanUpViewHierarchy:YES clearText:!saveEntries delayRemoval:NO];
2825  [self addToInputParentViewIfNeeded:_activeView];
2826 }
2827 
2828 - (void)setPlatformViewTextInputClient {
2829  // No need to track the platformViewID (unlike in Android). When a platform view
2830  // becomes the first responder, simply hide this dummy text input view (`_activeView`)
2831  // for the previously focused widget.
2832  [self removeEnableFlutterTextInputViewAccessibilityTimer];
2833  _activeView.accessibilityEnabled = NO;
2834  [_activeView removeFromSuperview];
2835  [_inputHider removeFromSuperview];
2836 }
2837 
2838 - (void)setTextInputClient:(int)client withConfiguration:(NSDictionary*)configuration {
2839  [self resetAllClientIds];
2840  // Hide all input views from autofill, only make those in the new configuration visible
2841  // to autofill.
2842  [self changeInputViewsAutofillVisibility:NO];
2843 
2844  // Update the current active view.
2845  switch (AutofillTypeOf(configuration)) {
2846  case kFlutterAutofillTypeNone:
2847  self.activeView = [self createInputViewWith:configuration];
2848  break;
2849  case kFlutterAutofillTypeRegular:
2850  // If the group does not involve password autofill, only install the
2851  // input view that's being focused.
2852  self.activeView = [self updateAndShowAutofillViews:nil
2853  focusedField:configuration
2854  isPasswordRelated:NO];
2855  break;
2856  case kFlutterAutofillTypePassword:
2857  self.activeView = [self updateAndShowAutofillViews:configuration[kAssociatedAutofillFields]
2858  focusedField:configuration
2859  isPasswordRelated:YES];
2860  break;
2861  }
2862  [_activeView setTextInputClient:client];
2863  [_activeView reloadInputViews];
2864 
2865  // Clean up views that no longer need to be in the view hierarchy, according to
2866  // the current autofill context. The "garbage" input views are already made
2867  // invisible to autofill and they can't `becomeFirstResponder`, we only remove
2868  // them to free up resources and reduce the number of input views in the view
2869  // hierarchy.
2870  //
2871  // The garbage views are decommissioned immediately, but the removeFromSuperview
2872  // call is scheduled on the runloop and delayed by 0.1s so we don't remove the
2873  // text fields immediately (which seems to make the keyboard flicker).
2874  // See: https://github.com/flutter/flutter/issues/64628.
2875  [self cleanUpViewHierarchy:NO clearText:YES delayRemoval:YES];
2876 }
2877 
2878 // Creates and shows an input field that is not password related and has no autofill
2879 // info. This method returns a new FlutterTextInputView instance when called, since
2880 // UIKit uses the identity of `UITextInput` instances (or the identity of the input
2881 // views) to decide whether the IME's internal states should be reset. See:
2882 // https://github.com/flutter/flutter/issues/79031 .
2883 - (FlutterTextInputView*)createInputViewWith:(NSDictionary*)configuration {
2884  NSString* autofillId = AutofillIdFromDictionary(configuration);
2885  if (autofillId) {
2886  [_autofillContext removeObjectForKey:autofillId];
2887  }
2888  FlutterTextInputView* newView = [[FlutterTextInputView alloc] initWithOwner:self];
2889  [newView configureWithDictionary:configuration];
2890  [self addToInputParentViewIfNeeded:newView];
2891 
2892  for (NSDictionary* field in configuration[kAssociatedAutofillFields]) {
2893  NSString* autofillId = AutofillIdFromDictionary(field);
2894  if (autofillId && AutofillTypeOf(field) == kFlutterAutofillTypeNone) {
2895  [_autofillContext removeObjectForKey:autofillId];
2896  }
2897  }
2898  return newView;
2899 }
2900 
2901 - (FlutterTextInputView*)updateAndShowAutofillViews:(NSArray*)fields
2902  focusedField:(NSDictionary*)focusedField
2903  isPasswordRelated:(BOOL)isPassword {
2904  FlutterTextInputView* focused = nil;
2905  NSString* focusedId = AutofillIdFromDictionary(focusedField);
2906  NSAssert(focusedId, @"autofillId must not be null for the focused field: %@", focusedField);
2907 
2908  if (!fields) {
2909  // DO NOT push the current autofillable input fields to the context even
2910  // if it's password-related, because it is not in an autofill group.
2911  focused = [self getOrCreateAutofillableView:focusedField isPasswordAutofill:isPassword];
2912  [_autofillContext removeObjectForKey:focusedId];
2913  }
2914 
2915  for (NSDictionary* field in fields) {
2916  NSString* autofillId = AutofillIdFromDictionary(field);
2917  NSAssert(autofillId, @"autofillId must not be null for field: %@", field);
2918 
2919  BOOL hasHints = AutofillTypeOf(field) != kFlutterAutofillTypeNone;
2920  BOOL isFocused = [focusedId isEqualToString:autofillId];
2921 
2922  if (isFocused) {
2923  focused = [self getOrCreateAutofillableView:field isPasswordAutofill:isPassword];
2924  }
2925 
2926  if (hasHints) {
2927  // Push the current input field to the context if it has hints.
2928  _autofillContext[autofillId] = isFocused ? focused
2929  : [self getOrCreateAutofillableView:field
2930  isPasswordAutofill:isPassword];
2931  } else {
2932  // Mark for deletion.
2933  [_autofillContext removeObjectForKey:autofillId];
2934  }
2935  }
2936 
2937  NSAssert(focused, @"The current focused input view must not be nil.");
2938  return focused;
2939 }
2940 
2941 // Returns a new non-reusable input view (and put it into the view hierarchy), or get the
2942 // view from the current autofill context, if an input view with the same autofill id
2943 // already exists in the context.
2944 // This is generally used for input fields that are autofillable (UIKit tracks these veiws
2945 // for autofill purposes so they should not be reused for a different type of views).
2946 - (FlutterTextInputView*)getOrCreateAutofillableView:(NSDictionary*)field
2947  isPasswordAutofill:(BOOL)needsPasswordAutofill {
2948  NSString* autofillId = AutofillIdFromDictionary(field);
2949  FlutterTextInputView* inputView = _autofillContext[autofillId];
2950  if (!inputView) {
2951  inputView =
2952  needsPasswordAutofill ? [FlutterSecureTextInputView alloc] : [FlutterTextInputView alloc];
2953  inputView = [inputView initWithOwner:self];
2954  [self addToInputParentViewIfNeeded:inputView];
2955  }
2956 
2957  [inputView configureWithDictionary:field];
2958  return inputView;
2959 }
2960 
2961 // The UIView to add FlutterTextInputViews to.
2962 - (UIView*)hostView {
2963  UIView* host = _viewController.view;
2964  NSAssert(host != nullptr,
2965  @"The application must have a host view since the keyboard client "
2966  @"must be part of the responder chain to function. The host view controller is %@",
2967  _viewController);
2968  return host;
2969 }
2970 
2971 // The UIView to add FlutterTextInputViews to.
2972 - (NSArray<UIView*>*)textInputViews {
2973  return _inputHider.subviews;
2974 }
2975 
2976 // Removes every installed input field, unless it's in the current autofill context.
2977 //
2978 // The active view will be removed from its superview too, if includeActiveView is YES.
2979 // When clearText is YES, the text on the input fields will be set to empty before
2980 // they are removed from the view hierarchy, to avoid triggering autofill save.
2981 // If delayRemoval is true, removeFromSuperview will be scheduled on the runloop and
2982 // will be delayed by 0.1s so we don't remove the text fields immediately (which seems
2983 // to make the keyboard flicker).
2984 // See: https://github.com/flutter/flutter/issues/64628.
2985 
2986 - (void)cleanUpViewHierarchy:(BOOL)includeActiveView
2987  clearText:(BOOL)clearText
2988  delayRemoval:(BOOL)delayRemoval {
2989  for (UIView* view in self.textInputViews) {
2990  if ([view isKindOfClass:[FlutterTextInputView class]] &&
2991  (includeActiveView || view != _activeView)) {
2992  FlutterTextInputView* inputView = (FlutterTextInputView*)view;
2993  if (_autofillContext[inputView.autofillId] != view) {
2994  if (clearText) {
2995  [inputView replaceRangeLocal:NSMakeRange(0, inputView.text.length) withText:@""];
2996  }
2997  if (delayRemoval) {
2998  [inputView performSelector:@selector(removeFromSuperview) withObject:nil afterDelay:0.1];
2999  } else {
3000  [inputView removeFromSuperview];
3001  }
3002  }
3003  }
3004  }
3005 }
3006 
3007 // Changes the visibility of every FlutterTextInputView currently in the
3008 // view hierarchy.
3009 - (void)changeInputViewsAutofillVisibility:(BOOL)newVisibility {
3010  for (UIView* view in self.textInputViews) {
3011  if ([view isKindOfClass:[FlutterTextInputView class]]) {
3012  FlutterTextInputView* inputView = (FlutterTextInputView*)view;
3013  inputView.isVisibleToAutofill = newVisibility;
3014  }
3015  }
3016 }
3017 
3018 // Resets the client id of every FlutterTextInputView in the view hierarchy
3019 // to 0.
3020 // Called before establishing a new text input connection.
3021 // For views in the current autofill context, they need to
3022 // stay in the view hierachy but should not be allowed to
3023 // send messages (other than autofill related ones) to the
3024 // framework.
3025 - (void)resetAllClientIds {
3026  for (UIView* view in self.textInputViews) {
3027  if ([view isKindOfClass:[FlutterTextInputView class]]) {
3028  FlutterTextInputView* inputView = (FlutterTextInputView*)view;
3029  [inputView setTextInputClient:0];
3030  }
3031  }
3032 }
3033 
3034 - (void)addToInputParentViewIfNeeded:(FlutterTextInputView*)inputView {
3035  if (![inputView isDescendantOfView:_inputHider]) {
3036  [_inputHider addSubview:inputView];
3037  }
3038 
3039  if (_viewController.view == nil) {
3040  // If view controller's view has detached from flutter engine, we don't add _inputHider
3041  // in parent view to fallback and avoid crash.
3042  // https://github.com/flutter/flutter/issues/106404.
3043  return;
3044  }
3045  UIView* parentView = self.hostView;
3046  if (_inputHider.superview != parentView) {
3047  [parentView addSubview:_inputHider];
3048  }
3049 }
3050 
3051 - (void)setTextInputEditingState:(NSDictionary*)state {
3052  [_activeView setTextInputState:state];
3053 }
3054 
3055 - (void)clearTextInputClient {
3056  [_activeView setTextInputClient:0];
3057  _activeView.frame = CGRectZero;
3058 }
3059 
3060 - (void)updateConfig:(NSDictionary*)dictionary {
3061  BOOL isSecureTextEntry = [dictionary[kSecureTextEntry] boolValue];
3062  for (UIView* view in self.textInputViews) {
3063  if ([view isKindOfClass:[FlutterTextInputView class]]) {
3064  FlutterTextInputView* inputView = (FlutterTextInputView*)view;
3065  // The feature of holding and draging spacebar to move cursor is affected by
3066  // secureTextEntry, so when obscureText is updated, we need to update secureTextEntry
3067  // and call reloadInputViews.
3068  // https://github.com/flutter/flutter/issues/122139
3069  if (inputView.isSecureTextEntry != isSecureTextEntry) {
3070  inputView.secureTextEntry = isSecureTextEntry;
3071  [inputView reloadInputViews];
3072  }
3073  }
3074  }
3075 }
3076 
3077 #pragma mark UIIndirectScribbleInteractionDelegate
3078 
3079 - (BOOL)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3080  isElementFocused:(UIScribbleElementIdentifier)elementIdentifier
3081  API_AVAILABLE(ios(14.0)) {
3082  return _activeView.scribbleFocusStatus == FlutterScribbleFocusStatusFocused;
3083 }
3084 
3085 - (void)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3086  focusElementIfNeeded:(UIScribbleElementIdentifier)elementIdentifier
3087  referencePoint:(CGPoint)focusReferencePoint
3088  completion:(void (^)(UIResponder<UITextInput>* focusedInput))completion
3089  API_AVAILABLE(ios(14.0)) {
3090  _activeView.scribbleFocusStatus = FlutterScribbleFocusStatusFocusing;
3091  [_indirectScribbleDelegate flutterTextInputPlugin:self
3092  focusElement:elementIdentifier
3093  atPoint:focusReferencePoint
3094  result:^(id _Nullable result) {
3095  _activeView.scribbleFocusStatus =
3096  FlutterScribbleFocusStatusFocused;
3097  completion(_activeView);
3098  }];
3099 }
3100 
3101 - (BOOL)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3102  shouldDelayFocusForElement:(UIScribbleElementIdentifier)elementIdentifier
3103  API_AVAILABLE(ios(14.0)) {
3104  return NO;
3105 }
3106 
3107 - (void)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3108  willBeginWritingInElement:(UIScribbleElementIdentifier)elementIdentifier
3109  API_AVAILABLE(ios(14.0)) {
3110 }
3111 
3112 - (void)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3113  didFinishWritingInElement:(UIScribbleElementIdentifier)elementIdentifier
3114  API_AVAILABLE(ios(14.0)) {
3115 }
3116 
3117 - (CGRect)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3118  frameForElement:(UIScribbleElementIdentifier)elementIdentifier
3119  API_AVAILABLE(ios(14.0)) {
3120  NSValue* elementValue = [_scribbleElements objectForKey:elementIdentifier];
3121  if (elementValue == nil) {
3122  return CGRectZero;
3123  }
3124  return [elementValue CGRectValue];
3125 }
3126 
3127 - (void)indirectScribbleInteraction:(UIIndirectScribbleInteraction*)interaction
3128  requestElementsInRect:(CGRect)rect
3129  completion:
3130  (void (^)(NSArray<UIScribbleElementIdentifier>* elements))completion
3131  API_AVAILABLE(ios(14.0)) {
3132  [_indirectScribbleDelegate
3133  flutterTextInputPlugin:self
3134  requestElementsInRect:rect
3135  result:^(id _Nullable result) {
3136  NSMutableArray<UIScribbleElementIdentifier>* elements =
3137  [[NSMutableArray alloc] init];
3138  if ([result isKindOfClass:[NSArray class]]) {
3139  for (NSArray* elementArray in result) {
3140  [elements addObject:elementArray[0]];
3141  [_scribbleElements
3142  setObject:[NSValue
3143  valueWithCGRect:CGRectMake(
3144  [elementArray[1] floatValue],
3145  [elementArray[2] floatValue],
3146  [elementArray[3] floatValue],
3147  [elementArray[4] floatValue])]
3148  forKey:elementArray[0]];
3149  }
3150  }
3151  completion(elements);
3152  }];
3153 }
3154 
3155 #pragma mark - Methods related to Scribble support
3156 
3157 - (void)setUpIndirectScribbleInteraction:(id<FlutterViewResponder>)viewResponder {
3158  if (_viewResponder != viewResponder) {
3159  if (@available(iOS 14.0, *)) {
3160  UIView* parentView = viewResponder.view;
3161  if (parentView != nil) {
3162  UIIndirectScribbleInteraction* scribbleInteraction = [[UIIndirectScribbleInteraction alloc]
3163  initWithDelegate:(id<UIIndirectScribbleInteractionDelegate>)self];
3164  [parentView addInteraction:scribbleInteraction];
3165  }
3166  }
3167  }
3168  _viewResponder = viewResponder;
3169 }
3170 
3171 - (void)resetViewResponder {
3172  _viewResponder = nil;
3173 }
3174 
3175 #pragma mark -
3176 #pragma mark FlutterKeySecondaryResponder
3177 
3178 /**
3179  * Handles key down events received from the view controller, responding YES if
3180  * the event was handled.
3181  */
3182 - (BOOL)handlePress:(nonnull FlutterUIPressProxy*)press API_AVAILABLE(ios(13.4)) {
3183  return NO;
3184 }
3185 @end
3186 
3187 /**
3188  * Recursively searches the UIView's subviews to locate the First Responder
3189  */
3190 @implementation UIView (FindFirstResponder)
3191 - (id)flutterFirstResponder {
3192  if (self.isFirstResponder) {
3193  return self;
3194  }
3195  for (UIView* subView in self.subviews) {
3196  UIView* firstResponder = subView.flutterFirstResponder;
3197  if (firstResponder) {
3198  return firstResponder;
3199  }
3200  }
3201  return nil;
3202 }
3203 @end
FlutterTextSelectionRect::writingDirection
NSWritingDirection writingDirection
Definition: FlutterTextInputPlugin.h:97
IsEmoji
static BOOL IsEmoji(NSString *text, NSRange charRange)
Definition: FlutterTextInputPlugin.mm:85
ToUITextContentType
static UITextContentType ToUITextContentType(NSArray< NSString * > *hints)
Definition: FlutterTextInputPlugin.mm:217
caretRectForPosition
CGRect caretRectForPosition
Definition: FlutterTextInputPlugin.h:178
self
return self
Definition: FlutterTextureRegistryRelay.mm:19
+[FlutterTextPosition positionWithIndex:]
instancetype positionWithIndex:(NSUInteger index)
Definition: FlutterTextInputPlugin.mm:525
IsFieldPasswordRelated
static BOOL IsFieldPasswordRelated(NSDictionary *configuration)
Definition: FlutterTextInputPlugin.mm:398
FlutterTextSelectionRect::containsStart
BOOL containsStart
Definition: FlutterTextInputPlugin.h:98
returnKeyType
UIReturnKeyType returnKeyType
Definition: FlutterTextInputPlugin.h:151
FlutterSecureTextInputView::textField
UITextField * textField
Definition: FlutterTextInputPlugin.mm:753
_scribbleInteractionStatus
FlutterScribbleInteractionStatus _scribbleInteractionStatus
Definition: FlutterTextInputPlugin.mm:816
FlutterTextInputDelegate-p
Definition: FlutterTextInputDelegate.h:37
kSetEditingStateMethod
static NSString *const kSetEditingStateMethod
Definition: FlutterTextInputPlugin.mm:43
ToUIKeyboardType
static UIKeyboardType ToUIKeyboardType(NSDictionary *type)
Definition: FlutterTextInputPlugin.mm:105
keyboardAppearance
UIKeyboardAppearance keyboardAppearance
Definition: FlutterTextInputPlugin.h:149
kAutocorrectionType
static NSString *const kAutocorrectionType
Definition: FlutterTextInputPlugin.mm:80
isScribbleAvailable
BOOL isScribbleAvailable
Definition: FlutterTextInputPlugin.h:167
FlutterMethodNotImplemented
FLUTTER_DARWIN_EXPORT NSObject const * FlutterMethodNotImplemented
kOnInteractiveKeyboardPointerUpMethod
static NSString *const kOnInteractiveKeyboardPointerUpMethod
Definition: FlutterTextInputPlugin.mm:58
_range
NSRange _range
Definition: FlutterStandardCodec.mm:354
kSetClientMethod
static NSString *const kSetClientMethod
Definition: FlutterTextInputPlugin.mm:41
+[FlutterTextPosition positionWithIndex:affinity:]
instancetype positionWithIndex:affinity:(NSUInteger index,[affinity] UITextStorageDirection affinity)
Definition: FlutterTextInputPlugin.mm:529
kUpdateConfigMethod
static NSString *const kUpdateConfigMethod
Definition: FlutterTextInputPlugin.mm:55
kAutofillProperties
static NSString *const kAutofillProperties
Definition: FlutterTextInputPlugin.mm:75
FlutterTextInputPlugin.h
API_AVAILABLE
UITextSmartQuotesType smartQuotesType API_AVAILABLE(ios(11.0))
FlutterTokenizer
Definition: FlutterTextInputPlugin.h:90
FlutterTextSelectionRect::containsEnd
BOOL containsEnd
Definition: FlutterTextInputPlugin.h:99
kSmartQuotesType
static NSString *const kSmartQuotesType
Definition: FlutterTextInputPlugin.mm:70
FlutterTextSelectionRect::rect
CGRect rect
Definition: FlutterTextInputPlugin.h:95
resetScribbleInteractionStatusIfEnding
void resetScribbleInteractionStatusIfEnding
Definition: FlutterTextInputPlugin.h:166
FlutterMethodCall::method
NSString * method
Definition: FlutterCodecs.h:233
kSetPlatformViewClientMethod
static NSString *const kSetPlatformViewClientMethod
Definition: FlutterTextInputPlugin.mm:42
FlutterTimerProxy
Definition: FlutterTextInputPlugin.mm:2441
kSetEditableSizeAndTransformMethod
static NSString *const kSetEditableSizeAndTransformMethod
Definition: FlutterTextInputPlugin.mm:45
kAutofillId
static NSString *const kAutofillId
Definition: FlutterTextInputPlugin.mm:76
FlutterTextRange
Definition: FlutterTextInputPlugin.h:81
ToUIReturnKeyType
static UIReturnKeyType ToUIReturnKeyType(NSString *inputType)
Definition: FlutterTextInputPlugin.mm:164
kSecureTextEntry
static NSString *const kSecureTextEntry
Definition: FlutterTextInputPlugin.mm:62
kUITextInputAccessibilityEnablingDelaySeconds
static constexpr double kUITextInputAccessibilityEnablingDelaySeconds
Definition: FlutterTextInputPlugin.mm:22
_selectionAffinity
const char * _selectionAffinity
Definition: FlutterTextInputPlugin.mm:810
FlutterTextPlaceholder
Definition: FlutterTextInputPlugin.mm:735
kAssociatedAutofillFields
static NSString *const kAssociatedAutofillFields
Definition: FlutterTextInputPlugin.mm:72
+[FlutterTextSelectionRect selectionRectWithRectAndInfo:position:writingDirection:containsStart:containsEnd:isVertical:]
instancetype selectionRectWithRectAndInfo:position:writingDirection:containsStart:containsEnd:isVertical:(CGRect rect,[position] NSUInteger position,[writingDirection] NSWritingDirection writingDirection,[containsStart] BOOL containsStart,[containsEnd] BOOL containsEnd,[isVertical] BOOL isVertical)
Definition: FlutterTextInputPlugin.mm:675
kSmartDashesType
static NSString *const kSmartDashesType
Definition: FlutterTextInputPlugin.mm:69
kClearClientMethod
static NSString *const kClearClientMethod
Definition: FlutterTextInputPlugin.mm:44
FlutterTextSelectionRect::isVertical
BOOL isVertical
Definition: FlutterTextInputPlugin.h:100
initWithOwner
instancetype initWithOwner
Definition: FlutterTextInputPlugin.h:173
_isSystemKeyboardEnabled
bool _isSystemKeyboardEnabled
Definition: FlutterTextInputPlugin.mm:821
kInvalidFirstRect
const CGRect kInvalidFirstRect
Definition: FlutterTextInputPlugin.mm:35
_isFloatingCursorActive
bool _isFloatingCursorActive
Definition: FlutterTextInputPlugin.mm:822
kStartLiveTextInputMethod
static NSString *const kStartLiveTextInputMethod
Definition: FlutterTextInputPlugin.mm:54
+[FlutterTextRange rangeWithNSRange:]
instancetype rangeWithNSRange:(NSRange range)
Definition: FlutterTextInputPlugin.mm:548
FlutterSecureTextInputView
Definition: FlutterTextInputPlugin.mm:752
kDeprecatedSetSelectionRectsMethod
static NSString *const kDeprecatedSetSelectionRectsMethod
Definition: FlutterTextInputPlugin.mm:52
AutofillIdFromDictionary
static NSString * AutofillIdFromDictionary(NSDictionary *dictionary)
Definition: FlutterTextInputPlugin.mm:329
FlutterTextInputView
Definition: FlutterTextInputPlugin.mm:810
UIView(FindFirstResponder)
Definition: FlutterTextInputPlugin.h:181
selectedTextRange
API_AVAILABLE(ios(13.0)) @interface FlutterTextPlaceholder UITextRange * selectedTextRange
Definition: FlutterTextInputPlugin.h:127
FlutterMethodCall
Definition: FlutterCodecs.h:220
NS_ENUM
typedef NS_ENUM(NSInteger, FlutterAutofillType)
Definition: FlutterTextInputPlugin.mm:389
_hasPlaceholder
BOOL _hasPlaceholder
Definition: FlutterTextInputPlugin.mm:817
kKeyboardType
static NSString *const kKeyboardType
Definition: FlutterTextInputPlugin.mm:63
_floatingCursorOffset
CGPoint _floatingCursorOffset
Definition: FlutterTextInputPlugin.mm:823
flutter
Definition: accessibility_bridge.h:26
kTextAffinityDownstream
static const FLUTTER_ASSERT_ARC char kTextAffinityDownstream[]
Definition: FlutterTextInputPlugin.mm:18
FlutterTextRange::range
NSRange range
Definition: FlutterTextInputPlugin.h:83
FlutterTextInputPlugin
Definition: FlutterTextInputPlugin.h:33
localRectFromFrameworkTransform
CGRect localRectFromFrameworkTransform
Definition: FlutterTextInputPlugin.h:177
FlutterTextPosition::affinity
UITextStorageDirection affinity
Definition: FlutterTextInputPlugin.h:72
FlutterResult
void(^ FlutterResult)(id _Nullable result)
Definition: FlutterChannels.h:194
kKeyboardAppearance
static NSString *const kKeyboardAppearance
Definition: FlutterTextInputPlugin.mm:64
UIViewController+FlutterScreenAndSceneIfLoaded.h
kAutofillHints
static NSString *const kAutofillHints
Definition: FlutterTextInputPlugin.mm:78
ShouldShowSystemKeyboard
static BOOL ShouldShowSystemKeyboard(NSDictionary *type)
Definition: FlutterTextInputPlugin.mm:101
kTextAffinityUpstream
static const char kTextAffinityUpstream[]
Definition: FlutterTextInputPlugin.mm:19
FlutterTextSelectionRect::position
NSUInteger position
Definition: FlutterTextInputPlugin.h:96
kOnInteractiveKeyboardPointerMoveMethod
static NSString *const kOnInteractiveKeyboardPointerMoveMethod
Definition: FlutterTextInputPlugin.mm:56
FlutterTextInputViewAccessibilityHider
Definition: FlutterTextInputPlugin.mm:2423
inputDelegate
id< UITextInputDelegate > inputDelegate
Definition: FlutterTextInputPlugin.h:141
_enableInteractiveSelection
bool _enableInteractiveSelection
Definition: FlutterTextInputPlugin.mm:824
-[FlutterTextSelectionRect isRTL]
BOOL isRTL()
Definition: FlutterTextInputPlugin.mm:727
textInputPlugin
FlutterTextInputPlugin * textInputPlugin
Definition: FlutterTextInputPluginTest.mm:93
IsSelectionRectBoundaryCloserToPoint
static BOOL IsSelectionRectBoundaryCloserToPoint(CGPoint point, CGRect selectionRect, BOOL selectionRectIsRTL, BOOL useTrailingBoundaryOfSelectionRect, CGRect otherSelectionRect, BOOL otherSelectionRectIsRTL, CGFloat verticalPrecision)
Definition: FlutterTextInputPlugin.mm:467
_cachedFirstRect
CGRect _cachedFirstRect
Definition: FlutterTextInputPlugin.mm:815
_inputViewController
UIInputViewController * _inputViewController
Definition: FlutterTextInputPlugin.mm:814
FlutterUIPressProxy
Definition: FlutterUIPressProxy.h:17
viewResponder
id< FlutterViewResponder > viewResponder
Definition: FlutterTextInputPlugin.h:161
kEnableDeltaModel
static NSString *const kEnableDeltaModel
Definition: FlutterTextInputPlugin.mm:66
kKeyboardAnimationDelaySeconds
static const NSTimeInterval kKeyboardAnimationDelaySeconds
Definition: FlutterTextInputPlugin.mm:26
FlutterTextPosition
Definition: FlutterTextInputPlugin.h:69
IsApproximatelyEqual
static BOOL IsApproximatelyEqual(float x, float y, float delta)
Definition: FlutterTextInputPlugin.mm:441
FlutterViewResponder-p
Definition: FlutterViewResponder.h:15
kFinishAutofillContextMethod
static NSString *const kFinishAutofillContextMethod
Definition: FlutterTextInputPlugin.mm:48
kEnableInteractiveSelection
static NSString *const kEnableInteractiveSelection
Definition: FlutterTextInputPlugin.mm:67
FlutterTimerProxy::target
FlutterTextInputPlugin * target
Definition: FlutterTextInputPlugin.mm:2442
FlutterTextPosition::index
NSUInteger index
Definition: FlutterTextInputPlugin.h:71
AutofillTypeOf
static FlutterAutofillType AutofillTypeOf(NSDictionary *configuration)
Definition: FlutterTextInputPlugin.mm:424
FlutterTextSelectionRect
Definition: FlutterTextInputPlugin.h:93
kShowMethod
static NSString *const kShowMethod
Definition: FlutterTextInputPlugin.mm:39
+[FlutterTextSelectionRect selectionRectWithRect:position:writingDirection:]
instancetype selectionRectWithRect:position:writingDirection:(CGRect rect,[position] NSUInteger position,[writingDirection] NSWritingDirection writingDirection)
Definition: FlutterTextInputPlugin.mm:698
kHideMethod
static NSString *const kHideMethod
Definition: FlutterTextInputPlugin.mm:40
FLUTTER_ASSERT_ARC
Definition: FlutterChannelKeyResponder.mm:13
kSetMarkedTextRectMethod
static NSString *const kSetMarkedTextRectMethod
Definition: FlutterTextInputPlugin.mm:47
_selectedTextRange
FlutterTextRange * _selectedTextRange
Definition: FlutterTextInputPlugin.mm:813
kInputAction
static NSString *const kInputAction
Definition: FlutterTextInputPlugin.mm:65
kSetSelectionRectsMethod
static NSString *const kSetSelectionRectsMethod
Definition: FlutterTextInputPlugin.mm:53
ToUITextAutoCapitalizationType
static UITextAutocapitalizationType ToUITextAutoCapitalizationType(NSDictionary *type)
Definition: FlutterTextInputPlugin.mm:152
markedTextRange
UITextRange * markedTextRange
Definition: FlutterTextInputPlugin.h:139
kAutofillEditingValue
static NSString *const kAutofillEditingValue
Definition: FlutterTextInputPlugin.mm:77
kKeyboardAnimationTimeToCompleteion
static const NSTimeInterval kKeyboardAnimationTimeToCompleteion
Definition: FlutterTextInputPlugin.mm:29
FlutterMethodCall::arguments
id arguments
Definition: FlutterCodecs.h:238