21

我已经构建了一个小代码,我想用它来解决涉及大型稀疏矩阵的特征值问题。它工作正常,我现在要做的就是将稀疏矩阵中的一些元素设置为零,即最上面一行中的元素(对应于实现边界条件)。我可以调整下面的列向量(C0、C1 和 C2)来实现这一点。但是,我想知道是否有更直接的方法。显然,NumPy 索引不适用于 SciPy 的 sparse 包。

import scipy.sparse as sp
import scipy.sparse.linalg  as la
import numpy as np
import matplotlib.pyplot as plt

#discretize x-axis
N = 11
x = np.linspace(-5,5,N)
print(x)
V = x * x / 2
h = len(x)/(N)
hi2 = 1./(h**2)
#discretize Schroedinger Equation, i.e. build 
#banded matrix from difference equation
C0 = np.ones(N)*30. + V
C1 = np.ones(N) * -16.
C2 = np.ones(N) * 1.
diagonals = np.array([-2,-1,0,1,2])
H = sp.spdiags([C2, C1, C0,C1,C2],[-2,-1,0,1,2], N, N)
H *= hi2 * (- 1./12.) * (- 1. / 2.)
#solve for eigenvalues
EV = la.eigsh(H,return_eigenvectors = False)

#check structure of H
plt.figure()
plt.spy(H)
plt.show()

这是由上面的代码构建的矩阵的可视化。我想将第一行中的元素设置为零。在此处输入图像描述

4

2 回答 2

24

正如评论中所建议的,我将发布我对自己的问题找到的答案。SciPy 的 sparse 包中有几个矩阵类,它们在此处列出。可以将稀疏矩阵从一类转换为另一类。因此,对于我需要做的事情,我选择将我的稀疏矩阵转换为 csr_matrix 类,只需通过

H = sp.csr_matrix(H)

然后我可以使用常规 NumPy 表示法将第一行中的元素设置为 0:

H[0,0] = 0
H[0,1] = 0
H[0,2] = 0

为了完整起见,我在下面发布了完整的修改代码片段。

#SciPy Sparse linear algebra takes care of sparse matrix computations
#http://docs.scipy.org/doc/scipy/reference/sparse.linalg.html
import scipy.sparse as sp
import scipy.sparse.linalg  as la

import numpy as np
import matplotlib.pyplot as plt

#discretize x-axis
N = 1100
x = np.linspace(-100,100,N)
V = x * x / 2.
h = len(x)/(N)
hi2 = 1./(h**2)

#discretize Schroedinger Equation, i.e. build 
#banded matrix from difference equation
C0 = np.ones(N)*30. + V
C1 = np.ones(N) * -16.
C2 = np.ones(N) * 1.

H = sp.spdiags([C2, C1, C0, C1, C2],[-2,-1,0,1,2], N, N)
H *= hi2 * (- 1./12.) * (- 1. / 2.)
H = sp.csr_matrix(H)
H[0,0] = 0
H[0,1] = 0
H[0,2] = 0

#check structure of H
plt.figure()
plt.spy(H)
plt.show()

EV = la.eigsh(H,return_eigenvectors = False)
于 2013-04-09T11:27:49.500 回答
1

在 scipy 中使用lil_matrix比简单的numpy方法更有效地更改元素。

H = sp.csr_matrix(H)
HL = H.tolil()
HL[1,1] = 5  # same as the numpy indexing notation
print HL
print HL.todense() # if numpy style matrix is required
H = HL.tocsr()    # if csr is required
于 2021-09-24T06:43:29.587 回答