yym-yumeng123 / Interview

学习中的一些问题
3 stars 1 forks source link

正则表达式 #46

Open yym-yumeng123 opened 7 years ago

yym-yumeng123 commented 7 years ago

题目1: \d,\w,\s,[a-zA-Z0-9],\b,.,*,+,?,x{3},^,$分别是什么?

题目2: 写一个函数trim(str),去除字符串两边的空白字符

function trim(str){
  var reg = /^\s+|\s+$/g
  var newStr = str.replace(reg,"")
  return newStr
}
var a = "        1  2    4  "
console.log(trim(a))  //"1  2    4"

题目3: 写一个函数isEmail(str),判断用户输入的是不是邮箱

function isEmail(str) {
    //将捕获组内的\.\w作为一个整体匹配一次或多次
    return /^\w+\.?\w+@\w+(\.\w+)+$/.test(str)
}

console.log(isEmail('dolby.dot@gmail.com')); //true
console.log(isEmail('938661877@qq.com')); //true
console.log(isEmail('xxxxxx@xxx.com.cn')); //true
console.log(isEmail('  dolby.dot@outlook.com'));//false

题目4: 写一个函数isPhoneNum(str),判断用户输入的是不是手机号

//判断手机号
function isPhoneNum(str){
   if(!/^1\d{10}$/.test(str)){
       console.log("不好意思,请您重新输入手机号")
   }else{
     console.log("OK")
   }
}

题目5: 写一个函数isValidUsername(str),判断用户输入的是不是合法的用户名(长度6-20个字符,只能包括字母、数字、下划线)

function isValidUsername(str){
  if(/^\w{6,20}$/.test(str)){
    console.log("我是合法的用户名")
  }else{
    console.log("我不是合法的")
  }
}
isValidUsername("str1234")

题目6: 写一个函数isValidPassword(str), 判断用户输入的是不是合法密码(长度6-20个字符,只包括大写字母、小写字母、数字、下划线,且至少至少包括两种)

function isValidPassword(str) {
    var count = 0;
    if (/^\w{6,20}$/.test(str)) {
        if (/[A-Z]/.test(str)) {
            count++;
        }
        if (/[a-z]/.test(str)) {
            count++;
        }
        if (/[0-9]/.test(str)) {
            count++;
        }
        if (/-/.test(str)) {
            count++;
        }
        if (count >= 2) {
            return true;
        }
    } return false;
}
console.log(isValidPassword('yym12345'));
console.log(isValidPassword('jhdaskaf\djsdsc'));

题目7: 写一个正则表达式,得到如下字符串里所有的颜色

var re = /*正则...*/
var subj = "color: #121212; background-color: #AA00ef; width: 12px; bad-colors: f#fddee "
console.log( subj.match(re) )  // ['#121212', '#AA00ef']
var re = /#[a-fA-F0-9]{6}/g;

题目8: 下面代码输出什么? 为什么? 改写代码,让其输出[""hunger"", ""world""].

var str = 'hello  "hunger" , hello "world"';
var pat =  /".*"/g;
str.match(pat);  //输出 [""hunger" , hello "world""]

因为默认情况下:,?, +, *, {min,}, {min, max}都是贪婪的
在贪婪(默认)模式下,正则引擎尽可能多的重复匹配字符
var str = 'hello  "hunger" , hello "world"';
var pat = /".*?"/g; //在量词后加上?可关闭贪婪模式
str.match(pat); //[""hunger"", ""world""]