Question:
Your friend is typing his name
into a keyboard. Sometimes, when typing a character c
, the key might get long pressed, and the character will be typed 1 or more times.
You examine the typed
characters of the keyboard. Return True
if it is possible that it was your friends name, with some characters (possibly none) being long pressed.
Example:
Input: name = "alex", typed = "aaleex"
Output: true
Explanation: 'a' and 'e' in 'alex' were long pressed.
Input: name = "laiden", typed = "laiden"
Output: true
Explanation: It's not necessary to long press any character.
Input: name = "saeed", typed = "ssaaedd"
Output: false
Explanation: 'e' must have been pressed twice, but it wasn't in the typed output.
Input: name = "leelee", typed = "lleeelee"
Output: true
Solution:
/**
* @param {string} name
* @param {string} typed
* @return {boolean}
*/
var isLongPressedName = function(name, typed) {
if (!name || !typed) return false;
// 相同则无需判断
if (name === typed) return true;
let regStr = '';
for (let i in name) {
regStr += name[i] + '+';
}
const regx = new RegExp(regStr,'g');
return regx.test(typed);
};
Runtime: 80 ms, faster than 24.19% of JavaScript online submissions for Long Pressed Name.