美文网首页
2018-09-11-day17正则表达式作业

2018-09-11-day17正则表达式作业

作者: oxd001 | 来源:发表于2018-09-11 20:15 被阅读0次
    1. 写一个正则表达式判断一个字符串是否是ip地址
      规则:一个ip地址由4个数字组成,每个数字之间用.连接。每个数字的大小是0-255
      255.189.10.37 正确
      256.189.89.9 错误
    import re
    ip_str = '255.255.255.255'
    re_str = r'((\d|[1-9]\d|1\d{2}|2[0-4]\d|25[0-5])\.){3}(\d|[1-9]\d|1\d{2}|2[0-4]\d|25[0-5])'
    result = re.fullmatch(re_str,ip_str)
    if result:
        print('正确')
    else:
        print('错误')
    
    
    1. 计算一个字符串中所有的数字的和
      例如:字符串是:‘hello90abc 78sjh12.5’ 结果是90+78+12.5 = 180.5
    str1 = 'hello90abc 78sjh12.5'
    re_str = r'\d+\.\d?|\d+'
    match = re.search(re_str,str1)
    sum1 = 0
    while match:
         s = match.group()
         if isinstance(s,int):
            sum1 += int(s)
         else:
            sum1 += float(s)
         end = match.end()
         str1 = str1[end:]
         match = re.search(re_str,str1)
    print(sum1)
    
    1. 验证输入的内容只能是汉字
    import re
    re_str = '[一-鿋]+'
    str1 = input('请输入:')
    result = re.fullmatch(re_str,str1)
    if not result:
        print('有非汉字')
    else:
        print('全是汉字')
    
    1. 电话号码的验证
    phone_num = '110'
    re_str = r'\d{3,11}'
    result = re.fullmatch(re_str,phone_num)
    print(result)
    
    1. 简单的身份证号的验证
    re_str = r'\d{6}(((18|19|)\d{2})|(20(0|1)[0-8]))((0\d)|(1[0-2]))(([0-2]\d)|(3[0,1]))\d{3}((\d|[x,y]))'
    str1 = '51102520080523857x'
    result = re.fullmatch(re_str, str1)
    if result:
        print('符合')
    else:
        print('不符合')
    

    二、不定项选择题

    1. 能够完全匹配字符串“(010)-62661617”和字符串“01062661617”的正则表达式包括(ABD)
    A. “\(?\d{3}\)?-?\d{8}”        
    B. “[0-9()-]+”          
    C. “[0-9(-)]*\d*”          
    D. “[(]?\d*[)-]*\d*”
    
    1. 能够完全匹配字符串“c:\rapidminer\lib\plugs”的正则表达式包括(BC )
    A. “c:\rapidminer\lib\plugs”  
    B. “c:\\rapidminer\\lib\\plugs”  
    C. “(?i)C:\\RapidMiner\\Lib\\Plugs”   ?i:将后面的内容的大写变成小写    
    D. “(?s)C:\\RapidMiner\\Lib\\Plugs”   ?s:单行匹配  
    
    1. 能够完全匹配字符串“back”和“back-end”的正则表达式包括( ACD )
    A. “\w{4}-\w{3}|\w{4}”    match->back,back-end    fullmatch-> back,back-end  
    B. “\w{4}|\w{4}-\w{3}” match-> back, back  fullmatch-> back,back-end  
    C. “\S+-\S+|\S+”          
    D. “\w*\b-\b\w*|\w*”  
    
    1. 能够完全匹配字符串“go go”和“kitty kitty”,但不能完全匹配“go kitty”的正则表达式包括(AD )
    :\1就是重复前面第一个()/组合里面的内容  
    :\2就是重复前面第二个()/组合里面的内容  
    A. “\b(\w+)\b\s+\1\b”        
    B. “\w{2,5}\s*\1”  
    C. “(\S+) \s+\1”          
    D. “(\S{2,5})\s{1,}\1”  
    
    1. 能够在字符串中匹配“aab”,而不能匹配“aaab”和“aaaab”的正则表达式包括(BCD)
    A. “a*?b”                    
    B. “a{,2}b”   
    C. “aa??b”                      
    D. “aaa??b” 
    

    相关文章

      网友评论

          本文标题:2018-09-11-day17正则表达式作业

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