What is importance of startsWith() method in JavaScript?

To check whether a string starts with a particular character or substring, the indexOf() method was traditionally used. However, ES6 introduced the more intuitive and readable startsWith() method, which is specifically designed for this purpose and offers better performance and clarity.

Traditional Approach: Using indexOf()

The indexOf() method returns the first index where a substring is found. To check if a string starts with specific characters, we compare the result with 0:

<html>
<body>
<script>
   var text = 'Tutorialspoint';
   document.write(text.indexOf('T') === 0);
</script>
</body>
</html>
true

Modern Approach: Using startsWith()

The startsWith() method directly returns a boolean value, making the code more readable and expressive:

<html>
<body>
<script>
   var text = 'Tutorialspoint';
   document.write(text.startsWith('Tu'));
</script>
</body>
</html>
true

Using startsWith() with Position Parameter

The startsWith() method accepts an optional second parameter to specify the starting position for the search:

<html>
<body>
<script>
   var text = 'Tutorialspoint';
   document.write(text.startsWith('Tut', 0));
   document.write("<br>");
   document.write(text.startsWith('ut', 1));
   document.write("<br>");
   document.write(text.startsWith('t', 2));
</script>
</body>
</html>
true
true
true

Syntax

string.startsWith(searchString, position)

Parameters

  • searchString: The characters to be searched for at the start of the string
  • position (optional): The position to start the search from (default is 0)

Comparison

Method Readability Performance Purpose-built
indexOf() === 0 Less clear Good No
startsWith() Very clear Better Yes

Conclusion

The startsWith() method provides a cleaner, more readable way to check string prefixes compared to indexOf() === 0. It's the recommended approach for modern JavaScript applications and offers better performance for this specific use case.

Updated on: 2026-03-15T23:18:59+05:30

199 Views

Kickstart Your Career

Get certified by completing the course

Get Started
Advertisements