New string methods:
> 'hello'.startsWith('hell')
true
> 'hello'.endsWith('ello')
true
> 'hello'.includes('ell')
true
> 'doo '.repeat(3)
'doo doo doo '
ES6 has a new kind of string literal, the template literal:
// String interpolation via template literals (in backticks)
const first = 'Jane';
const last = 'Doe';
console.log(`Hello ${first} ${last}!`);
// Hello Jane Doe!
// Template literals also let you create strings with multiple lines
const multiLine = `
This is
a string
with multiple
lines`;
In ECMAScript 6, there is a new kind of Unicode escape that lets you specify any code point (even those beyond 16 bits):
console.log('\u{1F680}'); // ES6: single code point
console.log('\uD83D\uDE80'); // ES5: two code units
More information on escapes is given in the chapter on Unicode.
Template literals are described in depth in their own chapter. They provide three interesting features.
First, template literals support string interpolation:
const first = 'Jane';
const last = 'Doe';
console.log(`Hello ${first} ${last}!`);
// Hello Jane Doe!
Second, template literals can contain multiple lines:
const multiLine = `
This is
a string
with multiple
lines`;
Third, template literals are “raw” if you prefix them with the tag String.raw – the backslash is not a special character and escapes such as \n are not interpreted:
const str = String.raw`Not a newline: \n`;
console.log(str === 'Not a newline: \\n'); // true
Strings are iterable, which means that you can use for-of to iterate over their characters:
for (const ch of 'abc') {
console.log(ch);
}
// Output:
// a
// b
// c
And you can use the spread operator (...) to turn strings into Arrays:
const chars = [...'abc'];
// ['a', 'b', 'c']
The string iterator splits strings along code point boundaries, which means that the strings it returns comprise one or two JavaScript characters:
for (const ch of 'x\uD83D\uDE80y') {
console.log(ch.length);
}
// Output:
// 1
// 2
// 1
Iteration gives you a quick way to count the Unicode code points in a string:
> [...'x\uD83D\uDE80y'].length
3
Iteration also helps with reversing strings that contain non-BMP code points (which are larger than 16 bit and encoded as two JavaScript characters):
const str = 'x\uD83D\uDE80y';
// ES5: \uD83D\uDE80 are (incorrectly) reversed
console.log(str.split('').reverse().join(''));
// 'y\uDE80\uD83Dx'
// ES6: order of \uD83D\uDE80 is preserved
console.log([...str].reverse().join(''));
// 'y\uD83D\uDE80x'
The new method codePointAt() returns the numeric value of a code point at a given index in a string:
const str = 'x\uD83D\uDE80y';
console.log(str.codePointAt(0).toString(16)); // 78
console.log(str.codePointAt(1).toString(16)); // 1f680
console.log(str.codePointAt(3).toString(16)); // 79
This method works well when combined with iteration over strings:
for (const ch of 'x\uD83D\uDE80y') {
console.log(ch.codePointAt(0).toString(16));
}
// Output:
// 78
// 1f680
// 79
The opposite of codePointAt() is String.fromCodePoint():
> String.fromCodePoint(0x78, 0x1f680, 0x79) === 'x\uD83D\uDE80y'
true
Three new methods check whether a string exists within another string:
> 'hello'.startsWith('hell')
true
> 'hello'.endsWith('ello')
true
> 'hello'.includes('ell')
true
Each of these methods has a position as an optional second parameter, which specifies where the string to be searched starts or ends:
> 'hello'.startsWith('ello', 1)
true
> 'hello'.endsWith('hell', 4)
true
> 'hello'.includes('ell', 1)
true
> 'hello'.includes('ell', 2)
false
The repeat() method repeats strings:
> 'doo '.repeat(3)
'doo doo doo '
In ES6, the four string methods that accept regular expression parameters do relatively little. They mainly call methods of their parameters:
String.prototype.match(regexp) callsregexp[Symbol.match](this).String.prototype.replace(searchValue, replaceValue) callssearchValue[Symbol.replace](this, replaceValue).String.prototype.search(regexp) callsregexp[Symbol.search](this).String.prototype.split(separator, limit) callsseparator[Symbol.split](this, limit).The parameters don’t have to be regular expressions, anymore. Any objects with appropriate methods will do.
Tagged templates:
String.raw(callSite, ...substitutions) : string > String.raw`\n` === '\\n'
true
Consult the chapter on template literals for more information.
Unicode and code points:
String.fromCodePoint(...codePoints : number[]) : stringString.prototype.codePointAt(pos) : numberpos (comprising one or two JavaScript characters).String.prototype.normalize(form? : string) : string'NFC' form is recommended for general text.Finding strings:
String.prototype.startsWith(searchString, position=0) : booleansearchString? position lets you specify where the string to be checked starts.String.prototype.endsWith(searchString, endPosition=searchString.length) : booleansearchString? endPosition lets you specify where the string to be checked ends.String.prototype.includes(searchString, position=0) : booleansearchString? position lets you specify where the string to be searched starts.Repeating strings:
String.prototype.repeat(count) : stringcount times.