LeetCode刷题记录——第821题(字符的最短距离)

题目描述

给定一个字符串 S 和一个字符 C。返回一个代表字符串 S 中每个字符到字符串 S 中的字符 C 的最短距离的数组。

示例 1:

输入: S = “loveleetcode”, C = ‘e’
输出: [3, 2, 1, 0, 1, 0, 0, 1, 2, 2, 1, 0]

说明:

字符串 S 的长度范围为 [1, 10000]。
C 是一个单字符,且保证是字符串 S 里的字符。
S 和 C 中的所有字母均为小写字母。

思路分析

  • 用 dic来记录S序列总代表的字符对应的索引,第一个for循环将符合C的索引放入dic中,key为索引位置,value为C的值
  • 第二个for循环用来找到最短的距离,用temp记录当前S中遍历的字符与所有C中的目标字符串的距离,然后筛选出最小的一项将其append进res中

代码示例

class Solution:
    def shortestToChar(self, S, C):
        """
        :type S: str
        :type C: str
        :rtype: List[int]
        """
        dic = {}   # 记录S序列中C代表的字符所对应的索引
        res = []
        for index,s in enumerate(S):
            if s == C:
                dic[index] = s
        for i in range(len(S)):
            temp = []
            for key in dic.keys():
                temp.append(abs(i-key))
            res.append(min(temp))
        return res

你可能感兴趣的:(菜鸟的LeetCode刷题记录)