给你一个字符串 s 和一个字符 c ,且 c 是 s 中出现过的字符。

返回一个整数数组 answer ,其中 answer.length == s.length 且 answer[i] 是 s 中从下标 i 到离它 最近 的字符 c 的 距离 。

两个下标 i 和 j 之间的 距离 为 abs(i - j) ,其中 abs 是绝对值函数。

示例 1:

输入:s = “loveleetcode”, c = “e”
输出:[3,2,1,0,1,0,0,1,2,2,1,0]
解释:字符 ‘e’ 出现在下标 3、5、6 和 11 处(下标从 0 开始计数)。
距下标 0 最近的 ‘e’ 出现在下标 3 ,所以距离为 abs(0 - 3) = 3 。
距下标 1 最近的 ‘e’ 出现在下标 3 ,所以距离为 abs(1 - 3) = 2 。
对于下标 4 ,出现在下标 3 和下标 5 处的 ‘e’ 都离它最近,但距离是一样的 abs(4 - 3) == abs(4 - 5) = 1 。
距下标 8 最近的 ‘e’ 出现在下标 6 ,所以距离为 abs(8 - 6) = 2 。
示例 2:

输入:s = “aaab”, c = “b”
输出:[3,2,1,0]

提示:
1 <= s.length <= 104
s[i] 和 c 均为小写英文字母
题目数据保证 c 在 s 中至少出现一次


  1. class Solution {
  2. /**
  3. 把c下标存起来,每次找大于等于当前下标的第一个c的位置
  4. */
  5. public int[] shortestToChar(String s, char c) {
  6. char[] ch = s.toCharArray();
  7. int n = ch.length;
  8. int[] res = new int[n];
  9. List<Integer> list = new ArrayList<>();
  10. for (int i = 0; i < n; ++i)
  11. if (c == ch[i]) list.add(i);
  12. for (int i = 0; i < n; ++i) {
  13. int l = 0, r = list.size() - 1;
  14. while (l < r) {
  15. int mid = l + r >> 1;
  16. if (list.get(mid) >= i) r = mid;
  17. else l = mid + 1;
  18. }
  19. res[i] = Math.abs(list.get(l) - i);
  20. if (l > 0)
  21. res[i] = Math.min(res[i], Math.abs(list.get(l - 1) - i));
  22. }
  23. return res;
  24. }
  25. }

bfs

  1. class Solution {
  2. public int[] shortestToChar(String s, char c) {
  3. char[] ch = s.toCharArray();
  4. int n = ch.length;
  5. Deque<Integer> q = new LinkedList<>();
  6. int[] res = new int[n];
  7. Arrays.fill(res, -1);
  8. for (int i = 0; i < n; ++i)
  9. if (c == ch[i]) {
  10. q.addLast(i);
  11. res[i] = 0;
  12. }
  13. int[] dir = new int[]{-1, 1};
  14. while (!q.isEmpty()) {
  15. int t = q.pollFirst();
  16. for (int d : dir) {
  17. int x = d + t;
  18. //根据x == -1判重
  19. if (x >= 0 && x < n && res[x] == -1) {
  20. res[x] = res[t] + 1;
  21. q.addLast(x);
  22. }
  23. }
  24. }
  25. return res;
  26. }
  27. }