美文网首页
2021-12-12 551. 学生出勤记录 I【Easy】

2021-12-12 551. 学生出勤记录 I【Easy】

作者: JackHCC | 来源:发表于2021-12-12 16:58 被阅读0次

    给你一个字符串 s 表示一个学生的出勤记录,其中的每个字符用来标记当天的出勤情况(缺勤、迟到、到场)。记录中只含下面三种字符:

    'A':Absent,缺勤
    'L':Late,迟到
    'P':Present,到场
    如果学生能够 同时 满足下面两个条件,则可以获得出勤奖励:

    按 总出勤 计,学生缺勤('A')严格 少于两天。
    学生 不会 存在 连续 3 天或 连续 3 天以上的迟到('L')记录。
    如果学生可以获得出勤奖励,返回 true ;否则,返回 false 。

    示例 1:

    输入:s = "PPALLP"
    输出:true
    解释:学生缺勤次数少于 2 次,且不存在 3 天或以上的连续迟到记录。
    

    示例 2:

    输入:s = "PPALLL"
    输出:false
    解释:学生最后三天连续迟到,所以不满足出勤奖励的条件。
    

    提示:

    1 <= s.length <= 1000
    s[i] 为 'A'、'L' 或 'P'
    

    方法一:

    class Solution:
        def checkRecord(self, s: str) -> bool:
            a_count = 0
            l_count = 0
    
            if len(s) < 2:
                return True
    
            if s[0] == "A":
                a_count += 1
            if s[0] == "L":
                l_count += 1
            if s[1] == "A" and s[0] == "A":
                return False
            if s[1] == "A" and s[0] != "A":
                a_count += 1
            if s[1] == "L":
                if s[0] != "L":
                    l_count = 0
                else:
                    l_count += 1
    
            for i in range(2, len(s)):
                if a_count >= 2: return False
                if l_count >= 3: return False
                if s[i] == "A":
                    a_count += 1
                if s[i] == "L":
                    if s[i-1] != "L":
                        l_count = 0
                    if s[i-1] == "L" and s[i-2] == "L":
                        return False
    
            return True
    

    方法二:

    class Solution:
        def checkRecord(self, s: str) -> bool:
            a_count = 0
            l_count = 0
            for i in s:
                if i == "A": a_count += 1
                if i == "L": l_count += 1
                else: l_count = 0
                
                if a_count > 1 or l_count > 2: 
                    return False
    
            return True
    

    相关文章

      网友评论

          本文标题:2021-12-12 551. 学生出勤记录 I【Easy】

          本文链接:https://www.haomeiwen.com/subject/rvicfrtx.html