String
Functions for interacting with JavaScript strings.
See: String
.
make
let make: 'a => string
make(value)
converts the given value to a string
.
Examples
RESCRIPTString.make(3.5) == "3.5"
String.make([1, 2, 3]) == "1,2,3"
fromCharCode
let fromCharCode: int => string
fromCharCode(n)
creates a string
containing the character corresponding to
that number, n
ranges from 0 to 65535. If out of range, the lower 16 bits of
the value are used. Thus, fromCharCode(0x1F63A)
gives the same result as
fromCharCode(0xF63A)
.
See String.fromCharCode
on MDN.
Examples
RESCRIPTString.fromCharCode(65) == "A"
String.fromCharCode(0x3c8) == `ψ`
String.fromCharCode(0xd55c) == `한`
String.fromCharCode(-64568) == `ψ`
fromCharCodeMany
let fromCharCodeMany: array<int> => string
fromCharCodeMany([n1, n2, n3])
creates a string
from the characters
corresponding to the given numbers, using the same rules as fromCharCode
.
See String.fromCharCode
on MDN.
Examples
RESCRIPTString.fromCharCodeMany([189, 43, 190, 61]) == "½+¾="
String.fromCharCodeMany([65, 66, 67]) == "ABC"
fromCodePoint
let fromCodePoint: int => string
fromCodePoint(n)
creates a string
containing the character corresponding to
that numeric code point.
See String.fromCodePoint
on MDN.
Examples
RESCRIPTString.fromCodePoint(65) == "A"
String.fromCodePoint(0x3c8) == `ψ`
String.fromCodePoint(0xd55c) == `한`
String.fromCodePoint(0x1f63a) == `😺`
Exceptions
RangeError
: If the number is not a valid code point, likefromCharCode(-5)
.
fromCodePointMany
let fromCodePointMany: array<int> => string
fromCodePointMany([n1, n2, n3])
creates a string
from the characters
corresponding to the given code point numbers, using the same rules as
fromCodePoint
.
See String.fromCodePoint
on MDN.
Examples
RESCRIPTString.fromCodePointMany([0xd55c, 0xae00, 0x1f63a]) == `한글😺`
Exceptions
RangeError
: If one of the number is not a valid code point, likefromCharCode([1, -5])
.
equal
let equal: (string, string) => bool
compare
let compare: (string, string) => Core__Ordering.t
length
let length: string => int
length(str)
returns the length of the given string
.
See String.length
on MDN.
Examples
RESCRIPTString.length("abcd") == 4
get
let get: (string, int) => option<string>
get(str, index)
returns an option<string>
at the given index
number. If
index
is out of range, this function returns None
.
Examples
RESCRIPTString.get("ReScript", 0) == Some("R")
String.get("Hello", 4) == Some("o")
String.get(`JS`, 4) == None
charAt
let charAt: (string, int) => string
charAt(str, index)
gets the character at index
within string str
. If
index
is negative or greater than the length of str
, it returns the empty
string. If the string contains characters outside the range \u0000-\uffff, it
will return the first 16-bit value at that position in the string.
See String.charAt
on MDN.
Examples
RESCRIPTString.charAt("ReScript", 0) == "R"
String.charAt("Hello", 12) == ""
String.charAt(`JS`, 5) == ""
charCodeAt
let charCodeAt: (string, int) => float
charCodeAt(str, index)
returns the character code at position index
in
string str
the result is in the range 0-65535, unlike codePointAt
, so it
will not work correctly for characters with code points greater than or equal
to 0x10000. The return type is float
because this function returns NaN if
index
is less than zero or greater than the length of the string.
See String.charCodeAt
on MDN.
Examples
RESCRIPTString.charCodeAt(`😺`, 0) == 0xd83d->Int.toFloat
String.codePointAt(`😺`, 0) == Some(0x1f63a)
codePointAt
let codePointAt: (string, int) => option<int>
codePointAt(str, index)
returns the code point at position index
within
string str
as a Some(value)
. The return value handles code points greater
than or equal to 0x10000. If there is no code point at the given position, the
function returns None
.
See String.codePointAt
on MDN.
Examples
RESCRIPTString.codePointAt(`¿😺?`, 1) == Some(0x1f63a)
String.codePointAt("abc", 5) == None
concat
let concat: (string, string) => string
concat(original, append)
returns a new string
with append
added after
original
.
See String.concat
on MDN.
Examples
RESCRIPTString.concat("cow", "bell") == "cowbell"
String.concat("Re", "Script") == "ReScript"
concatMany
let concatMany: (string, array<string>) => string
concatMany(original, arr)
returns a new string
consisting of each item of an
array of strings added to the original
string.
See String.concat
on MDN.
Examples
RESCRIPTString.concatMany("1st", ["2nd", "3rd", "4th"]) == "1st2nd3rd4th"
endsWith
let endsWith: (string, string) => bool
endsWith(str, substr)
returns true
if the str
ends with substr
, false
otherwise.
See String.endsWith
on MDN.
Examples
RESCRIPTString.endsWith("BuckleScript", "Script") == true
String.endsWith("BuckleShoes", "Script") == false
endsWithFrom
let endsWithFrom: (string, string, int) => bool
endsWithFrom(str, ending, len)
returns true
if the first len characters of
str
end with ending
, false
otherwise. If len
is greater than or equal
to the length of str
, then it works like endsWith
.
See String.endsWith
on MDN.
Examples
RESCRIPTString.endsWithFrom("abcd", "cd", 4) == true
String.endsWithFrom("abcde", "cd", 3) == false
String.endsWithFrom("abcde", "cde", 99) == true
String.endsWithFrom("example.dat", "ple", 7) == true
includes
let includes: (string, string) => bool
includes(str, searchValue)
returns true
if searchValue
is found anywhere
within str
, false
otherwise.
See String.includes
on MDN.
Examples
RESCRIPTString.includes("programmer", "gram") == true
String.includes("programmer", "er") == true
String.includes("programmer", "pro") == true
String.includes("programmer.dat", "xyz") == false
includesFrom
let includesFrom: (string, string, int) => bool
includesFrom(str, searchValue, start)
returns true
if searchValue
is found
anywhere within str
starting at character number start
(where 0 is the
first character), false
otherwise.
See String.includes
on MDN.
Examples
RESCRIPTString.includesFrom("programmer", "gram", 1) == true
String.includesFrom("programmer", "gram", 4) == false
String.includesFrom(`대한민국`, `한`, 1) == true
indexOf
let indexOf: (string, string) => int
indexOf(str, searchValue)
returns the position at which searchValue
was
first found within str
, or -1
if searchValue
is not in str
.
See String.indexOf
on MDN.
Examples
RESCRIPTString.indexOf("bookseller", "ok") == 2
String.indexOf("bookseller", "sell") == 4
String.indexOf("beekeeper", "ee") == 1
String.indexOf("bookseller", "xyz") == -1
indexOfOpt
let indexOfOpt: (string, string) => option<int>
indexOfOpt(str, searchValue)
. Like indexOf
, but return an option<int>
.
Examples
RESCRIPTString.indexOfOpt("bookseller", "ok") == Some(2)
String.indexOfOpt("bookseller", "xyz") == None
indexOfFrom
let indexOfFrom: (string, string, int) => int
indexOfFrom(str, searchValue, start)
returns the position at which
searchValue
was found within str
starting at character position start
, or
-1
if searchValue
is not found in that portion of str
. The return value is
relative to the beginning of the string, no matter where the search started
from.
See String.indexOf
on MDN.
Examples
RESCRIPTString.indexOfFrom("bookseller", "ok", 1) == 2
String.indexOfFrom("bookseller", "sell", 2) == 4
String.indexOfFrom("bookseller", "sell", 5) == -1
lastIndexOf
let lastIndexOf: (string, string) => int
lastIndexOf(str, searchValue)
returns the position of the last occurrence of
searchValue
within str
, searching backwards from the end of the string.
Returns -1
if searchValue
is not in str
. The return value is always
relative to the beginning of the string.
See String.lastIndexOf
on MDN.
Examples
RESCRIPTString.lastIndexOf("bookseller", "ok") == 2
String.lastIndexOf("beekeeper", "ee") == 4
String.lastIndexOf("abcdefg", "xyz") == -1
lastIndexOfOpt
let lastIndexOfOpt: (string, string) => option<int>
lastIndexOfOpt(str, searchValue)
. Like lastIndexOfOpt
, but return an
option<int>
.
Examples
RESCRIPTString.lastIndexOfOpt("bookseller", "ok") == Some(2)
String.lastIndexOfOpt("beekeeper", "ee") == Some(4)
String.lastIndexOfOpt("abcdefg", "xyz") == None
lastIndexOfFrom
let lastIndexOfFrom: (string, string, int) => int
lastIndexOfFrom(str, searchValue, start)
returns the position of the last
occurrence of searchValue
within str
, searching backwards from the given
start position. Returns -1
if searchValue
is not in str
. The return value
is always relative to the beginning of the string.
See String.lastIndexOf
on MDN.
Examples
RESCRIPTString.lastIndexOfFrom("bookseller", "ok", 6) == 2
String.lastIndexOfFrom("beekeeper", "ee", 8) == 4
String.lastIndexOfFrom("beekeeper", "ee", 3) == 1
String.lastIndexOfFrom("abcdefg", "xyz", 4) == -1
match
let match: (string, Core__RegExp.t) => option<Core__RegExp.Result.t>
match(str, regexp)
matches a string
against the given regexp
. If there is
no match, it returns None
. For regular expressions without the g modifier, if
there is a match, the return value is Some(array)
where the array contains:
The entire matched string
Any capture groups if the regexp had parentheses For regular expressions with the g modifier, a matched expression returns
Some(array)
with all the matched substrings and no capture groups. SeeString.match
on MDN.
Examples
RESCRIPTString.match("The better bats", %re("/b[aeiou]t/")) == Some(["bet"])
String.match("The better bats", %re("/b[aeiou]t/g")) == Some(["bet", "bat"])
String.match("Today is 2018-04-05.", %re("/(\d+)-(\d+)-(\d+)/")) ==
Some(["2018-04-05", "2018", "04", "05"])
String.match("The large container.", %re("/b[aeiou]g/")) == None
normalize
let normalize: string => string
normalize(str)
returns the normalized Unicode string using Normalization Form
Canonical (NFC) Composition. Consider the character ã, which can be represented
as the single codepoint \u00e3 or the combination of a lower case letter A
\u0061 and a combining tilde \u0303. Normalization ensures that both can be
stored in an equivalent binary representation.
See String.normalize
on MDN.
See also Unicode technical report #15 for details.
Examples
RESCRIPTlet string1 = "\uFB00"
let string2 = "\u0066\u0066"
Console.log(string1 === string2) // false
let normalizeString1 = String.normalize(string1)
let normalizeString2 = String.normalize(string2)
assert(normalizeString1 === normalizeString2)
normalizeForm
type normalizeForm = [#NFC | #NFD | #NFKC | #NFKD]
normalizeByForm(str, form)
returns the normalized Unicode string using the
specified form of normalization, which may be one of:
"NFC" — Normalization Form Canonical Composition.
"NFD" — Normalization Form Canonical Decomposition.
"NFKC" — Normalization Form Compatibility Composition.
"NFKD" — Normalization Form Compatibility Decomposition. See
String.normalize
on MDN. See also Unicode technical report #15 for details.
Examples
RESCRIPTlet string1 = "\uFB00"
let string2 = "\u0066\u0066"
Console.log(string1 == string2) // false
let normalizeString1 = String.normalizeByForm(string1, #NFKD)
let normalizeString2 = String.normalizeByForm(string2, #NFKD)
Console.log(normalizeString1 == normalizeString2) // true
normalizeByForm
let normalizeByForm: (string, normalizeForm) => string
repeat
let repeat: (string, int) => string
repeat(str, n)
returns a string
that consists of n
repetitions of str
.
See String.repeat
on MDN.
Examples
RESCRIPTString.repeat("ha", 3) == "hahaha"
String.repeat("empty", 0) == ""
Exceptions
RangeError
: ifn
is negative.
replace
let replace: (string, string, string) => string
replace(str, substr, newSubstr)
returns a new string
which is
identical to str
except with the first matching instance of substr
replaced
by newSubstr
. substr
is treated as a verbatim string to match, not a
regular expression.
See String.replace
on MDN.
Examples
RESCRIPTString.replace("old string", "old", "new") == "new string"
String.replace("the cat and the dog", "the", "this") == "this cat and the dog"
replaceRegExp
let replaceRegExp: (string, Core__RegExp.t, string) => string
replaceRegExp(str, regex, replacement)
returns a new string
where
occurrences matching regex have been replaced by replacement
.
See String.replace
on MDN.
Examples
RESCRIPTString.replaceRegExp("vowels be gone", %re("/[aeiou]/g"), "x") == "vxwxls bx gxnx"
String.replaceRegExp("Juan Fulano", %re("/(\w+) (\w+)/"), "$2, $1") == "Fulano, Juan"
replaceAll
let replaceAll: (string, string, string) => string
replaceAll(str, substr, newSubstr)
returns a new string
which is
identical to str
except with all matching instances of substr
replaced
by newSubstr
. substr
is treated as a verbatim string to match, not a
regular expression.
See String.replaceAll
on MDN.
Examples
RESCRIPTString.replaceAll("old old string", "old", "new") == "new new string"
String.replaceAll("the cat and the dog", "the", "this") == "this cat and this dog"
replaceAllRegExp
let replaceAllRegExp: (string, Core__RegExp.t, string) => string
replaceAllRegExp(str, regex, replacement)
returns a new string
where
all occurrences matching regex have been replaced by replacement
.
The pattern must include the global (g
) flag or a runtime TypeError will be thrown.
See String.replaceAll
on MDN.
Examples
RESCRIPTString.replaceAllRegExp("vowels be gone", %re("/[aeiou]/g"), "x") == "vxwxls bx gxnx"
String.replaceAllRegExp("aabbcc", %re("/b/g"), ".") == "aa..cc"
unsafeReplaceRegExpBy0
let unsafeReplaceRegExpBy0: (
string,
Core__RegExp.t,
(~match: string, ~offset: int, ~input: string) => string,
) => string
unsafeReplaceRegExpBy0(str, regex, f)
returns a new string
with some or all
matches of a pattern with no capturing parentheses replaced by the value
returned from the given function. The function receives as its parameters the
matched string, the offset at which the match begins, and the whole string being
matched.
See String.replace
on MDN.
Examples
RESCRIPTlet str = "beautiful vowels"
let re = %re("/[aeiou]/g")
let matchFn = (~match, ~offset as _, ~input as _) => String.toUpperCase(match)
String.unsafeReplaceRegExpBy0(str, re, matchFn) == "bEAUtIfUl vOwEls"
unsafeReplaceRegExpBy1
let unsafeReplaceRegExpBy1: (
string,
Core__RegExp.t,
(
~match: string,
~group1: string,
~offset: int,
~input: string,
) => string,
) => string
unsafeReplaceRegExpBy1(str, regexp, f)
. Like unsafeReplaceRegExpBy0
, but f
has group1
parameter.
See String.replace
on MDN.
Examples
RESCRIPTlet str = "Jony is 40"
let re = %re("/(Jony is )\d+/g")
let matchFn = (~match as _, ~group1, ~offset as _, ~input as _) => {
group1 ++ "41"
}
String.unsafeReplaceRegExpBy1(str, re, matchFn) == "Jony is 41"
unsafeReplaceRegExpBy2
let unsafeReplaceRegExpBy2: (
string,
Core__RegExp.t,
(
~match: string,
~group1: string,
~group2: string,
~offset: int,
~input: string,
) => string,
) => string
unsafeReplaceRegExpBy2(str, regexp, f)
. Like unsafeReplaceRegExpBy1
, but f
has two group parameters.
See String.replace
on MDN.
Examples
RESCRIPTlet str = "7 times 6"
let re = %re("/(\d+) times (\d+)/")
let matchFn = (~match as _, ~group1, ~group2, ~offset as _, ~input as _) => {
switch (Int.fromString(group1), Int.fromString(group2)) {
| (Some(x), Some(y)) => Int.toString(x * y)
| _ => "???"
}
}
String.unsafeReplaceRegExpBy2(str, re, matchFn) == "42"
unsafeReplaceRegExpBy3
let unsafeReplaceRegExpBy3: (
string,
Core__RegExp.t,
(
~match: string,
~group1: string,
~group2: string,
~group3: string,
~offset: int,
~input: string,
) => string,
) => string
unsafeReplaceRegExpBy3(str, regexp, f)
. Like unsafeReplaceRegExpBy1
, but f
has three group parameters.
See String.replace
on MDN.
search
let search: (string, Core__RegExp.t) => int
search(str, regexp)
returns the starting position of the first match of
regexp
in the given str
, or -1 if there is no match.
See String.search
on MDN.
Examples
RESCRIPTString.search("testing 1 2 3", %re("/\d+/")) == 8
String.search("no numbers", %re("/\d+/")) == -1
searchOpt
let searchOpt: (string, Core__RegExp.t) => option<int>
searchOpt(str, regexp)
. Like search
, but return an option<int>
.
Examples
RESCRIPTString.searchOpt("testing 1 2 3", %re("/\d+/")) == Some(8)
String.searchOpt("no numbers", %re("/\d+/")) == None
slice
let slice: (string, ~start: int, ~end: int) => string
slice(str, ~start, ~end)
returns the substring of str
starting at
character start
up to but not including end
.
If either
start
orend
is negative, then it is evaluated aslength(str - start)
orlength(str - end)
.If
end
is greater than the length ofstr
, then it is treated aslength(str)
.If
start
is greater thanend
, slice returns the empty string. SeeString.slice
on MDN.
Examples
RESCRIPTString.slice("abcdefg", ~start=2, ~end=5) == "cde"
String.slice("abcdefg", ~start=2, ~end=9) == "cdefg"
String.slice("abcdefg", ~start=-4, ~end=-2) == "de"
String.slice("abcdefg", ~start=5, ~end=1) == ""
sliceToEnd
let sliceToEnd: (string, ~start: int) => string
sliceToEnd(str, ~start)
returns the substring of str
starting at character
start
to the end of the string.
If
start
is negative, then it is evaluated aslength(str - start)
.If
start
is greater than the length ofstr
, then sliceToEnd returns the empty string. SeeString.slice
on MDN.
Examples
RESCRIPTString.sliceToEnd("abcdefg", ~start=4) == "efg"
String.sliceToEnd("abcdefg", ~start=-2) == "fg"
String.sliceToEnd("abcdefg", ~start=7) == ""
split
let split: (string, string) => array<string>
split(str, delimiter)
splits the given str
at every occurrence of
delimiter
and returns an array of the resulting substrings.
See String.split
on MDN.
Examples
RESCRIPTString.split("2018-01-02", "-") == ["2018", "01", "02"]
String.split("a,b,,c", ",") == ["a", "b", "", "c"]
String.split("good::bad as great::awful", "::") == ["good", "bad as great", "awful"]
String.split("has-no-delimiter", ";") == ["has-no-delimiter"]
splitAtMost
let splitAtMost: (string, string, ~limit: int) => array<string>
splitAtMost(str, delimiter, ~limit)
splits the given str
at every
occurrence of delimiter
and returns an array of the first limit
resulting
substrings. If limit
is negative or greater than the number of substrings,
the array will contain all the substrings.
Examples
RESCRIPTString.splitAtMost("ant/bee/cat/dog/elk", "/", ~limit=3) == ["ant", "bee", "cat"]
String.splitAtMost("ant/bee/cat/dog/elk", "/", ~limit=0) == []
String.splitAtMost("ant/bee/cat/dog/elk", "/", ~limit=9) == ["ant", "bee", "cat", "dog", "elk"]
splitByRegExp
let splitByRegExp: (string, Core__RegExp.t) => array<option<string>>
splitByRegExp(str, regexp)
splits the given str
at every occurrence of
regexp
and returns an array of the resulting substrings.
See String.split
on MDN.
Examples
RESCRIPTString.splitByRegExp("Jan,Feb,Mar", %re("/,/")) == [Some("Jan"), Some("Feb"), Some("Mar")]
splitByRegExpAtMost
let splitByRegExpAtMost: (
string,
Core__RegExp.t,
~limit: int,
) => array<option<string>>
splitByRegExpAtMost(str, regexp, ~limit)
splits the given str
at every
occurrence of regexp
and returns an array of the first limit
resulting
substrings. If limit
is negative or greater than the number of substrings, the
array will contain all the substrings.
See String.split
on MDN.
Examples
RESCRIPTString.splitByRegExpAtMost("Hello World. How are you doing?", %re("/ /"), ~limit=3) == [
Some("Hello"),
Some("World."),
Some("How"),
]
startsWith
let startsWith: (string, string) => bool
startsWith(str, substr)
returns true
if the str
starts with substr
,
false
otherwise.
See String.startsWith
on MDN.
Examples
RESCRIPTString.startsWith("BuckleScript", "Buckle") == true
String.startsWith("BuckleScript", "") == true
String.startsWith("JavaScript", "Buckle") == false
startsWithFrom
let startsWithFrom: (string, string, int) => bool
startsWithFrom(str, substr, n)
returns true
if the str
starts
with substr
starting at position n
, false
otherwise. If n
is negative,
the search starts at the beginning of str
.
See String.startsWith
on MDN.
Examples
RESCRIPTString.startsWithFrom("BuckleScript", "kle", 3) == true
String.startsWithFrom("BuckleScript", "", 3) == true
String.startsWithFrom("JavaScript", "Buckle", 2) == false
substring
let substring: (string, ~start: int, ~end: int) => string
substring(str, ~start, ~end)
returns characters start
up to but not
including end from str
.
If
start
is less than zero, it is treated as zero.If
end
is zero or negative, the empty string is returned.If
start
is greater thanend
, thestart
andend
points are swapped. SeeString.substring
on MDN.
Examples
RESCRIPTString.substring("playground", ~start=3, ~end=6) == "ygr"
String.substring("playground", ~start=6, ~end=3) == "ygr"
String.substring("playground", ~start=4, ~end=12) == "ground"
substringToEnd
let substringToEnd: (string, ~start: int) => string
substringToEnd(str, ~start)
returns the substring of str
from position
start
to the end.
If
start
is less than or equal to zero, the entire string is returned.If
start
is greater than or equal to the length ofstr
, the empty string is returned. SeeString.substring
on MDN.
Examples
RESCRIPTString.substringToEnd("playground", ~start=4) == "ground"
String.substringToEnd("playground", ~start=-3) == "playground"
String.substringToEnd("playground", ~start=12) == ""
toLowerCase
let toLowerCase: string => string
toLowerCase(str)
converts str
to lower case using the locale-insensitive
case mappings in the Unicode Character Database. Notice that the conversion can
give different results depending upon context, for example with the Greek
letter sigma, which has two different lower case forms, one when it is the last
character in a string and another when it is not.
See String.toLowerCase
on MDN.
Examples
RESCRIPTString.toLowerCase("ABC") == "abc"
String.toLowerCase(`ΣΠ`) == `σπ`
String.toLowerCase(`ΠΣ`) == `πς`
toLocaleLowerCase
let toLocaleLowerCase: string => string
toLocaleLowerCase(str)
converts str
to lower case using the current locale.
See String.toLocaleLowerCase
on MDN.
toUpperCase
let toUpperCase: string => string
toUpperCase(str)
converts str
to upper case using the locale-insensitive
case mappings in the Unicode Character Database. Notice that the conversion can
expand the number of letters in the result, for example the German ß
capitalizes to two Ses in a row.
See String.toUpperCase
on MDN.
Examples
RESCRIPTString.toUpperCase("abc") == "ABC"
String.toUpperCase(`Straße`) == `STRASSE`
String.toUpperCase(`πς`) == `ΠΣ`
toLocaleUpperCase
let toLocaleUpperCase: string => string
toLocaleUpperCase(str)
converts str
to upper case using the current locale.
See String.toLocaleUpperCase
on MDN.
trim
let trim: string => string
trim(str)
returns a string that is str
with whitespace stripped from both
ends. Internal whitespace is not removed.
See String.trim
on MDN.
Examples
RESCRIPTString.trim(" abc def ") == "abc def"
String.trim("\n\r\t abc def \n\n\t\r ") == "abc def"
trimStart
let trimStart: string => string
trimStart(str)
returns a string that is str
with whitespace stripped from
the beginning of a string. Internal whitespace is not removed.
See String.trimStart
on MDN.
Examples
RESCRIPTString.trimStart(" Hello world! ") == "Hello world! "
String.trimStart(" Hello world! ") == "Hello world! "
trimEnd
let trimEnd: string => string
trinEnd(str)
returns a string that is str
with whitespace stripped from the
end of a string. Internal whitespace is not removed.
See String.trimEnd
on MDN.
Examples
RESCRIPTString.trimEnd(" Hello world! ") == " Hello world!"
String.trimEnd(" Hello world! ") == " Hello world!"
padStart
let padStart: (string, int, string) => string
padStart(str, n, padStr)
returns a string that has been padded with padStr
(multiple times, if needed) until the resulting string reaches the given n
length. The padding is applied from the start of the current string.
See String.padStart
on MDN.
Examples
RESCRIPTString.padStart("abc", 5, " ") == " abc"
String.padStart("abc", 6, "123465") == "123abc"
padEnd
let padEnd: (string, int, string) => string
padEnd(str, n, padStr)
returns a string that has been padded with padStr
(multiple times, if needed) until the resulting string reaches the given n
length. The padding is applied from the end of the current string.
See String.padEnd
on MDN.
Examples
RESCRIPTString.padEnd("Hello", 10, ".") == "Hello....."
String.padEnd("abc", 1, "") == "abc"
getSymbol
let getSymbol: (string, Core__Symbol.t) => option<'a>
getSymbolUnsafe
let getSymbolUnsafe: (string, Core__Symbol.t) => 'a
setSymbol
let setSymbol: (string, Core__Symbol.t, 'a) => unit
localeCompare
let localeCompare: (string, string) => float
localeCompare(referenceStr, compareStr)
returns a float than indicatings
whether a reference string comes before or after, or is the same as the given
string in sort order. If referenceStr
occurs before compareStr
positive if
the referenceStr
occurs after compareStr
, 0
if they are equivalent.
Do not rely on exact return values of -1
or 1
See String.localeCompare
on MDN.
Examples
RESCRIPTString.localeCompare("a", "c") < 0.0 == true
String.localeCompare("a", "a") == 0.0