Given a non-empty string str and an integer k, rearrange the string such that the same characters are at least distance k from each other.

All input strings are given in lowercase letters. If it is not possible to rearrange the string, return an empty string "".

Example 1:

str = "aabbcc", k = 3

Result: "abcabc"

The same letters are at least distance 3 from each other.

Example 2:

str = "aaabc", k = 3 

Answer: ""

It is not possible to rearrange the string.

Example 3:

str = "aaadbbcc", k = 2

Answer: "abacabcd"

Another possible answer is: "abcabcda"

The same letters are at least distance 2 from each other.

Credits:
Special thanks to @elmirap for adding this problem and creating all test cases.

给一个非空字符串和一个距离k,按k的距离间隔从新排列字符串,使得相同的字符之间间隔最少是k。

解法1:先用 HashMap 或者Array 对字符串里的字符按出现次数进行统计,按次数由高到低进行排序。出现次数最多的字符个数记为max_cnt,max_cnt - 1 是所需要的间隔数。把剩下字符按出现次数多的字符开始,把每一个字符插入到间隔中,以此类推,直到所有字符插完。然后判断每一个间隔内的字符长度,如果任何一个间隔<k,则不满足,返回"",如果都满足则返回这个新的字符串。

解法2:还是先统计字符出现的次数,按出现次数排列组成最大堆。然后每次从堆中去取topk 的字符排入结果,相应的字符数减1,如此循环,直到所有字符排完。

public class Solution {
public String rearrangeString(String str, int k) {
if (k <= 0) return str;
int[] f = new int[26];
char[] sa = str.toCharArray();
for(char c: sa) f[c-'a'] ++;
int r = sa.length / k;
int m = sa.length % k;
int c = 0;
for(int g: f) {
if (g-r>1) return "";
if (g-r==1) c ++;
}
if (c>m) return "";
Integer[] pos = new Integer[26];
for(int i=0; i<pos.length; i++) pos[i] = i;
Arrays.sort(pos, new Comparator<Integer>() {
@Override
public int compare(Integer i1, Integer i2) {
return f[pos[i2]] - f[pos[i1]];
}
});
char[] result = new char[sa.length];
for(int i=0, j=0, p=0; i<sa.length; i++) {
result[j] = (char)(pos[p]+'a');
if (-- f[pos[p]] == 0) p ++;
j += k;
if (j >= sa.length) {
j %= k;
j ++;
}
}
return new String(result);
}
}  

Python:  T: O(n) S: O(n)

class Solution(object):
def rearrangeString(self, str, k):
cnts = [0] * 26;
for c in str:
cnts[ord(c) - ord('a')] += 1 sorted_cnts = []
for i in xrange(26):
sorted_cnts.append((cnts[i], chr(i + ord('a'))))
sorted_cnts.sort(reverse=True) max_cnt = sorted_cnts[0][0]
blocks = [[] for _ in xrange(max_cnt)]
i = 0
for cnt in sorted_cnts:
for _ in xrange(cnt[0]):
blocks[i].append(cnt[1])
i = (i + 1) % max(cnt[0], max_cnt - 1) for i in xrange(max_cnt-1):
if len(blocks[i]) < k:
return "" return "".join(map(lambda x : "".join(x), blocks))

Python: T: O(nlogc), c is the count of unique characters. S: O(c)

from collections import defaultdict
from heapq import heappush, heappop
class Solution(object):
def rearrangeString(self, str, k):
if k == 0:
return str cnts = defaultdict(int)
for c in str:
cnts[c] += 1 heap = []
for c, cnt in cnts.iteritems():
heappush(heap, [-cnt, c]) result = []
while heap:
used_cnt_chars = []
for _ in xrange(min(k, len(str) - len(result))):
if not heap:
return ""
cnt_char = heappop(heap)
result.append(cnt_char[1])
cnt_char[0] += 1
if cnt_char[0] < 0:
used_cnt_chars.append(cnt_char)
for cnt_char in used_cnt_chars:
heappush(heap, cnt_char) return "".join(result)  

C++:

class Solution {
public:
string rearrangeString(string s, int k) {
if (k == 0) {
return s;
}
int len = s.size();
string result;
map<char, int> hash; // map from char to its appearance time
for(auto ch: s) {
++hash[ch];
}
priority_queue<pair<int, char>> que; // using priority queue to pack the most char first
for(auto val: hash) {
que.push(make_pair(val.second, val.first));
}
while(!que.empty()) {
vector<pair<int, int>> vec;
int cnt = min(k, len);
for(int i = 0; i < cnt; ++i, --len) { // try to pack the min(k, len) characters sequentially
if(que.empty()) { // not enough distinct charachters, so return false
return "";
}
auto val = que.top();
que.pop();
result += val.second;
if(--val.first > 0) { // collect the remaining characters
vec.push_back(val);
}
}
for(auto val: vec) {
que.push(val);
}
}
return result;
}
};

  

