var dateStr = "2021-08-10"
const [yyyy, mm, dd] = dateStr.split("/");
const result =`${dd}/${mm}/${yyyy}`;
const result = new Date(dateStr).toLocaleString("pt-PT");
const day = dateStr.slice(8, 10);
const month = dateStr.slice(5, 7);
const year = dateStr.slice(0, 4);
const day = dateStr.substring(8, 10);
const month = dateStr.substring(5, 7);
const year = dateStr.substring(0, 4);
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
split | |
Date toLocaleString | |
slice | |
substring |
Test name | Executions per second |
---|---|
split | 9273335.0 Ops/sec |
Date toLocaleString | 226367.2 Ops/sec |
slice | 57741608.0 Ops/sec |
substring | 59513728.0 Ops/sec |
This benchmark measures the performance of different approaches for extracting date components (day, month, and year) from a date string dateStr
formatted as "2021-08-10"
. The goal is to compare the speed of different JavaScript methods employed for string manipulation—specifically, the split
, slice
, substring
, and the Date.toLocaleString
method for extracting and formatting date components.
String.split() Method
const [yyyy, mm, dd] = dateStr.split("/");
/
character as the delimiter. It is meant for strings formatted with slashes.Date.toLocaleString() Method
const result = new Date(dateStr).toLocaleString("pt-PT");
String.slice() Method
const day = dateStr.slice(8, 10); ...
String.substring() Method
const day = dateStr.substring(8, 10); ...
slice
, this method extracts characters from a string between two specified indices. The main difference is how the parameters are treated - substring(start, end)
does not support negative indices.The benchmark results indicate the number of executions per second for each method tested:
split()
toLocaleString()
slice()
substring()
slice
; easy to understand and implement; also handles fixed formats efficiently.split()
allow for more dynamic handling of various formats, the performance cost may not be justified for fixed formats.In conclusion, the benchmark demonstrates different ways to extract date components, with the slice
and substring
methods proving to be the most efficient for fixed-format strings, while split
and toLocaleString
have more specific use cases at a performance cost.