EN
TypeScript - remove first 2 characters from string
0
points
In TypeScript, it is possible to remove the first 2 characters from the string in the following ways.
1. Using String slice() method
const text: string = '12345';
const substring: string = text.slice(2);
console.log(substring); // 345
Output:
345
In the second example, we can see that we can also use a string slice on the empty or shorter string than 2 characters (or in case we want to remove n characters from our string).
// true means string is empty
console.log(''.slice(2) === ''); // empty
console.log('1'.slice(2) === ''); // empty
console.log('12'.slice(2) === ''); // empty
console.log('123'.slice(2)); // 3
console.log('1234'.slice(2)); // 34
console.log('12345'.slice(2)); // 345
Output:
true
true
true
3
34
345
We use ''.slice(2) === '' to see that the string after the slice operation is empty.
An empty result means that string was shorter than 2 characters or the length was exactly 2 characters and our string is empty (the length of the string is 0).
Because string slice returns string then we can also call string length method to check the size of the returned string, like on below example:
console.log(''.slice(2) === ''); // empty
console.log(''.slice(2).length); // 0
Output:
true
0
2. Using String substring() method
const text: string = '1234';
const substring: string = text.substring(2);
console.log(substring); // 34
Output:
34
3. Using String replace() method
const text: string = '1234';
const substring: string = text.replace(/.{2}/, '');
console.log(substring); // 34
Output:
34