Regular expressions - JavaScript | MDN
.test()
method..test()
method takes the regex, applies it to a string (which is placed inside the parentheses), and returns true
or false
if your pattern finds something or not.let testStr = "freeCodeCamp";
let testRegex = /Code/;
testRegex.test(testStr); // true
let myString = "Hello, World!";
let myRegex = /Hello/;
let result = myRegex.test(myString); // true
let testStr = "Hello, my name is Kevin.";
let testRegex = /Kevin/;
testRegex.test(testStr); //true
let wrongRegex = /kevin/;
wrongRegex.test(testStr) // false
the
in the string The dog chased the cat
, you could use the following regular expression: /the/
/coding/
, you can look for the pattern coding
in another string.alternation
or OR
operator: |
.let catPetString = "James has a pet cat.";
let dogPetString = "James has a pet dog.";
let lionPetString = "James has a pet lion.";
let petRegex = /cat|dog|fish/;
let test1 = petRegex.test(catPetString ); // true
let test2 = petRegex.test(dogPetString ); // true
let test3 = petRegex.test(lionPetString ); // false
i
flag.let myString = "freeCodeCamp";
let fccRegex = /freecodecamp/i; // i at the end will flag the regex to ignorecase
let result = fccRegex.test(myString);