The String
object is used to represent and manipulate a sequence of characters.
The String
object is used to represent and manipulate a sequence of characters.
Strings are useful for holding data that can be represented in text form. Some of the most-used operations on strings are to check their length
, to build and concatenate them using the +
and +=
string operators, checking for the existence or location of substrings with the indexOf()
method, or extracting substrings with the substring()
method.
Strings can be created as primitives, from string literals, or as objects, using the String()
constructor:
const string1 = "A string primitive"; const string2 = 'Also a string primitive'; const string3 = `Yet another string primitive`;
const string4 = new String("A String object");
String primitives and string objects share many behaviors, but have other important differences and caveats. See "String primitives and String objects" below.
String literals can be specified using single or double quotes, which are treated identically, or using the backtick character `. This last form specifies a template literal: with this form you can interpolate expressions. For more information on the syntax of string literals, see lexical grammar.
There are two ways to access an individual character in a string. The first is the charAt()
method:
"cat".charAt(1); // gives value "a"
The other way is to treat the string as an array-like object, where individual characters correspond to a numerical index:
"cat"[1]; // gives value "a"
When using bracket notation for character access, attempting to delete or assign a value to these properties will not succeed. The properties involved are neither writable nor configurable. (See Object.defineProperty()
for more information.)
Use the less-than and greater-than operators to compare strings:
const a = "a"; const b = "b"; if (a < b) { // true console.log(`${a} is less than ${b}`); } else if (a > b) { console.log(`${a} is greater than ${b}`); } else { console.log(`${a} and ${b} are equal.`); }
Note that all comparison operators, including ===
and ==
, compare strings case-sensitively. A common way to compare strings case-insensitively is to convert both to the same case (upper or lower) before comparing them.
function areEqualCaseInsensitive(str1, str2) { return str1.toUpperCase() === str2.toUpperCase(); }
The choice of whether to transform by toUpperCase()
or toLowerCase()
is mostly arbitrary, and neither one is fully robust when extending beyond the Latin alphabet. For example, the German lowercase letter ß
and ss
are both transformed to SS
by toUpperCase()
, while the Turkish letter ı
would be falsely reported as unequal to I
by toLowerCase()
unless specifically using toLocaleLowerCase("tr")
.
const areEqualInUpperCase = (str1, str2) => str1.toUpperCase() === str2.toUpperCase(); const areEqualInLowerCase = (str1, str2) => str1.toLowerCase() === str2.toLowerCase(); areEqualInUpperCase("ß", "ss"); // true; should be false areEqualInLowerCase("ı", "I"); // false; should be true
A locale-aware and robust solution for testing case-insensitive equality is to use the Intl.Collator
API or the string's localeCompare()
method — they share the same interface — with the sensitivity
option set to "accent"
or "base"
.
const areEqual = (str1, str2, locale = "en-US") => str1.localeCompare(str2, locale, { sensitivity: "accent" }) === 0; areEqual("ß", "ss", "de"); // false areEqual("ı", "I", "tr"); // true
The localeCompare()
method enables string comparison in a similar fashion as strcmp()
— it allows sorting strings in a locale-aware manner.
Note that JavaScript distinguishes between String
objects and primitive string values. (The same is true of Boolean
and Numbers
.)
String literals (denoted by double or single quotes) and strings returned from String
calls in a non-constructor context (that is, called without using the new
keyword) are primitive strings. In contexts where a method is to be invoked on a primitive string or a property lookup occurs, JavaScript will automatically wrap the string primitive and call the method or perform the property lookup on the wrapper object instead.
const strPrim = "foo"; // A literal is a string primitive const strPrim2 = String(1); // Coerced into the string primitive "1" const strPrim3 = String(true); // Coerced into the string primitive "true" const strObj = new String(strPrim); // String with new returns a string wrapper object. console.log(typeof strPrim); // "string" console.log(typeof strPrim2); // "string" console.log(typeof strPrim3); // "string" console.log(typeof strObj); // "object"
Warning: You should rarely find yourself using String
as a constructor.
String primitives and String
objects also give different results when using eval()
. Primitives passed to eval
are treated as source code; String
objects are treated as all other objects are, by returning the object. For example:
const s1 = "2 + 2"; // creates a string primitive const s2 = new String("2 + 2"); // creates a String object console.log(eval(s1)); // returns the number 4 console.log(eval(s2)); // returns the string "2 + 2"
For these reasons, the code may break when it encounters String
objects when it expects a primitive string instead, although generally, authors need not worry about the distinction.
A String
object can always be converted to its primitive counterpart with the valueOf()
method.
console.log(eval(s2.valueOf())); // returns the number 4
Many built-in operations that expect strings first coerce their arguments to strings (which is largely why String
objects behave similarly to string primitives). The operation can be summarized as follows:
undefined
turns into "undefined"
.null
turns into "null"
.true
turns into "true"
; false
turns into "false"
.toString(10)
.toString(10)
.TypeError
.[@@toPrimitive]()
(with "string"
as hint), toString()
, and valueOf()
methods, in that order. The resulting primitive is then converted to a string.There are several ways to achieve nearly the same effect in JavaScript.
`${x}`
does exactly the string coercion steps explained above for the embedded expression.String()
function: String(x)
uses the same algorithm to convert x
, except that Symbols don't throw a TypeError
, but return "Symbol(description)"
, where description
is the description of the Symbol.+
operator: "" + x
coerces its operand to a primitive instead of a string, and, for some objects, has entirely different behaviors from normal string coercion. See its reference page for more details.Depending on your use case, you may want to use `${x}`
(to mimic built-in behavior) or String(x)
(to handle symbol values without throwing an error), but you should not use "" + x
.
Strings are represented fundamentally as sequences of UTF-16 code units. In UTF-16 encoding, every code unit is exact 16 bits long. This means there are a maximum of 216, or 65536 possible characters representable as single UTF-16 code units. This character set is called the basic multilingual plane (BMP), and includes the most common characters like the Latin, Greek, Cyrillic alphabets, as well as many East Asian characters. Each code unit can be written in a string with \u
followed by exactly four hex digits.
However, the entire Unicode character set is much, much bigger than 65536. The extra characters are stored in UTF-16 as surrogate pairs, which are pairs of 16-bit code units that represent a single character. To avoid ambiguity, the two parts of the pair must be between 0xD800
and 0xDFFF
, and these code units are not used to encode single-code-unit characters. (More precisely, leading surrogates, also called high-surrogate code units, have values between 0xD800
and 0xDBFF
, inclusive, while trailing surrogates, also called low-surrogate code units, have values between 0xDC00
and 0xDFFF
, inclusive.) Each Unicode character, comprised of one or two UTF-16 code units, is also called a Unicode code point. Each Unicode code point can be written in a string with \u{xxxxxx}
where xxxxxx
represents 1–6 hex digits.
A "lone surrogate" is a 16-bit code unit satisfying one of the descriptions below:
0xD800
–0xDBFF
, inclusive (i.e. is a leading surrogate), but it is the last code unit in the string, or the next code unit is not a trailing surrogate.0xDC00
–0xDFFF
, inclusive (i.e. is a trailing surrogate), but it is the first code unit in the string, or the previous code unit is not a leading surrogate.Lone surrogates do not represent any Unicode character. Although most JavaScript built-in methods handle them correctly because they all work based on UTF-16 code units, lone surrogates are often not valid values when interacting with other systems — for example, encodeURI()
will throw a URIError
for lone surrogates, because URI encoding uses UTF-8 encoding, which does not have any encoding for lone surrogates. Strings not containing any lone surrogates are called well-formed strings, and are safe to be used with functions that do not deal with UTF-16 (such as encodeURI()
or TextEncoder
). You can check if a string is well-formed with the isWellFormed()
method, or sanitize lone surrogates with the toWellFormed()
method.
On top of Unicode characters, there are certain sequences of Unicode characters that should be treated as one visual unit, known as a grapheme cluster. The most common case is emojis: many emojis that have a range of variations are actually formed by multiple emojis, usually joined by the <ZWJ> (U+200D
) character.
You must be careful which level of characters you are iterating on. For example, split("")
will split by UTF-16 code units and will separate surrogate pairs. String indexes also refer to the index of each UTF-16 code unit. On the other hand, @@iterator()
iterates by Unicode code points. Iterating through grapheme clusters will require some custom code.
"😄".split(""); // ['\ud83d', '\ude04']; splits into two lone surrogates // "Backhand Index Pointing Right: Dark Skin Tone" [..."👉🏿"]; // ['👉', '🏿'] // splits into the basic "Backhand Index Pointing Right" emoji and // the "Dark skin tone" emoji // "Family: Man, Boy" [..."👨👦"]; // [ '👨', '', '👦' ] // splits into the "Man" and "Boy" emoji, joined by a ZWJ // The United Nations flag [..."🇺🇳"]; // [ '🇺', '🇳' ] // splits into two "region indicator" letters "U" and "N". // All flag emojis are formed by joining two region indicator letters
String()
Creates a new String
object. It performs type conversion when called as a function, rather than as a constructor, which is usually more useful.
String.fromCharCode()
Returns a string created by using the specified sequence of Unicode values.
String.fromCodePoint()
Returns a string created by using the specified sequence of code points.
String.raw()
Returns a string created from a raw template string.
These properties are defined on String.prototype
and shared by all String
instances.
String.prototype.constructor
The constructor function that created the instance object. For String
instances, the initial value is the String
constructor.
These properties are own properties of each String
instance.
length
Reflects the length
of the string. Read-only.
String.prototype.at()
Returns the character (exactly one UTF-16 code unit) at the specified index
. Accepts negative integers, which count back from the last string character.
String.prototype.charAt()
Returns the character (exactly one UTF-16 code unit) at the specified index
.
String.prototype.charCodeAt()
Returns a number that is the UTF-16 code unit value at the given index
.
String.prototype.codePointAt()
Returns a nonnegative integer Number that is the code point value of the UTF-16 encoded code point starting at the specified pos
.
String.prototype.concat()
Combines the text of two (or more) strings and returns a new string.
String.prototype.endsWith()
Determines whether a string ends with the characters of the string searchString
.
String.prototype.includes()
Determines whether the calling string contains searchString
.
String.prototype.indexOf()
Returns the index within the calling String
object of the first occurrence of searchValue
, or -1
if not found.
String.prototype.isWellFormed()
Returns a boolean indicating whether this string contains any lone surrogates.
String.prototype.lastIndexOf()
Returns the index within the calling String
object of the last occurrence of searchValue
, or -1
if not found.
String.prototype.localeCompare()
Returns a number indicating whether the reference string compareString
comes before, after, or is equivalent to the given string in sort order.
String.prototype.match()
Used to match regular expression regexp
against a string.
String.prototype.matchAll()
Returns an iterator of all regexp
's matches.
String.prototype.normalize()
Returns the Unicode Normalization Form of the calling string value.
String.prototype.padEnd()
Pads the current string from the end with a given string and returns a new string of the length targetLength
.
String.prototype.padStart()
Pads the current string from the start with a given string and returns a new string of the length targetLength
.
String.prototype.repeat()
Returns a string consisting of the elements of the object repeated count
times.
String.prototype.replace()
Used to replace occurrences of searchFor
using replaceWith
. searchFor
may be a string or Regular Expression, and replaceWith
may be a string or function.
String.prototype.replaceAll()
Used to replace all occurrences of searchFor
using replaceWith
. searchFor
may be a string or Regular Expression, and replaceWith
may be a string or function.
String.prototype.search()
Search for a match between a regular expression regexp
and the calling string.
String.prototype.slice()
Extracts a section of a string and returns a new string.
String.prototype.split()
Returns an array of strings populated by splitting the calling string at occurrences of the substring sep
.
String.prototype.startsWith()
Determines whether the calling string begins with the characters of string searchString
.
String.prototype.substr()
Deprecated
Returns a portion of the string, starting at the specified index and extending for a given number of characters afterwards.
String.prototype.substring()
Returns a new string containing characters of the calling string from (or between) the specified index (or indices).
String.prototype.toLocaleLowerCase()
The characters within a string are converted to lowercase while respecting the current locale.
For most languages, this will return the same as toLowerCase()
.
String.prototype.toLocaleUpperCase()
The characters within a string are converted to uppercase while respecting the current locale.
For most languages, this will return the same as toUpperCase()
.
String.prototype.toLowerCase()
Returns the calling string value converted to lowercase.
String.prototype.toString()
Returns a string representing the specified object. Overrides the Object.prototype.toString()
method.
String.prototype.toUpperCase()
Returns the calling string value converted to uppercase.
String.prototype.toWellFormed()
Returns a string where all lone surrogates of this string are replaced with the Unicode replacement character U+FFFD.
String.prototype.trim()
Trims whitespace from the beginning and end of the string.
String.prototype.trimEnd()
Trims whitespace from the end of the string.
String.prototype.trimStart()
Trims whitespace from the beginning of the string.
String.prototype.valueOf()
Returns the primitive value of the specified object. Overrides the Object.prototype.valueOf()
method.
String.prototype[@@iterator]()
Returns a new iterator object that iterates over the code points of a String value, returning each code point as a String value.
Warning: Deprecated. Avoid these methods.
They are of limited use, as they are based on a very old HTML standard and provide only a subset of the currently available HTML tags and attributes. Many of them create deprecated or non-standard markup today. In addition, they do simple string concatenation without any validation or sanitation, which makes them a potential security threat when directly inserted using innerHTML
. Use DOM APIs such as document.createElement()
instead.
String.prototype.anchor()
Deprecated
<a name="name">
(hypertext target)
String.prototype.big()
Deprecated
<big>
String.prototype.blink()
Deprecated
<blink>
String.prototype.bold()
Deprecated
<b>
String.prototype.fixed()
Deprecated
<tt>
String.prototype.fontcolor()
Deprecated
String.prototype.fontsize()
Deprecated
String.prototype.italics()
Deprecated
<i>
String.prototype.link()
Deprecated
<a href="url">
(link to URL)
String.prototype.small()
Deprecated
<small>
String.prototype.strike()
Deprecated
<strike>
String.prototype.sub()
Deprecated
<sub>
String.prototype.sup()
Deprecated
<sup>
Note that these methods do not check if the string itself contains HTML tags, so it's possible to create invalid HTML:
"</b>".bold(); // <b></b></b>
The only escaping they do is to replace "
in the attribute value (for anchor()
, fontcolor()
, fontsize()
, and link()
) with "
.
"foo".anchor('"Hello"'); // <a name=""Hello"">foo</a>
The String()
function is a more reliable way of converting values to strings than calling the toString()
method of the value, as the former works when used on null
and undefined
. For example:
// You cannot access properties on null or undefined const nullVar = null; nullVar.toString(); // TypeError: Cannot read properties of null String(nullVar); // "null" const undefinedVar = undefined; undefinedVar.toString(); // TypeError: Cannot read properties of undefined String(undefinedVar); // "undefined"
Specification |
---|
ECMAScript Language Specification # sec-string-objects |
Desktop | Mobile | Server | ||||||||||||
---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
Chrome | Edge | Firefox | Opera | Safari | Chrome Android | Firefox for Android | Opera Android | Safari on IOS | Samsung Internet | WebView Android | Deno | Node.js | ||
@@iterator |
38 | 12 | 3627–36A placeholder property named@@iterator is used.17–27A placeholder property namediterator is used. |
25 | 9 | 38 | 3627–36A placeholder property named@@iterator is used.17–27A placeholder property namediterator is used. |
25 | 9 | 3.0 | 38 | 1.0 | 0.12.0 | |
String |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
String |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
anchor |
1 | 12 | 1Starting with version 17, the quotation mark (") is replaced by its HTML reference character (" ) in strings supplied for the name parameter. |
3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
at |
92 | 92 | 90 | 78 | 15.4 | 92 | 90 | 65 | 15.4 | 16.0 | 92 | 1.12 | 16.6.0 | |
big |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
blink |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
bold |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
charAt |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
charCodeAt |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
codePointAt |
41 | 12 | 29 | 28 | 9 | 41 | 29 | 28 | 9 | 4.0 | 41 | 1.0 | 4.0.0 | |
concat |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
endsWith |
41 | 12 | 17 | 28 | 9 | 36 | 17 | 24 | 9 | 3.0 | 37 | 1.0 | 4.0.0 | |
fixed |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
fontcolor |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
fontsize |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
fromCharCode |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
fromCodePoint |
41 | 12 | 29 | 28 | 9 | 41 | 29 | 28 | 9 | 4.0 | 41 | 1.0 | 4.0.0 | |
includes |
41 | 12 | 4018–48 | 28 | 9 | 41 | 4018–48 | 28 | 9 | 4.0 | 41 | 1.0 | 4.0.0 | |
indexOf |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
isWellFormed |
111 | 111 | 119 | 97 | 16.4 | 111 | 119 | 75 | 16.4 | 22.0 | 111 | 1.32 | 20.0.0 | |
italics |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
lastIndexOf |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
length |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
link |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
localeCompare |
1 | 12 | 1 | 7 | 3 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
match |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
matchAll |
73 | 79 | 67 | 60 | 13 | 73 | 67 | 52 | 13 | 11.0 | 73 | 1.0 | 12.0.0 | |
normalize |
34 | 12 | 31 | 21 | 10 | 34 | 31 | 21 | 10 | 2.0 | 37 | 1.0 | 0.12.0 | |
padEnd |
57 | 15 | 48 | 44 | 10 | 57 | 48 | 43 | 10 | 7.0 | 57 | 1.0 | 8.0.0 | |
padStart |
57 | 15 | 48 | 44 | 10 | 57 | 48 | 43 | 10 | 7.0 | 57 | 1.0 | 8.0.0 | |
raw |
41 | 12 | 34 | 28 | 9 | 41 | 34 | 28 | 9 | 4.0 | 41 | 1.0 | 4.0.0 | |
repeat |
41 | 12 | 24 | 28 | 9 | 36 | 24 | 28 | 9 | 3.0 | 41 | 1.0 | 4.0.0 | |
replace |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
replaceAll |
85 | 85 | 77 | 71 | 13.1 | 85 | 79 | 60 | 13.4 | 14.0 | 85 | 1.2 | 15.0.0 | |
search |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
slice |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
small |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
split |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
startsWith |
41 | 12 | 17 | 28 | 9 | 36 | 17 | 24 | 9 | 3.0 | 37 | 1.0 | 4.0.0 | |
strike |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
sub |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
substr |
1 | 12 | 1 | 4 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
substring |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
sup |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toLocaleLowerCase |
1 | 12 | 1 | 4 | 1.3 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toLocaleUpperCase |
1 | 12 | 1 | 4 | 1.3 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toLowerCase |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toString |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toUpperCase |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
toWellFormed |
111 | 111 | 119 | 97 | 16.4 | 111 | 119 | 75 | 16.4 | 22.0 | 111 | 1.32 | 20.0.0 | |
trim |
4 | 12 | 3.5 | 10.5 | 5 | 18 | 4 | 11 | 5 | 1.0 | ≤37 | 1.0 | 0.10.0 | |
trimEnd |
664 | 7912 | 613.5 | 5315 | 12 | 6618 | 614 | 4714 | 12 | 9.01.0 | 66≤37 | 1.01.0 | 10.0.00.12.0 | |
trimStart |
664 | 7912 | 613.5 | 5315 | 12 | 6618 | 614 | 4714 | 12 | 9.01.0 | 66≤37 | 1.01.0 | 10.0.00.12.0 | |
unicode_code_point_escapes |
1 | 12 | 40 | 4 | 1 | 18 | 40 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 | |
valueOf |
1 | 12 | 1 | 3 | 1 | 18 | 4 | 10.1 | 1 | 1.0 | 4.4 | 1.0 | 0.10.0 |
RegExp
© 2005–2023 MDN contributors.
Licensed under the Creative Commons Attribution-ShareAlike License v2.5 or later.
https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/String