forked from Qiskit/qiskit
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Merge branch 'main' into EA/bye-bye-parsed-literal
- Loading branch information
Showing
25 changed files
with
432 additions
and
55 deletions.
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
176 changes: 176 additions & 0 deletions
176
crates/accelerate/src/circuit_library/quantum_volume.rs
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,176 @@ | ||
// This code is part of Qiskit. | ||
// | ||
// (C) Copyright IBM 2024 | ||
// | ||
// This code is licensed under the Apache License, Version 2.0. You may | ||
// obtain a copy of this license in the LICENSE.txt file in the root directory | ||
// of this source tree or at http://www.apache.org/licenses/LICENSE-2.0. | ||
// | ||
// Any modifications or derivative works of this code must retain this | ||
// copyright notice, and modified files need to carry a notice indicating | ||
// that they have been altered from the originals. | ||
|
||
use pyo3::prelude::*; | ||
|
||
use crate::getenv_use_multiple_threads; | ||
use faer_ext::{IntoFaerComplex, IntoNdarrayComplex}; | ||
use ndarray::prelude::*; | ||
use num_complex::Complex64; | ||
use numpy::IntoPyArray; | ||
use rand::prelude::*; | ||
use rand_distr::StandardNormal; | ||
use rand_pcg::Pcg64Mcg; | ||
use rayon::prelude::*; | ||
|
||
use qiskit_circuit::circuit_data::CircuitData; | ||
use qiskit_circuit::imports::UNITARY_GATE; | ||
use qiskit_circuit::operations::Param; | ||
use qiskit_circuit::operations::PyInstruction; | ||
use qiskit_circuit::packed_instruction::PackedOperation; | ||
use qiskit_circuit::{Clbit, Qubit}; | ||
use smallvec::{smallvec, SmallVec}; | ||
|
||
type Instruction = ( | ||
PackedOperation, | ||
SmallVec<[Param; 3]>, | ||
Vec<Qubit>, | ||
Vec<Clbit>, | ||
); | ||
|
||
#[inline(always)] | ||
fn random_complex(rng: &mut Pcg64Mcg) -> Complex64 { | ||
Complex64::new(rng.sample(StandardNormal), rng.sample(StandardNormal)) | ||
* std::f64::consts::FRAC_1_SQRT_2 | ||
} | ||
|
||
// This function's implementation was modeled off of the algorithm used in the | ||
// `scipy.stats.unitary_group.rvs()` function defined here: | ||
// | ||
// https://github.com/scipy/scipy/blob/v1.14.1/scipy/stats/_multivariate.py#L4224-L4256 | ||
#[inline] | ||
fn random_unitaries(seed: u64, size: usize) -> impl Iterator<Item = Array2<Complex64>> { | ||
let mut rng = Pcg64Mcg::seed_from_u64(seed); | ||
|
||
(0..size).map(move |_| { | ||
let raw_numbers: [[Complex64; 4]; 4] = [ | ||
[ | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
], | ||
[ | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
], | ||
[ | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
], | ||
[ | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
random_complex(&mut rng), | ||
], | ||
]; | ||
|
||
let qr = aview2(&raw_numbers).into_faer_complex().qr(); | ||
let r = qr.compute_r(); | ||
let diag: [Complex64; 4] = [ | ||
r[(0, 0)].to_num_complex() / r[(0, 0)].abs(), | ||
r[(1, 1)].to_num_complex() / r[(1, 1)].abs(), | ||
r[(2, 2)].to_num_complex() / r[(2, 2)].abs(), | ||
r[(3, 3)].to_num_complex() / r[(3, 3)].abs(), | ||
]; | ||
let mut q = qr.compute_q().as_ref().into_ndarray_complex().to_owned(); | ||
q.axis_iter_mut(Axis(0)).for_each(|mut row| { | ||
row.iter_mut() | ||
.enumerate() | ||
.for_each(|(index, val)| *val *= diag[index]) | ||
}); | ||
q | ||
}) | ||
} | ||
|
||
const UNITARY_PER_SEED: usize = 50; | ||
|
||
#[pyfunction] | ||
pub fn quantum_volume( | ||
py: Python, | ||
num_qubits: u32, | ||
depth: usize, | ||
seed: Option<u64>, | ||
) -> PyResult<CircuitData> { | ||
let width = num_qubits as usize / 2; | ||
let num_unitaries = width * depth; | ||
let mut permutation: Vec<Qubit> = (0..num_qubits).map(Qubit).collect(); | ||
|
||
let mut build_instruction = |(unitary_index, unitary_array): (usize, Array2<Complex64>), | ||
rng: &mut Pcg64Mcg| | ||
-> PyResult<Instruction> { | ||
let layer_index = unitary_index % width; | ||
if layer_index == 0 { | ||
permutation.shuffle(rng); | ||
} | ||
let unitary = unitary_array.into_pyarray_bound(py); | ||
let unitary_gate = UNITARY_GATE | ||
.get_bound(py) | ||
.call1((unitary.clone(), py.None(), false))?; | ||
let instruction = PyInstruction { | ||
qubits: 2, | ||
clbits: 0, | ||
params: 1, | ||
op_name: "unitary".to_string(), | ||
control_flow: false, | ||
instruction: unitary_gate.unbind(), | ||
}; | ||
let qubit = layer_index * 2; | ||
Ok(( | ||
PackedOperation::from_instruction(Box::new(instruction)), | ||
smallvec![Param::Obj(unitary.unbind().into())], | ||
vec![permutation[qubit], permutation[qubit + 1]], | ||
vec![], | ||
)) | ||
}; | ||
|
||
let mut per_thread = num_unitaries / UNITARY_PER_SEED; | ||
if per_thread == 0 { | ||
per_thread = 10; | ||
} | ||
let mut outer_rng = match seed { | ||
Some(seed) => Pcg64Mcg::seed_from_u64(seed), | ||
None => Pcg64Mcg::from_entropy(), | ||
}; | ||
let seed_vec: Vec<u64> = rand::distributions::Standard | ||
.sample_iter(&mut outer_rng) | ||
.take(num_unitaries) | ||
.collect(); | ||
|
||
let unitaries: Vec<Array2<Complex64>> = if getenv_use_multiple_threads() && num_unitaries > 200 | ||
{ | ||
seed_vec | ||
.par_chunks(per_thread) | ||
.flat_map_iter(|seeds| random_unitaries(seeds[0], seeds.len())) | ||
.collect() | ||
} else { | ||
seed_vec | ||
.chunks(per_thread) | ||
.flat_map(|seeds| random_unitaries(seeds[0], seeds.len())) | ||
.collect() | ||
}; | ||
CircuitData::from_packed_operations( | ||
py, | ||
num_qubits, | ||
0, | ||
unitaries | ||
.into_iter() | ||
.enumerate() | ||
.map(|x| build_instruction(x, &mut outer_rng)), | ||
Param::Float(0.), | ||
) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,109 @@ | ||
// This code is part of Qiskit. | ||
// | ||
// (C) Copyright IBM 2024 | ||
// | ||
// This code is licensed under the Apache License, Version 2.0. You may | ||
// obtain a copy of this license in the LICENSE.txt file in the root directory | ||
// of this source tree or at http://www.apache.org/licenses/LICENSE-2.0. | ||
// | ||
// Any modifications or derivative works of this code must retain this | ||
// copyright notice, and modified files need to carry a notice indicating | ||
// that they have been altered from the originals. | ||
|
||
use numpy::PyReadonlyArray1; | ||
use pyo3::prelude::*; | ||
|
||
use qiskit_circuit::dag_circuit::{DAGCircuit, NodeType}; | ||
use qiskit_circuit::operations::{Operation, Param}; | ||
use qiskit_circuit::Qubit; | ||
|
||
/// Run the ElidePermutations pass on `dag`. | ||
/// Args: | ||
/// dag (DAGCircuit): the DAG to be optimized. | ||
/// Returns: | ||
/// An `Option`: the value of `None` indicates that no optimization was | ||
/// performed and the original `dag` should be used, otherwise it's a | ||
/// tuple consisting of the optimized DAG and the induced qubit permutation. | ||
#[pyfunction] | ||
fn run(py: Python, dag: &mut DAGCircuit) -> PyResult<Option<(DAGCircuit, Vec<usize>)>> { | ||
let permutation_gate_names = ["swap".to_string(), "permutation".to_string()]; | ||
let op_counts = dag.count_ops(py, false)?; | ||
if !permutation_gate_names | ||
.iter() | ||
.any(|name| op_counts.contains_key(name)) | ||
{ | ||
return Ok(None); | ||
} | ||
let mut mapping: Vec<usize> = (0..dag.num_qubits()).collect(); | ||
|
||
// note that DAGCircuit::copy_empty_like clones the interners | ||
let mut new_dag = dag.copy_empty_like(py, "alike")?; | ||
for node_index in dag.topological_op_nodes()? { | ||
if let NodeType::Operation(inst) = &dag.dag()[node_index] { | ||
match (inst.op.name(), inst.condition()) { | ||
("swap", None) => { | ||
let qargs = dag.get_qargs(inst.qubits); | ||
let index0 = qargs[0].0 as usize; | ||
let index1 = qargs[1].0 as usize; | ||
mapping.swap(index0, index1); | ||
} | ||
("permutation", None) => { | ||
if let Param::Obj(ref pyobj) = inst.params.as_ref().unwrap()[0] { | ||
let pyarray: PyReadonlyArray1<i32> = pyobj.extract(py)?; | ||
let pattern = pyarray.as_array(); | ||
|
||
let qindices: Vec<usize> = dag | ||
.get_qargs(inst.qubits) | ||
.iter() | ||
.map(|q| q.0 as usize) | ||
.collect(); | ||
|
||
let remapped_qindices: Vec<usize> = (0..qindices.len()) | ||
.map(|i| pattern[i]) | ||
.map(|i| qindices[i as usize]) | ||
.collect(); | ||
|
||
qindices | ||
.iter() | ||
.zip(remapped_qindices.iter()) | ||
.for_each(|(old, new)| { | ||
mapping[*old] = *new; | ||
}); | ||
} else { | ||
unreachable!(); | ||
} | ||
} | ||
_ => { | ||
// General instruction | ||
let qargs = dag.get_qargs(inst.qubits); | ||
let cargs = dag.get_cargs(inst.clbits); | ||
let mapped_qargs: Vec<Qubit> = qargs | ||
.iter() | ||
.map(|q| q.0 as usize) | ||
.map(|q| mapping[q]) | ||
.map(|q| Qubit(q.try_into().unwrap())) | ||
.collect(); | ||
|
||
new_dag.apply_operation_back( | ||
py, | ||
inst.op.clone(), | ||
&mapped_qargs, | ||
cargs, | ||
inst.params.as_deref().cloned(), | ||
inst.extra_attrs.clone(), | ||
#[cfg(feature = "cache_pygates")] | ||
None, | ||
)?; | ||
} | ||
} | ||
} else { | ||
unreachable!(); | ||
} | ||
} | ||
Ok(Some((new_dag, mapping))) | ||
} | ||
|
||
pub fn elide_permutations(m: &Bound<PyModule>) -> PyResult<()> { | ||
m.add_wrapped(wrap_pyfunction!(run))?; | ||
Ok(()) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.