我一直在使用Go中的方法来构建一个小的线性代数库,但是我遇到了以下代码的问题:
package main
import (
"fmt"
)
type Matrix struct {
mat []float64
nR, nC int
}
func (m Matrix) String() string { ... }
// EmptyMatrix initializes a nR*nC matrix to 0
func EmptyMatrix(nR, nC int) Matrix { ... }
// BuildMatrix creates a matrix build by its rows, and returns a Matrix
func BuildMatrix(rows ...[]float64) Matrix { ... }
// Set sets the value of mat[i,j] to val
func (m *Matrix) Set(i, j int, val float64) {
if (i < m.nR) && (j < m.nC) {
m.mat[i*m.nC+j] = val
} else {
panic(fmt.Sprintf("Index (%d,%d) out of range (0:%d,0:%d)",
i, j, m.nR, m.nC))
}
}
func main() {
matA := matrix.BuildMatrix([]float64{2, 3}, []float64{4, -5})
matB := matA
fmt.Println(matA)
matB.Set(1,1,2)
fmt.Println(matA)
fmt.Printf("%p\n%p\n",&matA,&matB)
}
运行时,这是输出:
[ [ 2.00 3.00 ]
[ 4.00 -5.00 ] ]
[ [ 2.00 3.00 ]
[ 4.00 2.00 ] ]
0xc04207c060
0xc04207c090
如果我更改了matB
中的值,则更改会在matA
中进行镜像,这不是我想要的。在Python中,我会先创建matA
的深层副本,但我还没有找到Python copy.deepcopy()
函数的任何标准Go实现。我应该怎么解决呢?
测试解决方案:
Matrix.mat
确实是一个切片,我应该使用copy(matB.mat, matA.mat
进行复制。但是,这不是唯一的问题,因为它仍在做同样的事情。答案 0 :(得分:0)
matA.mat
和matB.mat
都指向同一位置。
切片是数组段的描述符。它由指向数组的指针,段的长度及其容量(段的最大长度)组成。
复制结构时,复制的结构包含指针的副本(指向同一个数组段)。
请参阅https://play.golang.org/p/KUWq-dnGMRl
你需要做
matB.mat = make([]float64, len(matA.mat))
copy(matB.mat, matA.mat)