RotateString 문제는
abcde 같은 문자열을 cdeab와 같이 표현 할 수 있다.
두 문자가 움직여 졌을 때 같은 문자열로 변환될 수 있는지 구하는 것이다.
string 문제는 O(N)으로 풀어야 한다.
이중 for loop은 지양하도록 하자.
코드 >>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
|
#include <iostream>
#include <string>
// C++ Rabin-Kaap 알고리즘으로 쉽게 구현
using namespace std;
class Solution {
public:
bool rotateString (string s, string goal) {
// 만약 문자의 길이가 다르면 바로 리턴한다.
int goal_length = (int)goal.size();
if (s.size() != goal_length)
return false;
string double_s;
double_s.reserve(200);
double_s = s + s;
int double_s_length = (int)double_s.size();
hash<string> hash_func;
for (int i = 0; i <= (double_s_length - goal_length); i++)
{
string temp = double_s.substr(i, goal_length);
if (hash_func(temp) == hash_func(goal))
{
if (temp == goal)
return true;
}
}
return false;
};
};
int main()
{
Solution solution = Solution();
string s = "abcde";
//string goal = "cdeab";
string goal = "abced";
bool match = solution.rotateString(s, goal);
std::cout << match << std::endl;
return 0;
}
|
'C' 카테고리의 다른 글
c++ leetcode 680번 valid palindrome II (0) | 2021.07.06 |
---|---|
c++ leetcode 125 valid palindrome solution (0) | 2021.07.06 |
c++ 문자열 검색 O(N)으로 하기 with Rabin-Karp 알고리즘 (0) | 2021.07.05 |
c++ O(N)으로 2D matrix 원소 찾기 (0) | 2021.07.04 |
c++ 배열 image in-place로 rotate 하기 (0) | 2021.07.04 |