我想使用JavaScript(我也可以使用jQuery)来做检查字符串是否匹配正则表达式^([a-z0-9]{5,})$,并得到一个真或假的结果。

Match()似乎是检查字符串的一部分是否匹配正则表达式,而不是整个正则表达式。它能解决问题吗?我能用它来解决问题吗?如何?


当前回答

你可以试试这个,对我很管用。

 <input type="text"  onchange="CheckValidAmount(this.value)" name="amount" required>

 <script type="text/javascript">
    function CheckValidAmount(amount) {          
       var a = /^(?:\d{1,3}(?:,\d{3})*|\d+)(?:\.\d+)?$/;
       if(amount.match(a)){
           alert("matches");
       }else{
        alert("does not match"); 
       }
    }
</script>

其他回答

我建议使用execute方法,如果不存在匹配则返回null,否则它将返回一个有用的对象。

let case1 = /^([a-z0-9]{5,})$/.exec("abc1");
console.log(case1); //null

let case2 = /^([a-z0-9]{5,})$/.exec("pass3434");
console.log(case2); // ['pass3434', 'pass3434', index:0, input:'pass3434', groups: undefined]

如果你不希望^和$出现在正则表达式中(我有这样一个用例),你可以这样做

let reg = /[a-zA-Z0-9]+/g
let txt = "hello"
let matches = reg.exec(txt)[0] == txt
console.log(`It ${matches ? "does" : "doesn't"} match`)

如果你想要一个布尔结果,请使用regex.test():

console.log (/ ^ ([a-z0-9] {5}) $ / test('他们'));/ /错误 console.log (/ ^ ([a-z0-9] {5}) $ / test (' abc12 '));/ /正确的 console.log (/ ^ ([a-z0-9] {5}) $ / test(“abc123”));/ /正确的

...您可以从regexp中删除(),因为您不需要捕获。

更新/添加

如果查询字符串没有在URL中显示,那么下面的解决方案将在URL中添加参数,如果它已经存在,那么它将更新。

function updateUrlParameter(url, param, value) {
  var regex = new RegExp("(?<=[?|&])(" + param + "=)[^&]+", "i");
  if (regex.test(url)) {
    return url.replace(regex, param + "=" + value);
  } else {
    if (window.location.search) {
      return `${url}&${param}=${value}`;
    }else{
      return `${url}?${param}=${value}`;
    }
  }
}

如果您只想知道您的字符串是否匹配regexp,请使用/youregexp/.test(yourString)。