How to remove part of a string before a ":" in javascript?
If I have a string Abc: Lorem ipsum sit amet
, how can I use JavaScript/jQuery to remove the string before the :
including the :
. For example the above string will become: Lorem ipsum sit amet
.
There is no need for jQuery here, regular JavaScript will do:
var str = "Abc: Lorem ipsum sit amet";
str = str.substring(str.indexOf(":") + 1);
Or, the .split()
and .pop()
version:
var str = "Abc: Lorem ipsum sit amet";
str = str.split(":").pop();
Or, the regex version (several variants of this):
var str = "Abc: Lorem ipsum sit amet";
str = /:(.+)/.exec(str)[1];
As a follow up to Nick's answer If your string contains multiple occurrences of :
and you wish to only remove the substring before the first occurrence, then this is the method:
var str = "Abc:Lorem:ipsum:sit:amet";
arr = str.split(":");
arr.shift();
str = arr.join(":");
// str = "Lorem:ipsum:sit:amet"