const testString = "This – is – a –test –string – with – multiple – instances– of–the – pattern – and – some – variations – like–this –and this– ";
const regex1 = /(?<= )–(?= )|(?<! )– (?! )| –(?<! ) ?/g;
const regex2 = / (?=–)–? ?|– /g;
const regex3 = /(?<= )–(?! )|–(?= )|(?<! )– (?! )/g;
const regex4step1 = / +– +/g; // Remove cases with spaces on both sides
const regex4step2 = / +–|– +/g; // Remove extra spaces
const regex5 = / – | –|– /g;
const regex6 = / – ?|– /g;
testString.replace(regex1, "—");
testString.replace(regex2, "—");
testString.replace(regex3, "$1—");
testString.replace(regex4step1, " – ").replace(regex4step2, "—");
testString.replace(regex5, "—");
testString.replace(regex6, "—");
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
Option 1 (Lookarounds) | |
Option 2 (Simple Lookaround) | |
Option 3 (Clever) | |
Option 4 (Two-Pass) | |
Option 5 (Normal) | |
Option 6 (I Am Dumb) |
Test name | Executions per second |
---|---|
Option 1 (Lookarounds) | 548631.0 Ops/sec |
Option 2 (Simple Lookaround) | 953050.9 Ops/sec |
Option 3 (Clever) | 481046.8 Ops/sec |
Option 4 (Two-Pass) | 401504.5 Ops/sec |
Option 5 (Normal) | 1029438.0 Ops/sec |
Option 6 (I Am Dumb) | 1010524.4 Ops/sec |
The benchmark you provided is designed to test different regular expression approaches for replacing en dashes (–
) within a specific test string in JavaScript. Below is an explanation of each option tested in the benchmark, along with their pros and cons, and other considerations.
Option 1 (Lookarounds)
testString.replace(regex1, "—");
/(?<= )–(?= )|(?<! )– (?! )| –(?<! ) ?/g
Option 2 (Simple Lookaround)
testString.replace(regex2, "—");
/ (?=–)–? ?|– /g
Option 3 (Clever)
testString.replace(regex3, "$1—");
/(?<= )–(?! )|–(?= )|(?<! )– (?! )/g
Option 4 (Two-Pass)
testString.replace(regex4step1, " – ").replace(regex4step2, "—");
/ +– +/g
(removes cases with spaces on both sides)/ +–|– +/g
(removes extra spaces)Option 5 (Normal)
testString.replace(regex5, "—");
/ – | –|– /g
Option 6 (I Am Dumb)
testString.replace(regex6, "—");
/ – ?|– /g
This benchmark showcases how different regex approaches can drastically alter performance in JavaScript, with a balance between accuracy, complexity, and speed needing to be considered by software engineers when choosing their strategies for string manipulation.