Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Kb/optimatrix search strategy #28

Merged
merged 27 commits into from
Feb 6, 2025
Merged
Show file tree
Hide file tree
Changes from 23 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
3 changes: 1 addition & 2 deletions optimatrix/__init__.py
Original file line number Diff line number Diff line change
@@ -1,9 +1,8 @@
from .optimiser import minimize_bandwidth_global, minimize_bandwidth
from .optimiser import minimize_bandwidth
from .permutations import permute_list, permute_matrix, invert_permutation

__all__ = [
"minimize_bandwidth",
"minimize_bandwidth_global",
"permute_list",
"permute_matrix",
"invert_permutation",
Expand Down
27 changes: 13 additions & 14 deletions optimatrix/example/1d_system.ipynb

Large diffs are not rendered by default.

167 changes: 143 additions & 24 deletions optimatrix/example/2d_grid.ipynb

Large diffs are not rendered by default.

77 changes: 57 additions & 20 deletions optimatrix/example/dumbbell.ipynb

Large diffs are not rendered by default.

60 changes: 30 additions & 30 deletions optimatrix/example/periodic_1d_system.ipynb

Large diffs are not rendered by default.

93 changes: 57 additions & 36 deletions optimatrix/optimiser.py
Original file line number Diff line number Diff line change
Expand Up @@ -4,6 +4,15 @@
from optimatrix.permutations import permute_matrix, permute_list


def is_symmetric(mat: np.ndarray) -> bool:
if mat.shape[0] != mat.shape[1]:
return False
if not np.allclose(mat, mat.T, atol=1e-8):
return False

return True


def matrix_bandwidth(mat: np.ndarray) -> float:
"""matrix_bandwidth(matrix: np.ndarray) -> float

Expand Down Expand Up @@ -43,10 +52,6 @@ def matrix_bandwidth(mat: np.ndarray) -> float:
30.0
"""

if mat.shape[0] != mat.shape[1]:
raise ValueError(
f"Input matrix should be square matrix, you provide matrix {mat.shape}"
)
bandwidth = max(abs(el * (index[0] - index[1])) for index, el in np.ndenumerate(mat))
return float(bandwidth)

Expand Down Expand Up @@ -83,8 +88,9 @@ def minimize_bandwidth_above_threshold(mat: np.ndarray, threshold: float) -> np.

matrix_truncated = mat.copy()
matrix_truncated[mat < threshold] = 0
sparse_matrix = csr_matrix(matrix_truncated) # required for the next line
rcm_permutation = reverse_cuthill_mckee(sparse_matrix, symmetric_mode=True)
rcm_permutation = reverse_cuthill_mckee(
csr_matrix(matrix_truncated), symmetric_mode=True
)
return np.array(rcm_permutation)


Expand Down Expand Up @@ -113,10 +119,9 @@ def minimize_bandwidth_global(mat: np.ndarray) -> list[int]:
>>> minimize_bandwidth_global(matrix)
[2, 1, 0]
"""
if not np.allclose(mat, mat.T, rtol=1e-8, atol=0):
raise ValueError("Input matrix should be symmetric")

mat_amplitude = np.ptp(np.abs(mat).ravel()) # mat.abs.max - mat.abs().min()
mat_amplitude = np.max(
np.abs(mat)
) # np.ptp(np.abs(mat).ravel()) # mat.abs.max - mat.abs().min()

# Search from 1.0 to 0.1 doesn't change result
permutations = (
Expand All @@ -130,9 +135,9 @@ def minimize_bandwidth_global(mat: np.ndarray) -> list[int]:
return list(opt_permutation) # opt_permutation is np.ndarray


def minimize_bandwidth(matrix: np.ndarray) -> list[int]:
def minimize_bandwidth_impl(matrix: np.ndarray) -> list[int]:
"""
minimize_bandwidth(matrix) -> list
minimize_bandwidth_impl(matrix) -> list

Finds the permutation list for a symmetric matrix that iteratively minimizes matrix bandwidth.

Expand All @@ -154,7 +159,7 @@ def minimize_bandwidth(matrix: np.ndarray) -> list[int]:
... [0, 1, 0, 1, 0],
... [0, 0, 1, 0, 1],
... [1, 0, 0, 1, 0]])
>>> minimize_bandwidth(matrix) # [3, 2, 4, 1, 0] does zig-zag
>>> minimize_bandwidth_impl(matrix) # [3, 2, 4, 1, 0] does zig-zag
[3, 2, 4, 1, 0]

