英文:
Remove element method doesnt work in Golang
问题
我有一个简单的代码用于从切片中删除元素:
package main
import "fmt"
func main() {
values := []string{"1", "2", "3", "4", "5"}
valuesResult := removeElementByIndex(values, 0)
fmt.Printf("%v - %v\n", values, valuesResult)
}
func removeElementByIndex[T interface{}](a []T, i int) []T {
return append(a[:i], a[i+1:]...)
}
但输出结果是:
[2 3 4 5 5] - [2 3 4 5]
由于某种原因,values
发生了变化,但我在方法中没有对它进行更改(我猜测)。请帮我修复它。
英文:
I have a simple code for removing element from slice:
package main
import "fmt"
func main() {
values := []string{"1", "2", "3", "4", "5"}
valuesResult := removeElementByIndex(values2, 0)
fmt.Printf("%v - %v\n", values, valuesResult)
}
func removeElementByIndex[T interface{}](a []T, i int) []T {
return append(a[:i], a[i+1:]...)
}
but output is
[2 3 4 5 5] - [2 3 4 5]
For some reason values
are changing, but i didnt change it in my method (i guess). Please help me to fix it
答案1
得分: 2
你改变了原始切片。如果追加操作的结果适合切片的容量,append
操作会使用原始切片。
如果你需要保持原始切片不变:
func removeElementByIndex[T interface{}](a []T, i int) []T {
result := make([]T, len(a)-1)
copy(result,a[:i])
copy(result[i:],a[i+1:])
return result
}
英文:
You did change the original slice. append
operation uses the original slice if the result of the append operation fits into the capacity of the slice.
If you need the original slice unchanged:
func removeElementByIndex[T interface{}](a []T, i int) []T {
result := make([]T, len(a)-1)
copy(result,a[:i])
copy(result[i:],a[i+1:])
return result
}
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论