161

I want to extract a query string from my URL using JavaScript, and I want to do a case insensitive comparison for the query string name. Here is what I am doing:

var results = new RegExp('[\\?&]' + name + '=([^&#]*)').exec(window.location.href);
if (!results) { return 0; }
return results[1] || 0;

But the above code does a case sensitive search. I tried /<regex>/i but it did not help. Any idea how can that be achieved?

1
  • 6
    That literal format /regex/i should work, unless you tried to concatenate it or something... Commented Oct 25, 2014 at 15:40

5 Answers 5

262

You can add 'i' modifier that means "ignore case"

var results = new RegExp('[\\?&]' + name + '=([^&#]*)', 'i').exec(window.location.href);
Sign up to request clarification or add additional context in comments.

Comments

51

modifiers are given as the second parameter:

new RegExp('[\\?&]' + name + '=([^&#]*)', "i")

1 Comment

or new RegExp('^' + string + '$', "i")
18

For example to search word date, upper or lowercase you need to add param i

i = means incasesensitive

example

const value = "some text with dAtE";
/date/i.test(value)

or

const value = "some text with dAtE";
 new RegExp("/date/","i");

Comments

9

Simple one liner. In the example below it replaces every vowel with an X.

function replaceWithRegex(str, regex, replaceWith) {
  return str.replace(regex, replaceWith);
}

replaceWithRegex('HEllo there', /[aeiou]/gi, 'X'); //"HXllX thXrX"

Comments

6

Just an alternative suggestion: when you find yourself reaching for "case insensitive regex", you can usually accomplish the same by just manipulating the case of the strings you are comparing:

const foo = 'HellO, WoRlD!';
const isFoo = 'hello, world!';
return foo.toLowerCase() === isFoo.toLowerCase();

I would also call this easier to read and grok the author's intent!

Comments

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.