comments | difficulty | edit_url | rating | source | tags | ||
---|---|---|---|---|---|---|---|
true |
简单 |
1199 |
第 7 场双周赛 Q1 |
|
我们定制了一款特殊的键盘,所有的键都 排列在一行上 。
给定一个长度为 26
的字符串 keyboard
,来表示键盘的布局(索引从 0
到 25
)。一开始,你的手指在索引 0
处。要输入一个字符,你必须把你的手指移动到所需字符的索引处。手指从索引 i
移动到索引 j
所需要的时间是 |i - j|
。
您需要输入一个字符串 word
。写一个函数来计算用一个手指输入需要多少时间。
示例 1:
输入:keyboard = "abcdefghijklmnopqrstuvwxyz", word = "cba" 输出:4 解释:从 0 号键移动到 2 号键来输出 'c',又移动到 1 号键来输出 'b',接着移动到 0 号键来输出 'a'。 总用时 = 2 + 1 + 1 = 4.
示例 2:
输入:keyboard = "pqrstuvwxyzabcdefghijklmno", word = "leetcode" 输出:73
提示:
keyboard.length == 26
keyboard
按某种特定顺序排列,并包含每个小写英文字母一次。1 <= word.length <= 104
word[i]
为小写英文字母
我们可以用哈希表或者一个长度为
然后我们遍历字符串
遍历完字符串
时间复杂度
class Solution:
def calculateTime(self, keyboard: str, word: str) -> int:
pos = {c: i for i, c in enumerate(keyboard)}
ans = i = 0
for c in word:
ans += abs(pos[c] - i)
i = pos[c]
return ans
class Solution {
public int calculateTime(String keyboard, String word) {
int[] pos = new int[26];
for (int i = 0; i < 26; ++i) {
pos[keyboard.charAt(i) - 'a'] = i;
}
int ans = 0, i = 0;
for (int k = 0; k < word.length(); ++k) {
int j = pos[word.charAt(k) - 'a'];
ans += Math.abs(i - j);
i = j;
}
return ans;
}
}
class Solution {
public:
int calculateTime(string keyboard, string word) {
int pos[26];
for (int i = 0; i < 26; ++i) {
pos[keyboard[i] - 'a'] = i;
}
int ans = 0, i = 0;
for (char& c : word) {
int j = pos[c - 'a'];
ans += abs(i - j);
i = j;
}
return ans;
}
};
func calculateTime(keyboard string, word string) (ans int) {
pos := [26]int{}
for i, c := range keyboard {
pos[c-'a'] = i
}
i := 0
for _, c := range word {
j := pos[c-'a']
ans += abs(i - j)
i = j
}
return
}
func abs(x int) int {
if x < 0 {
return -x
}
return x
}
function calculateTime(keyboard: string, word: string): number {
const pos: number[] = Array(26).fill(0);
for (let i = 0; i < 26; ++i) {
pos[keyboard.charCodeAt(i) - 97] = i;
}
let ans = 0;
let i = 0;
for (const c of word) {
const j = pos[c.charCodeAt(0) - 97];
ans += Math.abs(i - j);
i = j;
}
return ans;
}