Simple 1D chain. Cannot be optimised further
Expand All @@ -164,42 +169,58 @@ def minimize_bandwidth(matrix: np.ndarray) -> list[int]:
... [0, 1, 0, 1, 0],
... [0, 0, 1, 0, 1],
... [0, 0, 0, 1, 0]])
>>> minimize_bandwidth(matrix)
>>> minimize_bandwidth_impl(matrix)
[0, 1, 2, 3, 4]
"""
mat = matrix.copy()
permutations: list[list[int]] = []

trivial_permutation = list(range(matrix.shape[0]))
trivial_permutation.reverse()
acc_permutation = list(
range(matrix.shape[0])
) # start with trivial permutation [0, 1, 2, ...]
bandwidth = matrix_bandwidth(matrix)

counter = 100
while True:
if counter < 0:
for counter in range(101):
if counter == 100:
raise (
NotImplementedError(
"The algorithm takes too many steps, " "probably not converging."
)
)
counter -= 1

optimal_perm = minimize_bandwidth_global(mat)
if optimal_perm == trivial_permutation:
# when the search converges, it suggests
# a permutation [N, N-1, .., 3, 2, 1, 0]
# which corresponds to the trivial order inversion
optimal_perm = minimize_bandwidth_global(matrix)
test_mat = permute_matrix(matrix, optimal_perm)
new_bandwidth = matrix_bandwidth(test_mat)

if bandwidth <= new_bandwidth:
break

permutations.append(optimal_perm)
mat = permute_matrix(mat, optimal_perm)
matrix = test_mat
acc_permutation = permute_list(acc_permutation, optimal_perm)
bandwidth = new_bandwidth

composition_permutation = list(
range(matrix.shape[0])
) # start with trivial permutation
for perm in permutations:
composition_permutation = permute_list(composition_permutation, perm)
return acc_permutation


def minimize_bandwidth(input_mat: np.ndarray, samples: int = 100) -> list[int]:
assert is_symmetric(input_mat), "Input matrix is not symmetric"
input_mat = abs(input_mat)
# We are interested in strength of the interaction, not sign

return composition_permutation
L = input_mat.shape[0]
rnd_permutations = [list(range(L))] # initial non-randomized order
rnd_permutations.extend(np.random.permutation(L).tolist() for _ in range(samples))
# rnd samples cannot be generator in the current impl

opt_permutations = (
minimize_bandwidth_impl(permute_matrix(input_mat, rnd_perm))
for rnd_perm in rnd_permutations
)
best_permutations = (
kbidzhiev marked this conversation as resolved.
Show resolved Hide resolved
permute_list(rnd_perm, opt_perm)
for rnd_perm, opt_perm in zip(rnd_permutations, opt_permutations)
)
return min(
best_permutations,
key=lambda perm: matrix_bandwidth(permute_matrix(input_mat, perm)),
kbidzhiev marked this conversation as resolved.
Show resolved Hide resolved
)


if __name__ == "__main__":
Expand Down
3 changes: 1 addition & 2 deletions optimatrix/permutations.py
Original file line number Diff line number Diff line change
Expand Up @@ -84,9 +84,8 @@ def permute_matrix(mat: np.ndarray, permutation: list[int]) -> np.ndarray:
[8, 7, 9]])
"""

matrix_copy = mat.copy()
perm = np.array(permutation)
return matrix_copy[perm, :][:, perm]
return mat[perm, :][:, perm]


if __name__ == "__main__":
Expand Down
76 changes: 55 additions & 21 deletions test/optimatrix/test_optimiser.py
Original file line number Diff line number Diff line change
Expand Up @@ -7,15 +7,6 @@


def test_matrix_bandwidth() -> None:
def test_shape(matrix: np.ndarray) -> None:
msg = f"Input matrix should be square matrix, you provide matrix {matrix.shape}"
with pytest.raises(ValueError) as exc_msg:
optimiser.matrix_bandwidth(matrix)
assert str(exc_msg.value) == msg

test_shape(np.arange(6).reshape((3, 2)))
test_shape(np.arange(8).reshape((2, 4)))

# Test bandwidth for small matrices 3x3
def check_bandwidth(matrix: np.ndarray, bandwidth_expected: int) -> None:
bandwidth = optimiser.matrix_bandwidth(matrix)
Expand Down Expand Up @@ -65,15 +56,6 @@ def check_bandwidth(matrix: np.ndarray, bandwidth_expected: int) -> None:

@pytest.mark.parametrize("N", [10, 20, 30])
def test_minimize_bandwidth_global(N: int) -> None:
def test_symmetric(matrix: np.ndarray) -> None:
with pytest.raises(ValueError) as exc_msg:
optimiser.minimize_bandwidth_global(matrix)
assert str(exc_msg.value) == "Input matrix should be symmetric"

mat = np.random.rand(N, N)
mat[0, N - 1] = N # just a number to break symmetric condition
test_symmetric(mat)

# Test shuffled 1D ising chain which is described by tridiagonal matrix {1, 0 , 1}
mat = np.diag([1] * (N - 1), k=1)
mat += np.diag([1] * (N - 1), k=-1)
Expand All @@ -84,6 +66,13 @@ def test_symmetric(matrix: np.ndarray) -> None:

