Ignoring the fact that elements are copied in range loops
The range
keyword is a convenient way to iterate over data structures.
Mistake
range
performs a copy on all the elements of the data structure.
accounts := []account{
{balance: 100.},
{balance: 200.},
{balance: 300.},
}
for _, a := range accounts {
a.balance += 1000 // This will not modify the original slice
}
Fix
accounts := []account{
{balance: 100.},
{balance: 200.},
{balance: 300.},
}
// using the index for the slice
for i := range accounts {
accounts[i].balance += 1000 // This modifies the accounts object
}
// classic for loop
for i := 0; i < len(accounts); i++ {
accounts[i].balance += 1000 // This modifies the accounts object
}