Source code for pennylane.ops.qubit.arithmetic_ops
# Copyright 2018-2021 Xanadu Quantum Technologies Inc.# Licensed under the Apache License, Version 2.0 (the "License");# you may not use this file except in compliance with the License.# You may obtain a copy of the License at# http://www.apache.org/licenses/LICENSE-2.0# Unless required by applicable law or agreed to in writing, software# distributed under the License is distributed on an "AS IS" BASIS,# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.# See the License for the specific language governing permissions and# limitations under the License."""This submodule contains the discrete-variable quantum operations that performarithmetic operations on their input states."""# pylint:disable=abstract-method,arguments-differ,protected-accessfromcopyimportcopyfromtypingimportOptionalimportnumpyasnpimportpennylaneasqmlfrompennylane.decompositionimportadd_decomps,register_resourcesfrompennylane.operationimportAnyWires,FlatPytree,Operationfrompennylane.opsimportIdentityfrompennylane.typingimportTensorLikefrompennylane.wiresimportWires,WiresLike
[docs]classQubitCarry(Operation):r"""QubitCarry(wires) Apply the ``QubitCarry`` operation to four input wires. This operation performs the transformation: .. math:: |a\rangle |b\rangle |c\rangle |d\rangle \rightarrow |a\rangle |b\rangle |b\oplus c\rangle |bc \oplus d\oplus (b\oplus c)a\rangle .. figure:: ../../_static/ops/QubitCarry.svg :align: center :width: 60% :target: javascript:void(0); See `here <https://arxiv.org/abs/quant-ph/0008033v1>`__ for more information. .. note:: The first wire should be used to input a carry bit from previous operations. The final wire holds the carry bit of this operation and the input state on this wire should be :math:`|0\rangle`. **Details:** * Number of wires: 4 * Number of parameters: 0 Args: wires (Sequence[int]): the wires the operation acts on **Example** The ``QubitCarry`` operation maps the state :math:`|0110\rangle` to :math:`|0101\rangle`, where the last qubit denotes the carry value: .. code-block:: input_bitstring = (0, 1, 1, 0) @qml.qnode(dev) def circuit(basis_state): qml.BasisState(basis_state, wires=[0, 1, 2, 3]) qml.QubitCarry(wires=[0, 1, 2, 3]) return qml.probs(wires=[0, 1, 2, 3]) probs = circuit(input_bitstring) probs_indx = np.argwhere(probs == 1).flatten()[0] bitstrings = list(itertools.product(range(2), repeat=4)) output_bitstring = bitstrings[probs_indx] The output bitstring is >>> output_bitstring (0, 1, 0, 1) The action of ``QubitCarry`` is to add wires ``1`` and ``2``. The modulo-two result is output in wire ``2`` with a carry value output in wire ``3``. In this case, :math:`1 \oplus 1 = 0` with a carry, so we have: >>> bc_sum = output_bitstring[2] >>> bc_sum 0 >>> carry = output_bitstring[3] >>> carry 1 """num_wires:int=4"""int: Number of wires that the operator acts on."""num_params:int=0"""int: Number of trainable parameters that the operator depends on."""resource_keys=set()@propertydefresource_params(self)->dict:return{}
[docs]@staticmethoddefcompute_decomposition(wires:WiresLike)->list[qml.operation.Operator]:r"""Representation of the operator as a product of other operators (static method). .. math:: O = O_1 O_2 \dots O_n. .. seealso:: :meth:`~.QubitCarry.decomposition`. Args: wires (Iterable[Any], Wires): wires that the operator acts on Returns: list[Operator]: decomposition of the operator **Example:** >>> qml.QubitCarry.compute_decomposition((0,1,2,4)) [Toffoli(wires=[1, 2, 4]), CNOT(wires=[1, 2]), Toffoli(wires=[0, 2, 4])] """return[qml.Toffoli(wires=wires[1:]),qml.CNOT(wires=[wires[1],wires[2]]),qml.Toffoli(wires=[wires[0],wires[2],wires[3]]),]
[docs]classQubitSum(Operation):r"""QubitSum(wires) Apply a ``QubitSum`` operation on three input wires. This operation performs the following transformation: .. math:: |a\rangle |b\rangle |c\rangle \rightarrow |a\rangle |b\rangle |a\oplus b\oplus c\rangle .. figure:: ../../_static/ops/QubitSum.svg :align: center :width: 40% :target: javascript:void(0); See `here <https://arxiv.org/abs/quant-ph/0008033v1>`__ for more information. **Details:** * Number of wires: 3 * Number of parameters: 0 Args: wires (Sequence[int]): the wires the operation acts on **Example** The ``QubitSum`` operation maps the state :math:`|010\rangle` to :math:`|011\rangle`, with the final wire holding the modulo-two sum of the first two wires: .. code-block:: input_bitstring = (0, 1, 0) @qml.qnode(dev) def circuit(basis_state): qml.BasisState(basis_state, wires = [0, 1, 2]) qml.QubitSum(wires=[0, 1, 2]) return qml.probs(wires=[0, 1, 2]) probs = circuit(input_bitstring) probs_indx = np.argwhere(probs == 1).flatten()[0] bitstrings = list(itertools.product(range(2), repeat=3)) output_bitstring = bitstrings[probs_indx] The output bitstring is >>> output_bitstring (0, 1, 1) The action of ``QubitSum`` is to add wires ``0``, ``1``, and ``2``. The modulo-two result is output in wire ``2``. In this case, :math:`0 \oplus 1 \oplus 0 = 1`, so we have: >>> abc_sum = output_bitstring[2] >>> abc_sum 1 """num_wires:int=3"""int: Number of wires that the operator acts on."""num_params:int=0"""int: Number of trainable parameters that the operator depends on."""resource_keys=set()
[docs]@staticmethoddefcompute_matrix()->np.ndarray:# pylint: disable=arguments-differr"""Representation of the operator as a canonical matrix in the computational basis (static method). The canonical matrix is the textbook matrix representation that does not consider wires. Implicitly, this assumes that the wires of the operator correspond to the global wire order. .. seealso:: :meth:`~.QubitSum.matrix` Returns: ndarray: matrix **Example** >>> print(qml.QubitSum.compute_matrix()) [[1 0 0 0 0 0 0 0] [0 1 0 0 0 0 0 0] [0 0 0 1 0 0 0 0] [0 0 1 0 0 0 0 0] [0 0 0 0 0 1 0 0] [0 0 0 0 1 0 0 0] [0 0 0 0 0 0 1 0] [0 0 0 0 0 0 0 1]] """returnnp.array([[1,0,0,0,0,0,0,0],[0,1,0,0,0,0,0,0],[0,0,0,1,0,0,0,0],[0,0,1,0,0,0,0,0],[0,0,0,0,0,1,0,0],[0,0,0,0,1,0,0,0],[0,0,0,0,0,0,1,0],[0,0,0,0,0,0,0,1],])
[docs]@staticmethoddefcompute_decomposition(wires:WiresLike)->qml.operation.Operator:r"""Representation of the operator as a product of other operators (static method). .. math:: O = O_1 O_2 \dots O_n. .. seealso:: :meth:`~.QubitSum.decomposition`. Args: wires (Iterable[Any], Wires): wires that the operator acts on Returns: list[Operator]: decomposition of the operator **Example:** >>> qml.QubitSum.compute_decomposition((0,1,2)) [CNOT(wires=[1, 2]), CNOT(wires=[0, 2])] """decomp_ops=[qml.CNOT(wires=[wires[1],wires[2]]),qml.CNOT(wires=[wires[0],wires[2]]),]returndecomp_ops
[docs]classIntegerComparator(Operation):r"""IntegerComparator(value, geq, wires) Apply a controlled Pauli X gate using integer comparison as the condition. Given a basis state :math:`\vert n \rangle`, where :math:`n` is a positive integer, and a fixed positive integer :math:`L`, flip a target qubit if :math:`n \geq L`. Alternatively, the flipping condition can be :math:`n < L`. **Details:** * Number of wires: Any (the operation can act on any number of wires) * Number of parameters: 1 * Gradient recipe: None .. note:: This operation has one parameter: ``value``. However, ``value`` is simply an integer that is required to define the condition upon which a Pauli X gate is applied to the target wire. Given that, IntegerComparator has a gradient of zero; ``value`` is a non-differentiable parameter. Args: value (int): The value :math:`L` that the state's decimal representation is compared against. geq (bool): If set to ``True``, the comparison made will be :math:`n \geq L`. If ``False``, the comparison made will be :math:`n < L`. wires (Union[Wires, Sequence[int], or int]): Control wire(s) followed by a single target wire where the operation acts on. **Example** >>> dev = qml.device("default.qubit", wires=3) >>> @qml.qnode(dev) ... def circuit(state, value, geq): ... qml.BasisState(np.array(state), wires=range(3)) ... qml.IntegerComparator(value, geq=geq, wires=range(3)) ... return qml.state() >>> circuit([1, 0, 1], 1, True).reshape(2, 2, 2)[1, 0, 0] tensor(1.+0.j, requires_grad=True) >>> circuit([0, 1, 0], 3, False).reshape(2, 2, 2)[0, 1, 1] tensor(1.+0.j, requires_grad=True) """is_self_inverse:bool=Truenum_wires=AnyWiresnum_params:int=0"""int: Number of trainable parameters that the operator depends on."""grad_method=Nonedef_flatten(self)->FlatPytree:hp=self.hyperparametersmetadata=(("work_wires",hp["work_wires"]),("value",hp["value"]),("geq",hp["geq"]),)returntuple(),(hp["control_wires"]+hp["target_wires"],metadata)# pylint: disable=too-many-argumentsdef__init__(self,value:int,wires:WiresLike,geq:bool=True,work_wires:Optional[WiresLike]=None,):ifnotisinstance(value,int):raiseValueError(f"The compared value must be an int. Got {type(value)}.")ifwiresisNone:raiseValueError("Must specify wires that the operation acts on.")iflen(wires)>1:control_wires=Wires(wires[:-1])wires=Wires(wires[-1])else:raiseValueError("IntegerComparator: wrong number of wires. "f"{len(wires)} wire(s) given. Need at least 2.")work_wires=Wires([])ifwork_wiresisNoneelseWires(work_wires)total_wires=control_wires+wiresifWires.shared_wires([total_wires,work_wires]):raiseValueError("The work wires must be different from the control and target wires")self.hyperparameters["control_wires"]=control_wiresself.hyperparameters["target_wires"]=wiresself.hyperparameters["work_wires"]=work_wiresself.hyperparameters["value"]=valueself.hyperparameters["geq"]=geqself.geq=geqself.value=valuesuper().__init__(wires=total_wires)
[docs]@staticmethoddefcompute_matrix(control_wires:WiresLike,value:Optional[int]=None,geq:bool=True,**kwargs)->TensorLike:# pylint: disable=arguments-differr"""Representation of the operator as a canonical matrix in the computational basis (static method). The canonical matrix is the textbook matrix representation that does not consider wires. Implicitly, this assumes that the wires of the operator correspond to the global wire order. .. seealso:: :meth:`~.IntegerComparator.matrix` Args: value (int): The value :math:`L` that the state's decimal representation is compared against. control_wires (Union[Wires, Sequence[int], or int]): wires to place controls on geq (bool): If set to `True`, the comparison made will be :math:`n \geq L`. If `False`, the comparison made will be :math:`n < L`. Returns: tensor_like: matrix representation **Example** >>> print(qml.IntegerComparator.compute_matrix(2, [0, 1])) [[1. 0. 0. 0. 0. 0. 0. 0.] [0. 1. 0. 0. 0. 0. 0. 0.] [0. 0. 1. 0. 0. 0. 0. 0.] [0. 0. 0. 1. 0. 0. 0. 0.] [0. 0. 0. 0. 0. 1. 0. 0.] [0. 0. 0. 0. 1. 0. 0. 0.] [0. 0. 0. 0. 0. 0. 0. 1.] [0. 0. 0. 0. 0. 0. 1. 0.]] >>> print(qml.IntegerComparator.compute_matrix(2, [0, 1], geq=False)) [[0. 1. 0. 0. 0. 0. 0. 0.] [1. 0. 0. 0. 0. 0. 0. 0.] [0. 0. 0. 1. 0. 0. 0. 0.] [0. 0. 1. 0. 0. 0. 0. 0.] [0. 0. 0. 0. 1. 0. 0. 0.] [0. 0. 0. 0. 0. 1. 0. 0.] [0. 0. 0. 0. 0. 0. 1. 0.] [0. 0. 0. 0. 0. 0. 0. 1.]] """ifvalueisNone:raiseValueError("The value to compare to must be specified.")ifcontrol_wiresisNone:raiseValueError("Must specify the control wires.")ifnotisinstance(value,int):raiseValueError(f"The compared value must be an int. Got {type(value)}.")small_val=notgeqandvalue==0large_val=geqandvalue>2**len(control_wires)-1ifsmall_valorlarge_val:mat=np.eye(2**(len(control_wires)+1))else:values=range(value,2**(len(control_wires)))ifgeqelserange(value)binary="0"+str(len(control_wires))+"b"control_values_list=[format(n,binary)forninvalues]mat=np.eye(2**(len(control_wires)+1))forcontrol_valuesincontrol_values_list:control_values=[int(n)fornincontrol_values]mat=mat@qml.MultiControlledX.compute_matrix(control_wires,control_values=control_values)returnmat
[docs]@staticmethoddefcompute_decomposition(value:int,wires:WiresLike,geq:bool=True,work_wires:Optional[WiresLike]=None,**kwargs,)->list[qml.operation.Operator]:r"""Representation of the operator as a product of other operators (static method). .. math:: O = O_1 O_2 \dots O_n. .. seealso:: :meth:`~.IntegerComparator.decomposition`. Args: value (int): The value :math:`L` that the state's decimal representation is compared against. geq (bool): If set to ``True``, the comparison made will be :math:`n \geq L`. If ``False``, the comparison made will be :math:`n < L`. wires (Union[Wires, Sequence[int], or int]): Control wire(s) followed by a single target wire where the operation acts on. Returns: list[Operator]: decomposition into lower level operations **Example:** >>> print(qml.IntegerComparator.compute_decomposition(4, wires=[0, 1, 2, 3])) [MultiControlledX(wires=[0, 1, 2, 3], control_values=[1, 0, 0]), MultiControlledX(wires=[0, 1, 2, 3], control_values=[1, 0, 1]), MultiControlledX(wires=[0, 1, 2, 3], control_values=[1, 1, 0]), MultiControlledX(wires=[0, 1, 2, 3], control_values=[1, 1, 1])] """ifnotisinstance(value,int):raiseValueError(f"The compared value must be an int. Got {type(value)}.")ifwiresisNone:raiseValueError("Must specify the wires that the operation acts on.")iflen(wires)>1:control_wires=Wires(wires[:-1])wires=Wires(wires[-1])else:raiseValueError(f"IntegerComparator: wrong number of wires. {len(wires)} wire(s) given. Need at least 2.")small_val=notgeqandvalue==0large_val=geqandvalue>2**len(control_wires)-1ifsmall_valorlarge_val:gates=[Identity(wires[0])]else:values=range(value,2**(len(control_wires)))ifgeqelserange(value)binary="0"+str(len(control_wires))+"b"control_values_list=[format(n,binary)forninvalues]gates=[]forcontrol_valuesincontrol_values_list:control_values=[int(n)fornincontrol_values]gates.append(qml.MultiControlledX(wires=control_wires+wires,control_values=control_values,work_wires=work_wires,))returngates