Unverified Commit a6037146 authored by Tong Mu's avatar Tong Mu Committed by GitHub

Revert "Make LogicalKeyboardKey.keyLabel a getter and better (#79100)" (#79217)

parent 304f155a
...@@ -76,9 +76,9 @@ abstract class KeyboardKey with Diagnosticable { ...@@ -76,9 +76,9 @@ abstract class KeyboardKey with Diagnosticable {
/// _message = 'Pressed the "Q" key!'; /// _message = 'Pressed the "Q" key!';
/// } else { /// } else {
/// if (kReleaseMode) { /// if (kReleaseMode) {
/// _message = 'Not a Q: Pressed 0x${event.logicalKey.keyId.toRadixString(16)}'; /// _message = 'Not a Q: Key label is "${event.logicalKey.keyLabel}"';
/// } else { /// } else {
/// // The debugName will only print useful information in debug mode. /// // This will only print useful information in debug mode.
/// _message = 'Not a Q: Pressed ${event.logicalKey.debugName}'; /// _message = 'Not a Q: Pressed ${event.logicalKey.debugName}';
/// } /// }
/// } /// }
...@@ -124,18 +124,21 @@ abstract class KeyboardKey with Diagnosticable { ...@@ -124,18 +124,21 @@ abstract class KeyboardKey with Diagnosticable {
/// keyboard events. /// keyboard events.
@immutable @immutable
class LogicalKeyboardKey extends KeyboardKey { class LogicalKeyboardKey extends KeyboardKey {
/// A LogicalKeyboardKey object for a key ID. /// Creates a LogicalKeyboardKey object with an optional key label and debug
/// name.
/// ///
/// This factory constructor ensures that the same `keyId` always results /// [keyId] must not be null.
/// in the identical instance. It looks up an object from the predefined values ///
/// if possible, or construct a new one and cache it. /// {@tool snippet}
factory LogicalKeyboardKey(int keyId) { /// To save executable size, it is recommended that the [debugName] be null in
return findKeyByKeyId(keyId) ?? /// release mode. You can do this by using the [kReleaseMode] constant.
_additionalKeyPool.putIfAbsent(keyId, () => LogicalKeyboardKey._(keyId)); ///
} /// ```dart
/// const LogicalKeyboardKey(0x0010000000a, debugName: kReleaseMode ? null : 'Special Key')
/// Creates a LogicalKeyboardKey object for a key ID. /// ```
const LogicalKeyboardKey._(this.keyId); /// {@end-tool}
const LogicalKeyboardKey(this.keyId, {this.debugName, this.keyLabel = ''})
: assert(keyId != null);
/// A unique code representing this key. /// A unique code representing this key.
/// ///
...@@ -143,95 +146,37 @@ class LogicalKeyboardKey extends KeyboardKey { ...@@ -143,95 +146,37 @@ class LogicalKeyboardKey extends KeyboardKey {
/// from it, as the representation of the code could change at any time. /// from it, as the representation of the code could change at any time.
final int keyId; final int keyId;
// Returns the bits that are not included in [valueMask], shifted to the /// The debug string to print for this keyboard key, which will be null in
// right. /// release mode.
// final String? debugName;
// For example, if the input is 0x12abcdabcd, then the result is 0x12.
//
// This is mostly equivalent to a right shift, resolving the problem that
// JavaScript only support 32-bit bitwise operation and needs to use division
// instead.
static int _nonValueBits(int n) {
// `n >> valueMaskWidth` is equivalent to `n / divisorForValueMask`.
const int divisorForValueMask = valueMask + 1;
const int valueMaskWidth = 32;
// Equivalent to assert(divisorForValueMask == (1 << valueMaskWidth)).
const int _firstDivisorWidth = 28;
assert(divisorForValueMask ==
(1 << _firstDivisorWidth) * (1 << (valueMaskWidth - _firstDivisorWidth)));
// JS only supports up to 2^53 - 1, therefore non-value bits can only
// contain (maxSafeIntegerWidth - valueMaskWidth) bits.
const int maxSafeIntegerWidth = 52;
const int nonValueMask = (1 << (maxSafeIntegerWidth - valueMaskWidth)) - 1;
if (kIsWeb) {
return (n / divisorForValueMask).floor() & nonValueMask;
} else {
return (n >> valueMaskWidth) & nonValueMask;
}
}
static String? _unicodeKeyLabel(int keyId) {
if (_nonValueBits(keyId) == 0) {
return String.fromCharCode(keyId).toUpperCase();
}
return null;
}
/// A description representing the character produced by a [RawKeyEvent]. /// The Unicode string representing the character produced by a [RawKeyEvent].
/// ///
/// This value is useful for providing readable strings for keys or keyboard /// This value is useful for describing or matching mnemonic keyboard
/// shortcuts. Do not use this value to compare equality of keys; compare /// shortcuts.
/// [keyId] instead.
/// ///
/// For printable keys, this is usually the printable character in upper case /// This value is an empty string if there's no key label data for a key.
/// ignoring modifiers or combining keys, such as 'A', '1', or '/'. This
/// might also return accented letters (such as 'Ù') for keys labeled as so,
/// but not if such character is a result from preceding combining keys ('`̀'
/// followed by key U).
/// ///
/// For other keys, [keyLabel] looks up the full key name from a predefined /// On most platforms this is a single code point, but it could contain any
/// map, such as 'F1', 'Shift Left', or 'Media Down'. This value is an empty /// Unicode string. The `keyLabel` differs from [RawKeyEvent.character]
/// string if there's no key label data for a key. /// because `keyLabel` only takes into account the key being pressed, not any
/// /// combining keys pressed before it, so, for example, an “o” that follows a
/// For the printable representation that takes into consideration the /// combining dieresis (“¨”, COMBINING DIAERESIS (U+0308)) would just return
/// modifiers and combining keys, see [RawKeyEvent.character]. /// “o” for [keyLabel], but would return “ö” for [RawKeyEvent.character].
/// ///
/// {@macro flutter.services.RawKeyEventData.keyLabel} /// {@macro flutter.services.RawKeyEventData.keyLabel}
String get keyLabel { final String keyLabel;
return _unicodeKeyLabel(keyId)
?? _keyLabels[keyId]
?? '';
}
/// The debug string to print for this keyboard key, which will be null in @override
/// release mode. int get hashCode => keyId.hashCode;
///
/// For printable keys, this is usually a more descriptive name related to @override
/// [keyLabel], such as 'Key A', 'Digit 1', 'Backslash'. This might bool operator ==(Object other) {
/// also return accented letters (such as 'Key Ù') for keys labeled as so. if (other.runtimeType != runtimeType) {
/// return false;
/// For other keys, this looks up the full key name from a predefined map (the }
/// same value as [keyLabel]), such as 'F1', 'Shift Left', or 'Media Down'. If return other is LogicalKeyboardKey
/// there's no key label data for a key, this returns a name that explains the && other.keyId == keyId;
/// ID (such as 'Key with ID 0x00100012345').
String? get debugName {
String? result;
assert(() {
result = _keyLabels[keyId];
if (result == null) {
final String? unicodeKeyLabel = _unicodeKeyLabel(keyId);
if (unicodeKeyLabel != null) {
result = 'Key $unicodeKeyLabel';
} else {
result = 'Key with ID 0x${keyId.toRadixString(16).padLeft(11, '0')}';
}
}
return true;
}());
return result;
} }
/// Returns the [LogicalKeyboardKey] constant that matches the given ID, or /// Returns the [LogicalKeyboardKey] constant that matches the given ID, or
...@@ -316,11 +261,10 @@ class LogicalKeyboardKey extends KeyboardKey { ...@@ -316,11 +261,10 @@ class LogicalKeyboardKey extends KeyboardKey {
void debugFillProperties(DiagnosticPropertiesBuilder properties) { void debugFillProperties(DiagnosticPropertiesBuilder properties) {
super.debugFillProperties(properties); super.debugFillProperties(properties);
properties.add(StringProperty('keyId', '0x${keyId.toRadixString(16).padLeft(8, '0')}', showName: true)); properties.add(StringProperty('keyId', '0x${keyId.toRadixString(16).padLeft(8, '0')}', showName: true));
properties.add(StringProperty('keyLabel', keyLabel, showName: true));
properties.add(StringProperty('debugName', debugName, showName: true, defaultValue: null)); properties.add(StringProperty('debugName', debugName, showName: true, defaultValue: null));
} }
static final Map<int, LogicalKeyboardKey> _additionalKeyPool = <int, LogicalKeyboardKey>{};
/// Mask for the 32-bit value portion of the key code. /// Mask for the 32-bit value portion of the key code.
/// ///
/// This is used by platform-specific code to generate Flutter key codes. /// This is used by platform-specific code to generate Flutter key codes.
...@@ -369,9 +313,6 @@ class LogicalKeyboardKey extends KeyboardKey { ...@@ -369,9 +313,6 @@ class LogicalKeyboardKey extends KeyboardKey {
// A map of keys to the pseudo-key synonym for that key. Used by getSynonyms. // A map of keys to the pseudo-key synonym for that key. Used by getSynonyms.
static final Map<LogicalKeyboardKey, LogicalKeyboardKey> _synonyms = <LogicalKeyboardKey, LogicalKeyboardKey>{ static final Map<LogicalKeyboardKey, LogicalKeyboardKey> _synonyms = <LogicalKeyboardKey, LogicalKeyboardKey>{
@@@LOGICAL_KEY_SYNONYMS@@@ }; @@@LOGICAL_KEY_SYNONYMS@@@ };
static const Map<int, String> _keyLabels = <int, String>{
@@@LOGICAL_KEY_KEY_LABELS@@@ };
} }
/// A class with static values that describe the keys that are returned from /// A class with static values that describe the keys that are returned from
...@@ -446,7 +387,7 @@ class LogicalKeyboardKey extends KeyboardKey { ...@@ -446,7 +387,7 @@ class LogicalKeyboardKey extends KeyboardKey {
/// onTap: () { /// onTap: () {
/// FocusScope.of(context).requestFocus(_focusNode); /// FocusScope.of(context).requestFocus(_focusNode);
/// }, /// },
/// child: const Text('Tap to focus'), /// child: Text('Tap to focus'),
/// ); /// );
/// } /// }
/// return Text(_message ?? 'Press a key'); /// return Text(_message ?? 'Press a key');
...@@ -467,18 +408,20 @@ class LogicalKeyboardKey extends KeyboardKey { ...@@ -467,18 +408,20 @@ class LogicalKeyboardKey extends KeyboardKey {
/// keyboard events. /// keyboard events.
@immutable @immutable
class PhysicalKeyboardKey extends KeyboardKey { class PhysicalKeyboardKey extends KeyboardKey {
/// A PhysicalKeyboardKey object for a USB HID usage. /// Creates a PhysicalKeyboardKey object with an optional debug name.
/// ///
/// This factory constructor ensures that the same `usbHidUsage` always results /// The [usbHidUsage] must not be null.
/// in the identical instance. It looks up an object from the predefined values ///
/// if possible, or construct a new one and cache it. /// {@tool snippet}
factory PhysicalKeyboardKey(int usbHidUsage) { /// To save executable size, it is recommended that the [debugName] be null in
return findKeyByCode(usbHidUsage) ?? /// release mode. You can do this using the [kReleaseMode] constant.
_additionalKeyPool.putIfAbsent(usbHidUsage, () => PhysicalKeyboardKey._(usbHidUsage)); ///
} /// ```dart
/// const PhysicalKeyboardKey(0x0000ffff, debugName: kReleaseMode ? null : 'Special Key')
/// Creates a PhysicalKeyboardKey object for a USB HID usage. /// ```
const PhysicalKeyboardKey._(this.usbHidUsage); /// {@end-tool}
const PhysicalKeyboardKey(this.usbHidUsage, {this.debugName})
: assert(usbHidUsage != null);
/// The unique USB HID usage ID of this physical key on the keyboard. /// The unique USB HID usage ID of this physical key on the keyboard.
/// ///
...@@ -492,20 +435,24 @@ class PhysicalKeyboardKey extends KeyboardKey { ...@@ -492,20 +435,24 @@ class PhysicalKeyboardKey extends KeyboardKey {
/// The debug string to print for this keyboard key, which will be null in /// The debug string to print for this keyboard key, which will be null in
/// release mode. /// release mode.
String? get debugName { final String? debugName;
String? result;
assert(() {
result = _debugNames[usbHidUsage] ??
'Key with ID 0x${usbHidUsage.toRadixString(16).padLeft(8, '0')}';
return true;
}());
return result;
}
/// Finds a known [PhysicalKeyboardKey] that matches the given USB HID usage /// Finds a known [PhysicalKeyboardKey] that matches the given USB HID usage
/// code. /// code.
static PhysicalKeyboardKey? findKeyByCode(int usageCode) => _knownPhysicalKeys[usageCode]; static PhysicalKeyboardKey? findKeyByCode(int usageCode) => _knownPhysicalKeys[usageCode];
@override
int get hashCode => usbHidUsage.hashCode;
@override
bool operator ==(Object other) {
if (other.runtimeType != runtimeType) {
return false;
}
return other is PhysicalKeyboardKey
&& other.usbHidUsage == usbHidUsage;
}
@override @override
void debugFillProperties(DiagnosticPropertiesBuilder properties) { void debugFillProperties(DiagnosticPropertiesBuilder properties) {
super.debugFillProperties(properties); super.debugFillProperties(properties);
...@@ -513,8 +460,6 @@ class PhysicalKeyboardKey extends KeyboardKey { ...@@ -513,8 +460,6 @@ class PhysicalKeyboardKey extends KeyboardKey {
properties.add(StringProperty('debugName', debugName, showName: true, defaultValue: null)); properties.add(StringProperty('debugName', debugName, showName: true, defaultValue: null));
} }
static final Map<int, PhysicalKeyboardKey> _additionalKeyPool = <int, PhysicalKeyboardKey>{};
// Key constants for all keyboard keys in the USB HID specification at the // Key constants for all keyboard keys in the USB HID specification at the
// time Flutter was built. // time Flutter was built.
@@@PHYSICAL_KEY_DEFINITIONS@@@ @@@PHYSICAL_KEY_DEFINITIONS@@@
...@@ -523,9 +468,4 @@ class PhysicalKeyboardKey extends KeyboardKey { ...@@ -523,9 +468,4 @@ class PhysicalKeyboardKey extends KeyboardKey {
static const Map<int, PhysicalKeyboardKey> _knownPhysicalKeys = <int, PhysicalKeyboardKey>{ static const Map<int, PhysicalKeyboardKey> _knownPhysicalKeys = <int, PhysicalKeyboardKey>{
@@@PHYSICAL_KEY_MAP@@@ @@@PHYSICAL_KEY_MAP@@@
}; };
static const Map<int, String> _debugNames = kReleaseMode ?
<int, String>{} :
<int, String>{
@@@PHYSICAL_KEY_DEBUG_NAMES@@@ };
} }
...@@ -45,38 +45,38 @@ class KeyboardKeysCodeGenerator extends BaseCodeGenerator { ...@@ -45,38 +45,38 @@ class KeyboardKeysCodeGenerator extends BaseCodeGenerator {
definitions.write(''' definitions.write('''
$firstComment /// $firstComment ///
$otherComments static const PhysicalKeyboardKey ${entry.constantName} = PhysicalKeyboardKey._(${toHex(entry.usbHidCode, digits: 8)}); $otherComments static const PhysicalKeyboardKey ${entry.constantName} = PhysicalKeyboardKey(${toHex(entry.usbHidCode, digits: 8)}, debugName: kReleaseMode ? null : '${entry.commentName}');
'''); ''');
} }
return definitions.toString(); return definitions.toString();
} }
String get _physicalDebugNames {
final StringBuffer result = StringBuffer();
for (final Key entry in keyData.data) {
result.write('''
${toHex(entry.usbHidCode, digits: 8)}: '${entry.commentName}',
''');
}
return result.toString();
}
/// Gets the generated definitions of LogicalKeyboardKeys. /// Gets the generated definitions of LogicalKeyboardKeys.
String get _logicalDefinitions { String get _logicalDefinitions {
String escapeLabel(String label) => label.contains("'") ? 'r"$label"' : "r'$label'";
final StringBuffer definitions = StringBuffer(); final StringBuffer definitions = StringBuffer();
void printKey(int flutterId, String constantName, String commentName, {String otherComments}) { void printKey(int flutterId, String keyLabel, String constantName, String commentName, {String otherComments}) {
final String firstComment = _wrapString('Represents the logical "$commentName" key on the keyboard.'); final String firstComment = _wrapString('Represents the logical "$commentName" key on the keyboard.');
otherComments ??= _wrapString('See the function [RawKeyEvent.logicalKey] for more information.'); otherComments ??= _wrapString('See the function [RawKeyEvent.logicalKey] for more information.');
definitions.write(''' if (keyLabel == null) {
definitions.write('''
$firstComment /// $firstComment ///
$otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardKey._(${toHex(flutterId, digits: 11)}); $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardKey(${toHex(flutterId, digits: 11)}, debugName: kReleaseMode ? null : '$commentName');
'''); ''');
} else {
definitions.write('''
$firstComment ///
$otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardKey(${toHex(flutterId, digits: 11)}, keyLabel: ${escapeLabel(keyLabel)}, debugName: kReleaseMode ? null : '$commentName');
''');
}
} }
for (final Key entry in keyData.data) { for (final Key entry in keyData.data) {
printKey( printKey(
entry.flutterId, entry.flutterId,
entry.keyLabel,
entry.constantName, entry.constantName,
entry.commentName, entry.commentName,
); );
...@@ -89,7 +89,7 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK ...@@ -89,7 +89,7 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK
final Set<String> unionNames = Key.synonyms[name].map<String>((dynamic name) { final Set<String> unionNames = Key.synonyms[name].map<String>((dynamic name) {
return upperCamelToLowerCamel(name as String); return upperCamelToLowerCamel(name as String);
}).toSet(); }).toSet();
printKey(Key.synonymPlane | entry.flutterId, name, Key.getCommentName(name), printKey(Key.synonymPlane | entry.flutterId, entry.keyLabel, name, Key.getCommentName(name),
otherComments: _wrapString('This key represents the union of the keys ' otherComments: _wrapString('This key represents the union of the keys '
'$unionNames when comparing keys. This key will never be generated ' '$unionNames when comparing keys. This key will never be generated '
'directly, its main use is in defining key maps.')); 'directly, its main use is in defining key maps.'));
...@@ -108,25 +108,6 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK ...@@ -108,25 +108,6 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK
return synonyms.toString(); return synonyms.toString();
} }
String get _logicalKeyLabels {
final StringBuffer result = StringBuffer();
for (final Key entry in keyData.data) {
result.write('''
${toHex(entry.flutterId, digits: 11)}: '${entry.commentName}',
''');
}
for (final String name in Key.synonyms.keys) {
// Use the first item in the synonyms as a template for the ID to use.
// It won't end up being the same value because it'll be in the pseudo-key
// plane.
final Key entry = keyData.data.firstWhere((Key item) => item.name == Key.synonyms[name][0]);
result.write('''
${toHex(Key.synonymPlane | entry.flutterId, digits: 11)}: '${Key.getCommentName(name)}',
''');
}
return result.toString();
}
/// This generates the map of USB HID codes to physical keys. /// This generates the map of USB HID codes to physical keys.
String get _predefinedHidCodeMap { String get _predefinedHidCodeMap {
final StringBuffer scanCodeMap = StringBuffer(); final StringBuffer scanCodeMap = StringBuffer();
...@@ -165,9 +146,7 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK ...@@ -165,9 +146,7 @@ $otherComments static const LogicalKeyboardKey $constantName = LogicalKeyboardK
'LOGICAL_KEY_MAP': _predefinedKeyCodeMap, 'LOGICAL_KEY_MAP': _predefinedKeyCodeMap,
'LOGICAL_KEY_DEFINITIONS': _logicalDefinitions, 'LOGICAL_KEY_DEFINITIONS': _logicalDefinitions,
'LOGICAL_KEY_SYNONYMS': _logicalSynonyms, 'LOGICAL_KEY_SYNONYMS': _logicalSynonyms,
'LOGICAL_KEY_KEY_LABELS': _logicalKeyLabels,
'PHYSICAL_KEY_DEFINITIONS': _physicalDefinitions, 'PHYSICAL_KEY_DEFINITIONS': _physicalDefinitions,
'PHYSICAL_KEY_DEBUG_NAMES': _physicalDebugNames,
}; };
} }
} }
This source diff could not be displayed because it is too large. You can view the blob instead.
...@@ -194,7 +194,11 @@ class RawKeyEventDataAndroid extends RawKeyEventData { ...@@ -194,7 +194,11 @@ class RawKeyEventDataAndroid extends RawKeyEventData {
if (keyLabel.isNotEmpty && !LogicalKeyboardKey.isControlCharacter(keyLabel)) { if (keyLabel.isNotEmpty && !LogicalKeyboardKey.isControlCharacter(keyLabel)) {
final int combinedCodePoint = plainCodePoint & _kCombiningCharacterMask; final int combinedCodePoint = plainCodePoint & _kCombiningCharacterMask;
final int keyId = LogicalKeyboardKey.unicodePlane | (combinedCodePoint & LogicalKeyboardKey.valueMask); final int keyId = LogicalKeyboardKey.unicodePlane | (combinedCodePoint & LogicalKeyboardKey.valueMask);
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key ${keyLabel.toUpperCase()}',
);
} }
// Look to see if the keyCode is one we know about and have a mapping for. // Look to see if the keyCode is one we know about and have a mapping for.
...@@ -206,7 +210,10 @@ class RawKeyEventDataAndroid extends RawKeyEventData { ...@@ -206,7 +210,10 @@ class RawKeyEventDataAndroid extends RawKeyEventData {
// This is a non-printable key that we don't know about, so we mint a new // This is a non-printable key that we don't know about, so we mint a new
// code with the autogenerated bit set. // code with the autogenerated bit set.
const int androidKeyIdPlane = 0x00200000000; const int androidKeyIdPlane = 0x00200000000;
newKey ??= LogicalKeyboardKey(androidKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask); newKey ??= LogicalKeyboardKey(
androidKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown Android key code $keyCode',
);
return newKey; return newKey;
} }
......
...@@ -68,8 +68,11 @@ class RawKeyEventDataFuchsia extends RawKeyEventData { ...@@ -68,8 +68,11 @@ class RawKeyEventDataFuchsia extends RawKeyEventData {
// If the key has a printable representation, then make a logical key based // If the key has a printable representation, then make a logical key based
// on that. // on that.
if (codePoint != 0) { if (codePoint != 0) {
final int flutterId = LogicalKeyboardKey.unicodePlane | codePoint & LogicalKeyboardKey.valueMask; return LogicalKeyboardKey(
return kFuchsiaToLogicalKey[flutterId] ?? LogicalKeyboardKey(LogicalKeyboardKey.unicodePlane | codePoint & LogicalKeyboardKey.valueMask); LogicalKeyboardKey.unicodePlane | codePoint & LogicalKeyboardKey.valueMask,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key $keyLabel',
);
} }
// Look to see if the hidUsage is one we know about and have a mapping for. // Look to see if the hidUsage is one we know about and have a mapping for.
...@@ -81,7 +84,10 @@ class RawKeyEventDataFuchsia extends RawKeyEventData { ...@@ -81,7 +84,10 @@ class RawKeyEventDataFuchsia extends RawKeyEventData {
// This is a non-printable key that we don't know about, so we mint a new // This is a non-printable key that we don't know about, so we mint a new
// code with the autogenerated bit set. // code with the autogenerated bit set.
const int fuchsiaKeyIdPlane = 0x00300000000; const int fuchsiaKeyIdPlane = 0x00300000000;
newKey ??= LogicalKeyboardKey(fuchsiaKeyIdPlane | hidUsage | LogicalKeyboardKey.autogeneratedMask); newKey ??= LogicalKeyboardKey(
fuchsiaKeyIdPlane | hidUsage | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Ephemeral Fuchsia key code $hidUsage',
);
return newKey; return newKey;
} }
......
...@@ -92,6 +92,7 @@ class RawKeyEventDataIos extends RawKeyEventData { ...@@ -92,6 +92,7 @@ class RawKeyEventDataIos extends RawKeyEventData {
@override @override
PhysicalKeyboardKey get physicalKey => kIosToPhysicalKey[keyCode] ?? PhysicalKeyboardKey.none; PhysicalKeyboardKey get physicalKey => kIosToPhysicalKey[keyCode] ?? PhysicalKeyboardKey.none;
@override @override
LogicalKeyboardKey get logicalKey { LogicalKeyboardKey get logicalKey {
// Look to see if the keyCode is a printable number pad key, so that a // Look to see if the keyCode is a printable number pad key, so that a
...@@ -125,7 +126,11 @@ class RawKeyEventDataIos extends RawKeyEventData { ...@@ -125,7 +126,11 @@ class RawKeyEventDataIos extends RawKeyEventData {
} }
final int keyId = LogicalKeyboardKey.unicodePlane | (codeUnit & LogicalKeyboardKey.valueMask); final int keyId = LogicalKeyboardKey.unicodePlane | (codeUnit & LogicalKeyboardKey.valueMask);
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key ${keyLabel.toUpperCase()}',
);
} }
// Control keys like "backspace" and movement keys like arrow keys don't // Control keys like "backspace" and movement keys like arrow keys don't
...@@ -136,14 +141,21 @@ class RawKeyEventDataIos extends RawKeyEventData { ...@@ -136,14 +141,21 @@ class RawKeyEventDataIos extends RawKeyEventData {
// physical key map. // physical key map.
if (physicalKey != PhysicalKeyboardKey.none) { if (physicalKey != PhysicalKeyboardKey.none) {
final int keyId = physicalKey.usbHidUsage | LogicalKeyboardKey.hidPlane; final int keyId = physicalKey.usbHidUsage | LogicalKeyboardKey.hidPlane;
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: physicalKey.debugName ?? '',
debugName: physicalKey.debugName,
);
} }
// This is a non-printable key that is unrecognized, so a new code is minted // This is a non-printable key that is unrecognized, so a new code is minted
// with the autogenerated bit set. // with the autogenerated bit set.
const int iosKeyIdPlane = 0x00400000000; const int iosKeyIdPlane = 0x00400000000;
return LogicalKeyboardKey(iosKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask); return LogicalKeyboardKey(
iosKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown iOS key code $keyCode',
);
} }
bool _isLeftRightModifierPressed(KeyboardSide side, int anyMask, int leftMask, int rightMask) { bool _isLeftRightModifierPressed(KeyboardSide side, int anyMask, int leftMask, int rightMask) {
......
...@@ -92,7 +92,11 @@ class RawKeyEventDataLinux extends RawKeyEventData { ...@@ -92,7 +92,11 @@ class RawKeyEventDataLinux extends RawKeyEventData {
if (keyLabel.isNotEmpty && if (keyLabel.isNotEmpty &&
!LogicalKeyboardKey.isControlCharacter(keyLabel)) { !LogicalKeyboardKey.isControlCharacter(keyLabel)) {
final int keyId = LogicalKeyboardKey.unicodePlane | (unicodeScalarValues & LogicalKeyboardKey.valueMask); final int keyId = LogicalKeyboardKey.unicodePlane | (unicodeScalarValues & LogicalKeyboardKey.valueMask);
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key ${keyLabel.toUpperCase()}',
);
} }
// Look to see if the keyCode is one we know about and have a mapping for. // Look to see if the keyCode is one we know about and have a mapping for.
...@@ -105,7 +109,10 @@ class RawKeyEventDataLinux extends RawKeyEventData { ...@@ -105,7 +109,10 @@ class RawKeyEventDataLinux extends RawKeyEventData {
// This is a non-printable key that we don't know about, so we mint a new // This is a non-printable key that we don't know about, so we mint a new
// code with the autogenerated bit set. // code with the autogenerated bit set.
newKey ??= LogicalKeyboardKey(linuxKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask); newKey ??= LogicalKeyboardKey(
linuxKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown key code $keyCode',
);
return newKey; return newKey;
} }
......
...@@ -95,7 +95,11 @@ class RawKeyEventDataMacOs extends RawKeyEventData { ...@@ -95,7 +95,11 @@ class RawKeyEventDataMacOs extends RawKeyEventData {
} }
final int keyId = LogicalKeyboardKey.unicodePlane | (codeUnit & LogicalKeyboardKey.valueMask); final int keyId = LogicalKeyboardKey.unicodePlane | (codeUnit & LogicalKeyboardKey.valueMask);
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key ${keyLabel.toUpperCase()}',
);
} }
// Control keys like "backspace" and movement keys like arrow keys don't // Control keys like "backspace" and movement keys like arrow keys don't
...@@ -106,14 +110,21 @@ class RawKeyEventDataMacOs extends RawKeyEventData { ...@@ -106,14 +110,21 @@ class RawKeyEventDataMacOs extends RawKeyEventData {
// physical key map. // physical key map.
if (physicalKey != PhysicalKeyboardKey.none) { if (physicalKey != PhysicalKeyboardKey.none) {
final int keyId = physicalKey.usbHidUsage | LogicalKeyboardKey.hidPlane; final int keyId = physicalKey.usbHidUsage | LogicalKeyboardKey.hidPlane;
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: physicalKey.debugName ?? '',
debugName: physicalKey.debugName,
);
} }
// This is a non-printable key that is unrecognized, so a new code is minted // This is a non-printable key that is unrecognized, so a new code is minted
// with the autogenerated bit set. // with the autogenerated bit set.
const int macOsKeyIdPlane = 0x00500000000; const int macOsKeyIdPlane = 0x00500000000;
return LogicalKeyboardKey(macOsKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask); return LogicalKeyboardKey(
macOsKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown macOS key code $keyCode',
);
} }
bool _isLeftRightModifierPressed(KeyboardSide side, int anyMask, int leftMask, int rightMask) { bool _isLeftRightModifierPressed(KeyboardSide side, int anyMask, int leftMask, int rightMask) {
......
...@@ -82,7 +82,10 @@ class RawKeyEventDataWeb extends RawKeyEventData { ...@@ -82,7 +82,10 @@ class RawKeyEventDataWeb extends RawKeyEventData {
// This is a non-printable key that we don't know about, so we mint a new // This is a non-printable key that we don't know about, so we mint a new
// code with the autogenerated bit set. // code with the autogenerated bit set.
const int webKeyIdPlane = 0x00800000000; const int webKeyIdPlane = 0x00800000000;
return LogicalKeyboardKey(webKeyIdPlane | code.hashCode | LogicalKeyboardKey.autogeneratedMask); return LogicalKeyboardKey(
webKeyIdPlane | code.hashCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown Web code "$code"',
);
} }
@override @override
......
...@@ -3,6 +3,8 @@ ...@@ -3,6 +3,8 @@
// found in the LICENSE file. // found in the LICENSE file.
import 'package:flutter/foundation.dart';
import 'keyboard_key.dart'; import 'keyboard_key.dart';
import 'keyboard_maps.dart'; import 'keyboard_maps.dart';
import 'raw_keyboard.dart'; import 'raw_keyboard.dart';
...@@ -78,7 +80,11 @@ class RawKeyEventDataWindows extends RawKeyEventData { ...@@ -78,7 +80,11 @@ class RawKeyEventDataWindows extends RawKeyEventData {
// plane. // plane.
if (keyLabel.isNotEmpty && !LogicalKeyboardKey.isControlCharacter(keyLabel)) { if (keyLabel.isNotEmpty && !LogicalKeyboardKey.isControlCharacter(keyLabel)) {
final int keyId = LogicalKeyboardKey.unicodePlane | (characterCodePoint & LogicalKeyboardKey.valueMask); final int keyId = LogicalKeyboardKey.unicodePlane | (characterCodePoint & LogicalKeyboardKey.valueMask);
return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(keyId); return LogicalKeyboardKey.findKeyByKeyId(keyId) ?? LogicalKeyboardKey(
keyId,
keyLabel: keyLabel,
debugName: kReleaseMode ? null : 'Key ${keyLabel.toUpperCase()}',
);
} }
// Look to see if the keyCode is one we know about and have a mapping for. // Look to see if the keyCode is one we know about and have a mapping for.
LogicalKeyboardKey? newKey = kWindowsToLogicalKey[keyCode]; LogicalKeyboardKey? newKey = kWindowsToLogicalKey[keyCode];
...@@ -89,7 +95,10 @@ class RawKeyEventDataWindows extends RawKeyEventData { ...@@ -89,7 +95,10 @@ class RawKeyEventDataWindows extends RawKeyEventData {
// This is a non-printable key that we don't know about, so we mint a new // This is a non-printable key that we don't know about, so we mint a new
// code with the autogenerated bit set. // code with the autogenerated bit set.
const int windowsKeyIdPlane = 0x00700000000; const int windowsKeyIdPlane = 0x00700000000;
newKey ??= LogicalKeyboardKey(windowsKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask); newKey ??= LogicalKeyboardKey(
windowsKeyIdPlane | keyCode | LogicalKeyboardKey.autogeneratedMask,
debugName: kReleaseMode ? null : 'Unknown Windows key code $keyCode',
);
return newKey; return newKey;
} }
......
...@@ -15,14 +15,11 @@ void main() { ...@@ -15,14 +15,11 @@ void main() {
// Check a modifier key // Check a modifier key
expect(PhysicalKeyboardKey.findKeyByCode(0x000700e1), equals(PhysicalKeyboardKey.shiftLeft)); expect(PhysicalKeyboardKey.findKeyByCode(0x000700e1), equals(PhysicalKeyboardKey.shiftLeft));
}); });
test('Values are cached', () async { test('Equality is only based on HID code.', () async {
expect(identical(PhysicalKeyboardKey.keyA, PhysicalKeyboardKey(PhysicalKeyboardKey.keyA.usbHidUsage)), true); const PhysicalKeyboardKey key1 = PhysicalKeyboardKey(0x01, debugName: 'key1');
expect(identical(PhysicalKeyboardKey(0x12345), PhysicalKeyboardKey(0x12345)), true); const PhysicalKeyboardKey key2 = PhysicalKeyboardKey(0x01, debugName: 'key2');
}); expect(key1, equals(key1));
test('debugNames', () async { expect(key1, equals(key2));
expect(PhysicalKeyboardKey.keyA.debugName, 'Key A');
expect(PhysicalKeyboardKey.backslash.debugName, 'Backslash');
expect(PhysicalKeyboardKey(0x12345).debugName, 'Key with ID 0x00012345');
}); });
}); });
group(LogicalKeyboardKey, () { group(LogicalKeyboardKey, () {
...@@ -47,6 +44,12 @@ void main() { ...@@ -47,6 +44,12 @@ void main() {
expect(LogicalKeyboardKey.isControlCharacter('~'), isFalse); expect(LogicalKeyboardKey.isControlCharacter('~'), isFalse);
expect(LogicalKeyboardKey.isControlCharacter('\xa0'), isFalse); // NO-BREAK SPACE expect(LogicalKeyboardKey.isControlCharacter('\xa0'), isFalse); // NO-BREAK SPACE
}); });
test('Equality is only based on ID.', () async {
const LogicalKeyboardKey key1 = LogicalKeyboardKey(0x01, keyLabel: 'label1', debugName: 'key1');
const LogicalKeyboardKey key2 = LogicalKeyboardKey(0x01, keyLabel: 'label2', debugName: 'key2');
expect(key1, equals(key1));
expect(key1, equals(key2));
});
test('Basic synonyms can be looked up.', () async { test('Basic synonyms can be looked up.', () async {
expect(LogicalKeyboardKey.shiftLeft.synonyms.first, equals(LogicalKeyboardKey.shift)); expect(LogicalKeyboardKey.shiftLeft.synonyms.first, equals(LogicalKeyboardKey.shift));
expect(LogicalKeyboardKey.controlLeft.synonyms.first, equals(LogicalKeyboardKey.control)); expect(LogicalKeyboardKey.controlLeft.synonyms.first, equals(LogicalKeyboardKey.control));
...@@ -103,29 +106,5 @@ void main() { ...@@ -103,29 +106,5 @@ void main() {
LogicalKeyboardKey.meta, LogicalKeyboardKey.meta,
})); }));
}); });
test('Values are cached', () async {
expect(identical(LogicalKeyboardKey.keyA, LogicalKeyboardKey(LogicalKeyboardKey.keyA.keyId)), true);
expect(identical(LogicalKeyboardKey(0x12345), LogicalKeyboardKey(0x12345)), true);
});
test('keyLabel', () async {
expect(LogicalKeyboardKey.keyA.keyLabel, 'A');
expect(LogicalKeyboardKey.backslash.keyLabel, r'\');
expect(LogicalKeyboardKey(0xD9).keyLabel, 'Ù');
expect(LogicalKeyboardKey(0xF9).keyLabel, 'Ù');
expect(LogicalKeyboardKey.shiftLeft.keyLabel, 'Shift Left');
expect(LogicalKeyboardKey.numpadDecimal.keyLabel, 'Numpad Decimal');
expect(LogicalKeyboardKey.numpad1.keyLabel, 'Numpad 1');
expect(LogicalKeyboardKey.delete.keyLabel, 'Delete');
expect(LogicalKeyboardKey.f12.keyLabel, 'F12');
expect(LogicalKeyboardKey.mediaPlay.keyLabel, 'Media Play');
expect(LogicalKeyboardKey(0x100012345).keyLabel, '');
});
test('debugName', () async {
expect(LogicalKeyboardKey.keyA.debugName, 'Key A');
expect(LogicalKeyboardKey.backslash.debugName, 'Backslash');
expect(LogicalKeyboardKey(0xD9).debugName, 'Key Ù');
expect(LogicalKeyboardKey.mediaPlay.debugName, 'Media Play');
expect(LogicalKeyboardKey(0x100012345).debugName, 'Key with ID 0x00100012345');
});
}); });
} }
...@@ -1178,6 +1178,7 @@ void main() { ...@@ -1178,6 +1178,7 @@ void main() {
final RawKeyEventDataMacOs data = leftArrowKey.data as RawKeyEventDataMacOs; final RawKeyEventDataMacOs data = leftArrowKey.data as RawKeyEventDataMacOs;
expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft)); expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft));
expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft)); expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft));
expect(data.logicalKey.keyLabel, isEmpty);
}, skip: isBrowser); // https://github.com/flutter/flutter/issues/35347 }, skip: isBrowser); // https://github.com/flutter/flutter/issues/35347
}, skip: isBrowser); // This is a macOS-specific group. }, skip: isBrowser); // This is a macOS-specific group.
...@@ -1323,6 +1324,7 @@ void main() { ...@@ -1323,6 +1324,7 @@ void main() {
final RawKeyEventDataIos data = leftArrowKey.data as RawKeyEventDataIos; final RawKeyEventDataIos data = leftArrowKey.data as RawKeyEventDataIos;
expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft)); expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft));
expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft)); expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft));
expect(data.logicalKey.keyLabel, isEmpty);
}, skip: isBrowser); // https://github.com/flutter/flutter/issues/35347 }, skip: isBrowser); // https://github.com/flutter/flutter/issues/35347
}, skip: isBrowser); // This is an iOS-specific group. }, skip: isBrowser); // This is an iOS-specific group.
...@@ -1467,6 +1469,7 @@ void main() { ...@@ -1467,6 +1469,7 @@ void main() {
final RawKeyEventDataWindows data = leftArrowKey.data as RawKeyEventDataWindows; final RawKeyEventDataWindows data = leftArrowKey.data as RawKeyEventDataWindows;
expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft)); expect(data.physicalKey, equals(PhysicalKeyboardKey.arrowLeft));
expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft)); expect(data.logicalKey, equals(LogicalKeyboardKey.arrowLeft));
expect(data.logicalKey.keyLabel, isEmpty);
}); });
testWidgets('Win32 VK_PROCESSKEY events are skipped', (WidgetTester tester) async { testWidgets('Win32 VK_PROCESSKEY events are skipped', (WidgetTester tester) async {
const String platform = 'windows'; const String platform = 'windows';
......
...@@ -68,7 +68,7 @@ void main() { ...@@ -68,7 +68,7 @@ void main() {
LogicalKeyboardKey.keyC, LogicalKeyboardKey.keyC,
LogicalKeyboardKey.keyD, LogicalKeyboardKey.keyD,
); );
final LogicalKeySet setFromSet = LogicalKeySet.fromSet(const <LogicalKeyboardKey>{ final LogicalKeySet setFromSet = LogicalKeySet.fromSet(<LogicalKeyboardKey>{
LogicalKeyboardKey.keyA, LogicalKeyboardKey.keyA,
LogicalKeyboardKey.keyB, LogicalKeyboardKey.keyB,
LogicalKeyboardKey.keyC, LogicalKeyboardKey.keyC,
...@@ -123,7 +123,7 @@ void main() { ...@@ -123,7 +123,7 @@ void main() {
LogicalKeyboardKey.keyB, LogicalKeyboardKey.keyB,
LogicalKeyboardKey.keyA, LogicalKeyboardKey.keyA,
); );
final LogicalKeySet set4 = LogicalKeySet.fromSet(const <LogicalKeyboardKey>{ final LogicalKeySet set4 = LogicalKeySet.fromSet(<LogicalKeyboardKey>{
LogicalKeyboardKey.keyD, LogicalKeyboardKey.keyD,
LogicalKeyboardKey.keyC, LogicalKeyboardKey.keyC,
LogicalKeyboardKey.keyB, LogicalKeyboardKey.keyB,
...@@ -138,7 +138,7 @@ void main() { ...@@ -138,7 +138,7 @@ void main() {
expect(map.containsKey(LogicalKeySet(LogicalKeyboardKey.keyA)), isTrue); expect(map.containsKey(LogicalKeySet(LogicalKeyboardKey.keyA)), isTrue);
expect( expect(
set2, set2,
equals(LogicalKeySet.fromSet(const <LogicalKeyboardKey>{ equals(LogicalKeySet.fromSet(<LogicalKeyboardKey>{
LogicalKeyboardKey.keyA, LogicalKeyboardKey.keyA,
LogicalKeyboardKey.keyB, LogicalKeyboardKey.keyB,
LogicalKeyboardKey.keyC, LogicalKeyboardKey.keyC,
......
...@@ -13,13 +13,6 @@ import 'test_async_utils.dart'; ...@@ -13,13 +13,6 @@ import 'test_async_utils.dart';
// https://github.com/flutter/flutter/issues/33521 // https://github.com/flutter/flutter/issues/33521
// This code can only simulate keys which appear in the key maps. // This code can only simulate keys which appear in the key maps.
String _keyLabel(LogicalKeyboardKey key) {
final String keyLabel = key.keyLabel;
if (keyLabel.length == 1)
return keyLabel.toLowerCase();
return '';
}
/// A class that serves as a namespace for a bunch of keyboard-key generation /// A class that serves as a namespace for a bunch of keyboard-key generation
/// utilities. /// utilities.
class KeyEventSimulator { class KeyEventSimulator {
...@@ -213,7 +206,7 @@ class KeyEventSimulator { ...@@ -213,7 +206,7 @@ class KeyEventSimulator {
if (kIsWeb) { if (kIsWeb) {
result['code'] = _getWebKeyCode(key); result['code'] = _getWebKeyCode(key);
result['key'] = _keyLabel(key); result['key'] = key.keyLabel;
result['metaState'] = _getWebModifierFlags(key, isDown); result['metaState'] = _getWebModifierFlags(key, isDown);
return result; return result;
} }
...@@ -221,17 +214,17 @@ class KeyEventSimulator { ...@@ -221,17 +214,17 @@ class KeyEventSimulator {
switch (platform) { switch (platform) {
case 'android': case 'android':
result['keyCode'] = keyCode; result['keyCode'] = keyCode;
if (_keyLabel(key).isNotEmpty) { if (key.keyLabel.isNotEmpty) {
result['codePoint'] = _keyLabel(key).codeUnitAt(0); result['codePoint'] = key.keyLabel.codeUnitAt(0);
result['character'] = _keyLabel(key); result['character'] = key.keyLabel;
} }
result['scanCode'] = scanCode; result['scanCode'] = scanCode;
result['metaState'] = _getAndroidModifierFlags(key, isDown); result['metaState'] = _getAndroidModifierFlags(key, isDown);
break; break;
case 'fuchsia': case 'fuchsia':
result['hidUsage'] = physicalKey.usbHidUsage; result['hidUsage'] = physicalKey.usbHidUsage;
if (_keyLabel(key).isNotEmpty) { if (key.keyLabel.isNotEmpty) {
result['codePoint'] = _keyLabel(key).codeUnitAt(0); result['codePoint'] = key.keyLabel.codeUnitAt(0);
} }
result['modifiers'] = _getFuchsiaModifierFlags(key, isDown); result['modifiers'] = _getFuchsiaModifierFlags(key, isDown);
break; break;
...@@ -240,32 +233,32 @@ class KeyEventSimulator { ...@@ -240,32 +233,32 @@ class KeyEventSimulator {
result['keyCode'] = keyCode; result['keyCode'] = keyCode;
result['scanCode'] = scanCode; result['scanCode'] = scanCode;
result['modifiers'] = _getGlfwModifierFlags(key, isDown); result['modifiers'] = _getGlfwModifierFlags(key, isDown);
result['unicodeScalarValues'] = _keyLabel(key).isNotEmpty ? _keyLabel(key).codeUnitAt(0) : 0; result['unicodeScalarValues'] = key.keyLabel.isNotEmpty ? key.keyLabel.codeUnitAt(0) : 0;
break; break;
case 'macos': case 'macos':
result['keyCode'] = scanCode; result['keyCode'] = scanCode;
if (_keyLabel(key).isNotEmpty) { if (key.keyLabel.isNotEmpty) {
result['characters'] = _keyLabel(key); result['characters'] = key.keyLabel;
result['charactersIgnoringModifiers'] = _keyLabel(key); result['charactersIgnoringModifiers'] = key.keyLabel;
} }
result['modifiers'] = _getMacOsModifierFlags(key, isDown); result['modifiers'] = _getMacOsModifierFlags(key, isDown);
break; break;
case 'ios': case 'ios':
result['keyCode'] = scanCode; result['keyCode'] = scanCode;
result['characters'] = _keyLabel(key); result['characters'] = key.keyLabel;
result['charactersIgnoringModifiers'] = _keyLabel(key); result['charactersIgnoringModifiers'] = key.keyLabel;
result['modifiers'] = _getIOSModifierFlags(key, isDown); result['modifiers'] = _getIOSModifierFlags(key, isDown);
break; break;
case 'web': case 'web':
result['code'] = _getWebKeyCode(key); result['code'] = _getWebKeyCode(key);
result['key'] = _keyLabel(key); result['key'] = key.keyLabel;
result['metaState'] = _getWebModifierFlags(key, isDown); result['metaState'] = _getWebModifierFlags(key, isDown);
break; break;
case 'windows': case 'windows':
result['keyCode'] = keyCode; result['keyCode'] = keyCode;
result['scanCode'] = scanCode; result['scanCode'] = scanCode;
if (_keyLabel(key).isNotEmpty) { if (key.keyLabel.isNotEmpty) {
result['characterCodePoint'] = _keyLabel(key).codeUnitAt(0); result['characterCodePoint'] = key.keyLabel.codeUnitAt(0);
} }
result['modifiers'] = _getWindowsModifierFlags(key, isDown); result['modifiers'] = _getWindowsModifierFlags(key, isDown);
} }
......
Markdown is supported
0% or
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment