Skip to content

Latest commit

 

History

History
158 lines (112 loc) · 3.99 KB

合集-程序员面试金典.md

File metadata and controls

158 lines (112 loc) · 3.99 KB

程序员面试金典

Problems


程序员面试金典 0101 判定字符是否唯一 (简单, 2022-01)

排序 程序员面试金典

问题简述
实现一个算法,确定一个字符串 s 的所有字符是否全都不同。

不使用额外的数据结构
详细描述
实现一个算法,确定一个字符串 s 的所有字符是否全都不同。

示例 1:
    输入: s = "leetcode"
    输出: false 
示例 2:
    输入: s = "abc"
    输出: true

限制:
    0 <= len(s) <= 100
    如果你不使用额外的数据结构,会很加分。

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/is-unique-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路:排序
  • 因为要求不使用额外数据结构,因此可以考虑排序后,顺序两两比较;
  • 注意边界条件;
Python
class Solution:
    def isUnique(self, astr: str) -> bool:
        if not astr: return True
        
        cs = sorted(astr)
        pre = cs[0]
        for c in cs[1:]:
            if pre == c:
                return False
            pre = c

        return True

程序员面试金典 0102 判定是否互为字符重排 (简单, 2022-01)

哈希表 程序员面试金典

问题简述
判定给定的两个字符串是否互为字符重排。
详细描述
给定两个字符串 s1 和 s2,请编写一个程序,确定其中一个字符串的字符重新排列后,能否变成另一个字符串。

示例 1:
    输入: s1 = "abc", s2 = "bca"
    输出: true 
示例 2:
    输入: s1 = "abc", s2 = "bad"
    输出: false
说明:
    0 <= len(s1) <= 100
    0 <= len(s2) <= 100

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/check-permutation-lcci
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路1:哈希表
Python
class Solution:
    def CheckPermutation(self, s1: str, s2: str) -> bool:
        if len(s1) != len(s2): return False
        
        cnt = [0] * 128
        for c1, c2 in zip(s1, s2):
            cnt[ord(c1)] += 1  # ord 函数用于获取字符的 ascii 码值
            cnt[ord(c2)] -= 1

        return not any(cnt)
思路2:排序
Python
class Solution:
    def CheckPermutation(self, s1: str, s2: str) -> bool:
        return sorted(s1) == sorted(s2)