Reputation: 4669
I am iterating through .csv file to do some element level validation in angular js app. I couldn't find better library in angular so i started writing custom javascript to handle this scenario. Below is the attached data sample ( interested in first column CN and 5th column NAME data ). All i could think of is few if conditions to check the index of i, j and store the values. Any suggestions would be appreciated.
CN N ACTIVE TYPE NAME NO COM
USA 45 Engin Fed Anderson #10 NA
USA 46 Sports BB Kobe #1 NA
USA 32 Sports Soccer Kobe #17 NA
GER 30 Sports Soccer Gotze #12 NA
GER 27 Sports Soccer Ozil #18 NA
ITA 38 Sports Soccer Buffon #2 NA
code snippet
for ( var i=0; i< file.length; i++ ){
var singleRowData = file[i].split(',');
singleRowData = singleRowData.filter(function(n){ return n != "" });
for ( var j=0; j< singleRowData.length; j++){
duplicateFunction(singleRowData, singleRowData[j], j, i);
}
}
function duplicateFunction ( singleRowData, singleRowDataElement, singleRowDataElementIndex, singleRowDataIndex){
/*
handle the duplicates
*/
}
In this data example, I should catch exception on 3rd row for CN = USA, NAME=Kobe and rest of the data should work fine
Upvotes: 0
Views: 296
Reputation: 351328
You could store the key pairs (CN + NAME) as a concatenated key in a keys object, and when you find it there for a new record, you know you have duplicate:
var file = [
'USA,45,Engin,Fed,Anderson,#10,NA',
'USA,46,Sports,BB,Kobe,#1,NA',
'USA,32,Sports,Soccer,Kobe,#17,NA',
'GER,30,Sports,Soccer,Gotze,#12,NA',
'GER,27,Sports,Soccer,Ozil,#18,NA',
'ITA,38,Sports,Soccer,Buffon,#2,NA'
];
var keys = {}; // store the keys that you have processed
var result = []; // array with accepted rows
for ( var i=0; i< file.length; i++ ){
var singleRowData = file[i].split(',');
singleRowData = singleRowData.filter(function(n){ return n != "" });
var key = singleRowData[0] + '|' + singleRowData[4]; // CN + NAME
if (key in keys) {
console.log("Duplicate at " + i + " is ignored");
} else {
keys[key] = 1; // register key
result.push(singleRowData);
}
}
console.log(result);
.as-console-wrapper { max-height: 100% !important; top: 0; }
Here is a more compact ES6 version of the same idea, but with a ES6 Map and reduce
:
const file = [
'USA,45,Engin,Fed,Anderson,#10,NA',
'USA,46,Sports,BB,Kobe,#1,NA',
'USA,32,Sports,Soccer,Kobe,#17,NA',
'GER,30,Sports,Soccer,Gotze,#12,NA',
'GER,27,Sports,Soccer,Ozil,#18,NA',
'ITA,38,Sports,Soccer,Buffon,#2,NA'
];
const result = [...file.reduce( (result, line) => {
const singleRowData = line.split(',').filter(n => n != ""),
key = singleRowData[0] + '|' + singleRowData[4]; // CN + NAME
return result.has(key) ? result : result.set(key, singleRowData);
}, new Map).values()];
console.log(result);
.as-console-wrapper { max-height: 100% !important; top: 0; }
Upvotes: 1