This is a really dumb question, but please help me understand this line of code if (freq[char]). What does it mean? How variable can be in an array without the push() method?
function removeDupl(arg) {
var answer = "";
var freq = [];
for (i = 0; i < arg.length; i++) {
let char = arg[i]
if (freq[char]) { <------- What does it mean ? what condition is that?
freq[char]++
console.log("Duplicate:"+ char)
} else {
freq[char] = 1
answer = answer + char
console.log("not a duplicate:"+char)
}
}
return answer;
}
This is a really dumb question, but please help me understand this line of code if (freq[char]). What does it mean? How variable can be in an array without the push() method?
function removeDupl(arg) {
var answer = "";
var freq = [];
for (i = 0; i < arg.length; i++) {
let char = arg[i]
if (freq[char]) { <------- What does it mean ? what condition is that?
freq[char]++
console.log("Duplicate:"+ char)
} else {
freq[char] = 1
answer = answer + char
console.log("not a duplicate:"+char)
}
}
return answer;
}
Share
Improve this question
asked 2 days ago
Nina MishchenkoNina Mishchenko
93 bronze badges
0
2 Answers
Reset to default 1What does it mean?
The condition freq[char]
is true if the array element at that index exists and has a truthy value. This array only contains numbers; they start at 1 and get incremented for each repetition, so if the element exists it will be truthy (all numbers except 0
and NaN
are truthy).
How variable can be in an array without the push() method?
You can assign directly to an index. That's done in this code with:
freq[char] = 1
in the else
block.
So the code loops through the values in the arg
array. If the value already exists as an index in the array, the array element is incremented with freq[char]++
. Otherwise a new element is created with that index and initialized to 1
.
Note that the message
console.log("not a duplicate:"+char)
is incorrect. This will be logged the first time any character is encountered. It's unknown at that time whether it's a duplicate or not, it depends on whether there's another occurrence later.
I will give you a very simple and straight-forward solution.
The condition freq[char] evaluates to true if freq[char] is defined and has a truthy value (i.e., it is not undefined, null, 0, false, or an empty string). In this context, freq is being used as an associative array (or object) where the keys are characters and the values are their counts. If the arg provided for the removeDupl(arg) function is "Helloooooo", the freq will come out as [ H: 1, e: 1, l: 2, o: 6 ]
So, the if-condition gets executed if the current character is already present in the freq array otherwise else condition gets executed.