Problem
Alice is texting Bob using her phone. The mapping of digits to letters is shown in the figure below.
data:image/s3,"s3://crabby-images/ba71f/ba71fd1bc5f298a1dda09b5c6b6379485010230e" alt=""
In order to add a letter, Alice has to press the key of the corresponding digit i
times, where i
is the position of the letter in the key.
- For example, to add the letter
's'
, Alice has to press'7'
four times. Similarly, to add the letter'k'
, Alice has to press'5'
twice. - Note that the digits
'0'
and'1'
do not map to any letters, so Alice does not use them.
However, due to an error in transmission, Bob did not receive Alice’s text message but received a string of pressed keys instead.
- For example, when Alice sent the message
"bob"
, Bob received the string"2266622"
.
Given a string pressedKeys
representing the string received by Bob, return the total number of possible text messages Alice could have sent.
Since the answer may be very large, return it modulo 10⁹ + 7
.
https://leetcode.cn/problems/count-number-of-texts/
Example 1:
Input:
pressedKeys = "22233"
Output:8
Explanation:
The possible text messages Alice could have sent are:
"aaadd"
,"abdd"
,"badd"
,"cdd"
,"aaae"
,"abe"
,"bae"
, and"ce"
.
Since there are 8 possible messages, we return 8.
Example 2:
Input:
pressedKeys = "222222222222222222222222222222222222"
Output:82876089
Explanation:
There are 2082876103 possible text messages Alice could have sent.
Since we need to return the answer modulo10⁹ + 7
, we return2082876103 % (10⁹ + 7) = 82876089
.
Constraints:
1 <= pressedKeys.length <= 10⁵
pressedKeys
only consists of digits from'2'
-'9'
.
Test Cases
1 | class Solution: |
1 | import pytest |
Thoughts
跟 70. Climbing Stairs 类似。
可以发现数字 7 和 9 是一组(对应 4 个字母),其他数字是一组(每个数字对应 3 个字母)。
记 dp4(n)
表示连续 n 个数字 7(或 9),可能的文本数量,显然有 。
同理即 dp3(n)
表示连续 n 个其他数字,可能的文本数量,有 。
遍历 pressedKeys
,对于每一组连续相同的字符,根据 dp3 或者 dp4 计算出这一组字符可能的文本数量。不同的组之间彼此独立,可能数相乘即为总的可能数。
时间复杂度 O(n)
,空间复杂度 O(n)
。
Code
1 | from itertools import groupby |