var luckyNumber = Math.round(Math.random() * 100);
var string = "your lucky number for today is:";
`${string} ${luckyNumber}`
'your lucky number for today is: ' + luckyNumber
--enable-precise-memory-info
flag.
Test case name | Result |
---|---|
string-interpolation | |
string-concatenation |
Test name | Executions per second |
---|---|
string-interpolation | 283858720.0 Ops/sec |
string-concatenation | 269275232.0 Ops/sec |
This benchmark compares two approaches to string creation in JavaScript: template literals (string interpolation) and string concatenation. Both methods combine a static string with a dynamic variable (luckyNumber
), but they do so in different ways.
String Interpolation (Template Literals):
${string} ${luckyNumber}
string-interpolation
`
) to create a template literal, allowing for the embedding of expressions within the string using the ${}
syntax. This is a more modern JavaScript feature introduced in ES6 (ES2015), which makes it easier to create complex strings. String Concatenation:
'your lucky number for today is: ' + luckyNumber
string-concatenation
+
operator to combine strings and variables. It's the traditional way of concatenating strings in JavaScript.The test results illustrate the performance of each approach:
From these results, we observe that string interpolation is faster than string concatenation under the tested environment (Chrome 134 on Windows). This indicates that newer language features can lead to better performance and should be considered in performance-sensitive applications.
join()
method ([string, luckyNumber].join(" ")
) can sometimes be useful, particularly for building up complex strings dynamically.join
) may yield better performance.In summary, while both string interpolation and string concatenation can achieve similar results in JavaScript, string interpolation generally offers improved performance and readability, making it the preferred choice in modern development scenarios.