可以在O(n)中识别和量化字符串中的重复字符吗?

时间:2018-01-02 16:08:22

标签: c++ sorting duplicates time-complexity bucket-sort

This comment建议我的 O(n log n)解决此问题的 O(n)替代方案:

给定string str("helloWorld")预期输出为:

  

l = 3
  o = 2

我的解决方案是这样做:

sort(begin(str), end(str));

for(auto start = adjacent_find(cbegin(str), cend(str)), finish = upper_bound(start, cend(str), *start); start != cend(str); start = adjacent_find(finish, cend(str)), finish = upper_bound(start, cend(str), *start)) {
   cout << *start << " = " << distance(start, finish) << endl;
}

明显受到str排序的限制。我认为这需要一个桶排序解决方案?还有什么比我更缺的聪明吗?

2 个答案:

答案 0 :(得分:13)

这是一种方式,即O(N),代价是为每个可能的char值维护存储。

#include <string>
#include <limits.h> // for CHAR_MIN and CHAR_MAX. Old habits die hard.

int main()
{
    std::string s("Hello World");        
    int storage[CHAR_MAX - CHAR_MIN + 1] = {};
    for (auto c : s){
        ++storage[c - CHAR_MIN];
    }

    for (int c = CHAR_MIN; c <= CHAR_MAX; ++c){
        if (storage[c - CHAR_MIN] > 1){
            std::cout << (char)c << " " << storage[c - CHAR_MIN] << "\n";
        }
    }    
}

char可以是signedunsigned,这种便携式解决方案很复杂。

答案 1 :(得分:3)

以下是@bathsheba mentioned以及@Holt的改进:

#include <string>
#include <climits>
#include <iostream>

void show_dup(const std::string& str) {
    const int sz = CHAR_MAX - CHAR_MIN + 1;
    int all_chars[sz] = { 0 };
    // O(N), N - the length of input string
    for(char c : str) {
        int idx = (int)c;
        all_chars[idx]++;
    }
    // O(sz) - constant. For ASCII char it will be 256
    for(int i = 0; i < sz; i++) {
        if (all_chars[i] > 1) {
            std::cout << (char)i << " = " << all_chars[i] << std::endl;
        }
    }
}

int main()
{
  std::string str("helloWorld");

  show_dup(str);
}