
Data Structure
Networking
RDBMS
Operating System
Java
MS Excel
iOS
HTML
CSS
Android
Python
C Programming
C++
C#
MongoDB
MySQL
Javascript
PHP
- Selected Reading
- UPSC IAS Exams Notes
- Developer's Best Practices
- Questions and Answers
- Effective Resume Writing
- HR Interview Questions
- Computer Glossary
- Who is Who
Delete Duplicate Elements Based on First Letter in JavaScript
We are required to write a JavaScript function that takes in array of strings and delete every one of the two string that start with the same letter.
For example, If the actual array is −
const arr = ['Apple', 'Jack' , 'Army', 'Car', 'Jason'];
Then, we have to keep only one string in the array, so one of the two strings starting with A should get deleted. In the same way, the logic follows for the letter J in the above array.
Let’s write the code for this function −
Example
const arr = ['Apple', 'Jack' , 'Army', 'Car', 'Jason']; const delelteSameLetterWord = arr => { const map = new Map(); arr.forEach((el, ind) => { if(map.has(el[0])){ arr.splice(ind, 1); }else{ map.set(el[0], true); }; }); }; delelteSameLetterWord(arr); console.log(arr);
Output
Following is the output in the console −
[ 'Apple', 'Jack', 'Car' ]
Advertisements