Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Removing duplicates in a comma-separated list with a regex?

I'm trying to figure out how to filter out duplicates in a string with a regular expression, where the string is comma separated. I'd like to do this in javascript, but I'm getting caught up with how to use the back-references.

For example:

1,1,1,2,2,3,3,3,3,4,4,4,5

Becomes:

1,2,3,4,5

Or:

a,b,b,said,said, t, u, ugly, ugly

Becomes

a,b,said,t,u,ugly
like image 654
Geuis Avatar asked Jan 12 '10 03:01

Geuis


People also ask

How do you remove duplicates from a comma separated string?

We can remove duplicates from a string in the following three steps: Convert comma separated string to an array; Use array_unique() to remove duplicates; Convert the array back to a comma separated string.

How to remove duplicate values from comma separated string in JavaScript?

var item = $("#inInputTextbox"). val(). split(","). removeDuplicates();


1 Answers

Why use regex when you can do it in javascript code? Here is sample code (messy though):

var input = 'a,b,b,said,said, t, u, ugly, ugly';
var splitted = input.split(',');
var collector = {};
for (i = 0; i < splitted.length; i++) {
   key = splitted[i].replace(/^\s*/, "").replace(/\s*$/, "");
   collector[key] = true;
}
var out = [];
for (var key in collector) {
   out.push(key);
}
var output = out.join(','); // output will be 'a,b,said,t,u,ugly'

p/s: that one regex in the for-loop is to trim the tokens, not to make them unique

like image 193
Lukman Avatar answered Sep 17 '22 04:09

Lukman