Bug #20880
closedHash allows array-type key duplicates
Description
I was solving small tasks on Leetcode and encountered an issue with Hash which looked strange to me:
There's an array saved into the variable and a hash with a previously created array as a key
arr = [1,2,3]
hsh = {arr => 1}
=> {[1, 2, 3]=>1}
Modified the array. Added the same array to the same hash.
arr << 4
hsh[arr] = 2
=> {[1, 2, 3, 4]=>1, [1, 2, 3, 4]=>2}
Added another duplicate
arr << 5
hsh[arr] = 3
=> {[1, 2, 3, 4, 5]=>1, [1, 2, 3, 4, 5]=>2, [1, 2, 3, 4, 5]=>3}
First issue:¶
As a user, I'd expect to have the already existing key reassigned with the new value. Since the key is duplicated, now it's not obvious which value 1, 2, or 3 should be returned for the key ([1, 2, 3, 4, 5] or arr).
Second issue:¶
When trying to actually retrieve a value, different methods behave differently:
hsh[[1,2,3,4,5]]
=> 3
hsh[arr]
=> 3
But
hsh.assoc(arr)
=> 1
Third issue:¶
Another example is created:
arr = [1]
hsh = {arr => 1}
And modified with the same logic using a loop:
incr = 1
10.times do
arr << (incr += 1)
hsh[arr] = incr
end
The received hsh:
=>
{[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>9,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>2,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>3,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>4,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>5,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>6,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>7,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>8,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>10,
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11]=>11}
As you can see, the first key eventually got reassigned (there's no value 1 anymore, it was replaced by 9)
I tried to add each next key manually and got the same result: 1 is replaced by 9.