@pytest.mark.parametrize("N", [10, 20, 30])
def test_minimize_bandwidth(N: int) -> None:
# Test sanitizer of symmetric matrices
mat = np.zeros((N, N))
mat[0, N - 1] = 1.0 # just a sign to break symmetric condition
with pytest.raises(AssertionError) as exc_msg:
optimiser.minimize_bandwidth(mat)
assert str(exc_msg.value) == "Input matrix is not symmetric"

def random_permute_matrix(mat: np.ndarray) -> np.ndarray:
s = mat.shape[0]
perm_random = random.sample(list(range(s)), s)
Expand All @@ -94,7 +83,7 @@ def random_permute_matrix(mat: np.ndarray) -> np.ndarray:
tridiagonal_matrix = np.diag(subdiagonal, k=1) + np.diag(subdiagonal, k=-1)

shuffled_matrix = random_permute_matrix(tridiagonal_matrix)
optimal_perm = optimiser.minimize_bandwidth(shuffled_matrix)
optimal_perm = optimiser.minimize_bandwidth(shuffled_matrix, samples=10)
opt_matrix = optimiser.permute_matrix(shuffled_matrix, optimal_perm)
assert np.array_equal(tridiagonal_matrix, opt_matrix)

Expand All @@ -109,11 +98,56 @@ def random_permute_matrix(mat: np.ndarray) -> np.ndarray:
expected_mat[1, 0] = expected_mat[0, 1] = 1
expected_mat[N - 1, N - 2] = expected_mat[N - 2, N - 1] = 1

optimal_perm = optimiser.minimize_bandwidth(initial_mat)
optimal_perm = optimiser.minimize_bandwidth(initial_mat, samples=10)
opt_matrix = optimiser.permute_matrix(initial_mat, optimal_perm)
assert np.array_equal(expected_mat, opt_matrix)

shuffled_matrix = random_permute_matrix(initial_mat)
optimal_perm = optimiser.minimize_bandwidth(shuffled_matrix)
optimal_perm = optimiser.minimize_bandwidth(shuffled_matrix, samples=10)
opt_matrix = optimiser.permute_matrix(shuffled_matrix, optimal_perm)
assert np.array_equal(expected_mat, opt_matrix)


@pytest.mark.parametrize("N", [10, 20, 30])
def test_is_symmetric(N: int) -> None:
pablolh marked this conversation as resolved.
Show resolved Hide resolved
mat = np.zeros((N, N))
mat[0, N - 1] = 1.0
assert not optimiser.is_symmetric(mat)

assert not optimiser.is_symmetric(np.arange(6).reshape((3, 2)))
assert not optimiser.is_symmetric(np.arange(8).reshape((2, 4)))

assert optimiser.is_symmetric(mat + mat.T)


def test_2rings_1bar() -> None:
# ring with 3 qubits, bar with 1 qubit
input_mat = np.array(
[
[0.0, 0.3655409, 0.3655409, 0.04386491, 0.08435559, 0.08435559, 0.25],
[0.3655409, 0.0, 0.3655409, 0.02550285, 0.04386491, 0.0391651, 0.08022302],
[0.3655409, 0.3655409, 0.0, 0.02550285, 0.0391651, 0.04386491, 0.08022302],
[0.04386491, 0.02550285, 0.02550285, 0.0, 0.3655409, 0.3655409, 0.12989251],
[0.08435559, 0.04386491, 0.0391651, 0.3655409, 0.0, 0.3655409, 0.40232329],
[0.08435559, 0.0391651, 0.04386491, 0.3655409, 0.3655409, 0.0, 0.40232329],
[0.25, 0.08022302, 0.08022302, 0.12989251, 0.40232329, 0.40232329, 0.0],
]
)

expected_mat = np.array(
[
[0.0, 0.3655409, 0.3655409, 0.12989251, 0.04386491, 0.02550285, 0.02550285],
[0.3655409, 0.0, 0.3655409, 0.40232329, 0.08435559, 0.0391651, 0.04386491],
[0.3655409, 0.3655409, 0.0, 0.40232329, 0.08435559, 0.04386491, 0.0391651],
[0.12989251, 0.40232329, 0.40232329, 0.0, 0.25, 0.08022302, 0.08022302],
[0.04386491, 0.08435559, 0.08435559, 0.25, 0.0, 0.3655409, 0.3655409],
[0.02550285, 0.0391651, 0.04386491, 0.08022302, 0.3655409, 0.0, 0.3655409],
[0.02550285, 0.04386491, 0.0391651, 0.08022302, 0.3655409, 0.3655409, 0.0],
]
)

optimal_perm = optimiser.minimize_bandwidth(input_mat)
opt_matrix = optimiser.permute_matrix(input_mat, optimal_perm)
pablolh marked this conversation as resolved.
Show resolved Hide resolved
exp_bandwidth = optimiser.matrix_bandwidth(expected_mat)
opt_bandwidth = optimiser.matrix_bandwidth(opt_matrix)
assert exp_bandwidth == opt_bandwidth
Loading