Reputation: 4492
How can I perform a case-sensitive string replacement in JavaScript? I am looking for something similar to PHP's str_replace
.
var text = "this IS some sample text that is going to be replaced";
var new_text = replace_in_javascript("IS", "is not", text);
document.write(new_text);
should give
this is not some sample text that is going to be replaced
I would like to replace all the occurences.
Upvotes: 0
Views: 4234
Reputation: 151
Works exactly same as PHP function:
function str_ireplace(search, replace, subject) {
// discuss at: http://phpjs.org/functions/str_ireplace/
// original by: Martijn Wieringa
// input by: penutbutterjelly
// input by: Brett Zamir (http://brett-zamir.me)
// improved by: Kevin van Zonneveld (http://kevin.vanzonneveld.net)
// improved by: Jack
// bugfixed by: Kevin van Zonneveld (http://kevin.vanzonneveld.net)
// bugfixed by: Onno Marsman
// bugfixed by: Kevin van Zonneveld (http://kevin.vanzonneveld.net)
// bugfixed by: Philipp Lenssen
// example 1: str_ireplace('l', 'l', 'HeLLo');
// returns 1: 'Hello'
// example 2: str_ireplace('$', 'foo', '$bar');
// returns 2: 'foobar'
var i, k = '';
var searchl = 0;
var reg;
var escapeRegex = function(s) {
return s.replace(/([\\\^\$*+\[\]?{}.=!:(|)])/g, '\\$1');
};
search += '';
searchl = search.length;
if (Object.prototype.toString.call(replace) !== '[object Array]') {
replace = [replace];
if (Object.prototype.toString.call(search) === '[object Array]') {
// If search is an array and replace is a string,
// then this replacement string is used for every value of search
while (searchl > replace.length) {
replace[replace.length] = replace[0];
}
}
}
if (Object.prototype.toString.call(search) !== '[object Array]') {
search = [search];
}
while (search.length > replace.length) {
// If replace has fewer values than search,
// then an empty string is used for the rest of replacement values
replace[replace.length] = '';
}
if (Object.prototype.toString.call(subject) === '[object Array]') {
// If subject is an array, then the search and replace is performed
// with every entry of subject , and the return value is an array as well.
for (k in subject) {
if (subject.hasOwnProperty(k)) {
subject[k] = str_ireplace(search, replace, subject[k]);
}
}
return subject;
}
searchl = search.length;
for (i = 0; i < searchl; i++) {
reg = new RegExp(escapeRegex(search[i]), 'gi');
subject = subject.replace(reg, replace[i]);
}
return subject;
}
Original: http://phpjs.org/functions/str_ireplace/
Upvotes: 1
Reputation: 94101
You can use a regular expression:
var str = 'is not';
str = str.replace(/IS/g, 'something'); // won't replace "is"
g
is for global.
If you want case-insensitive results add the i
flag, /is/gi
.
Upvotes: 4