Using Hash Set to Determine if a String is the Permutation of An
- 时间:2020-09-09 13:08:38
- 分类:网络文摘
- 阅读:123 次
Given two strings s1 and s2, write an algorithm to determine if s1 is one permutation of s2.
For example:
s1 = “abc”, s2 = “bca”
output: true
s1 = “abc”, s2 = “bad”
output: false
Algorithm to Determine if a String is the Permutation of Another String
The fastest way to determine this is to use hash sets. If both strings (s1 and s2) are of different sizes, the result has to be false. Otherwise, we can convert both into two hash sets and simply compare the equality of both hash sets.
In C++, you can directly compare the the equality of both hash sets, either set (based on Red-Black Tree) or unordered_set (based on Hash Map):
1 2 3 4 5 6 7 8 9 | class Solution { public: bool CheckPermutation(string s1, string s2) { if (s1.size() != s2.size()) return false; unordered_set<char> a(begin(s1), end(s1)); unordered_set<char> b(begin(s2), end(s2)); return a == b; } }; |
class Solution {
public:
bool CheckPermutation(string s1, string s2) {
if (s1.size() != s2.size()) return false;
unordered_set<char> a(begin(s1), end(s1));
unordered_set<char> b(begin(s2), end(s2));
return a == b;
}
};Using unordered_set in C++, you will have a O(N) complexity however if you are using set (which keeps the keys in order by tree), the complexity is O(N.Log(N)).
In Python, we can do the same, with less code:
1 2 3 4 5 | class Solution: def CheckPermutation(self, s1: str, s2: str) -> bool: if len(s1) != len(s2): return False return set(s1) == set(s2) |
class Solution:
def CheckPermutation(self, s1: str, s2: str) -> bool:
if len(s1) != len(s2):
return False
return set(s1) == set(s2)–EOF (The Ultimate Computing & Technology Blog) —
推荐阅读:关于比的应用题练习 和自然数有关的数学题 数学题:下图中圆的面积和长方形的面积相等 数学题:小王没事就用计算器计算从1加到100的结果 数学题:何时换轮胎 数学题:甲乙分别知道两数之和两数之积求这两个数 数学题:两队合修4天后,还剩下5000米 数学题:如右图,O是圆心,图中三角形的面积是5平方厘米,求圆的面积 数学题:一块长方形铁皮 数学题:王老师用一些钱给学生买奖品
- 评论列表
-
- 添加评论