Removing the first n characters of a string in JavaScript
In this tutorial, we are going to learn about how to remove the first n characters of a string in JavaScript.
Consider, we have the following string:
const car = "volkswagen";Now, we want to remove the first 3 characters vol from the above string.
Removing the first n characters
To remove the first n characters of a string in JavaScript, we can use the built-in slice() method by passing the n as an argument.
n is the number of characters we need to remove from a string.
Here is an example, that removes the first 3 characters from the following string.
const car = "volkswagen";
const mod = car.slice(3);
console.log(mod);Output:
"kswagen"Similarly, we can also use the substring() method to remove the first n characters of a string.
const car = "volkswagen";
const mod = car.substring(3);
console.log(mod);Output:
"kswagen"Note: The
slice()andsubstring()methods does not change the original string.