类似题目:

[LeetCode] 621. Task Scheduler 任务调度程序  

All LeetCode Questions List 题目汇总

[LeetCode] 358. Rearrange String k Distance Apart 按距离k间隔重排字符串的更多相关文章

  1. LeetCode 358. Rearrange String k Distance Apart

    原题链接在这里:https://leetcode.com/problems/rearrange-string-k-distance-apart/description/ 题目: Given a non ...

  2. 358. Rearrange String k Distance Apart

    /* * 358. Rearrange String k Distance Apart * 2016-7-14 by Mingyang */ public String rearrangeString ...

  3. 【LeetCode】358.K 距离间隔重排字符串

    358.K 距离间隔重排字符串 知识点:哈希表:贪心:堆:队列 题目描述 给你一个非空的字符串 s 和一个整数 k,你要将这个字符串中的字母进行重新排列,使得重排后的字符串中相同字母的位置间隔距离至少 ...

  4. [LeetCode] Rearrange String k Distance Apart 按距离为k隔离重排字符串

    Given a non-empty string str and an integer k, rearrange the string such that the same characters ar ...

  5. LC 358. Rearrange String k Distance Apart

    Given a non-empty string s and an integer k, rearrange the string such that the same characters are ...

  6. Levenshtein Distance莱文斯坦距离算法来计算字符串的相似度

    Levenshtein Distance莱文斯坦距离定义: 数学上,两个字符串a.b之间的莱文斯坦距离表示为levab(|a|, |b|). levab(i, j) = max(i, j)  如果mi ...

  7. 【LeetCode】358. Rearrange String k Distance Apart 解题报告(Python)

    作者: 负雪明烛 id: fuxuemingzhu 个人博客: http://fuxuemingzhu.cn/ 题目地址: https://leetcode.com/problems/rearrang ...

  8. 【LeetCode】863. All Nodes Distance K in Binary Tree 解题报告(Python)

    [LeetCode]863. All Nodes Distance K in Binary Tree 解题报告(Python) 作者: 负雪明烛 id: fuxuemingzhu 个人博客: http ...

  9. [LeetCode] 767. Reorganize String 重构字符串

    Given a string S, check if the letters can be rearranged so that two characters that are adjacent to ...

随机推荐

  1. easyui_验证扩展

    本文为转载,并非原创 easyui validatebox 验证类型 分类: jquery-easyUI -- : 11000人阅读 评论() 收藏 举报 easyuiValidateBox requ ...

  2. css实现硬件加速

    原文请点击一下链接: http://blog.teamtreehouse.com/increase-your-sites-performance-with-hardware-accelerated-c ...

  3. Laravel —— batch 实现

    很多项目中会用到自动执行脚本的功能, 例如,自动统计上个月的注册用户,定时生成 csv 文件并邮箱发送给客户等等. Laravel 中的任务调度,可实现定时任务, 结合自定义 artisan 命令,即 ...

  4. L1434滑雪

    一,看题 1,这个长度怎么算的. 从它自己数,可以走下去的位置. 2,这个题的衣服怎么披上去呀. 3,搜索目标,状态. 肯定要用坐标,不然怎么搜索. 4,在前期还是多写把. 5,我靠这个点还是随机的& ...

  5. (尚024)Vue_案例_交互删除

    注意:本总结中最终会删除不成功 ,原因是Item.vue中方法methods单词拼写错误!!! 首先明白,删除在Item.vue中交互 1.写交互,首先写监听@click="deleteIt ...

  6. zabbix显示 get value from agent failed:cannot connetct to xxxx:10050:[4] interrupted system call

    在阿里云上部署的两台云主机,从server上 agent.ping不通agent10050端口,在agent上使用firewalld-cmd 添加了10050端口还不行,关闭了防火墙和selinux也 ...

  7. ShardingSphere初探1 --Sharding-JDBC

    Sharding-JDBC 引入maven依赖: <dependency> <groupId>org.apache.shardingsphere</groupId> ...

  8. 洛谷P1816 忠诚 题解

    洛谷P1816 忠诚 题解 题目描述 老管家是一个聪明能干的人.他为财主工作了整整10年,财主为了让自已账目更加清楚.要求管家每天记k次账,由于管家聪明能干,因而管家总是让财主十分满意.但是由于一些人 ...

  9. Xilinx ISE中使用Synplify综合报错的原因

    在Xilinx ISE中使用Synopsys Synplify 综合比较方便,但有时会出现如下错误: "ERROR:NgdBuild: - logical block ' ' with ty ...

  10. mysql 获取单个科目的平均分

    mysql> select * from test; +----+----------+-------+-----------+ | id | name | score | subject | ...