Operators
In this tutorial, we introduce 2 objects, Operator
and PauliLabel
, that represents operators in quantum mechanics. You may construct various physical observables with them. In QURI Parts, we mainly work with operators consists of Pauli strings.
PauliLabel
Pauli strings are ubiquitous in quantum computation. In QURI Parts, they are represented by PauliLabel
. This section is devoted to explain what PauliLabel
is made of and how to create them. We first start with their basic building block: Pauli matrices.
Pauli matrices
In QURI Parts, Pauli matrices are represented by an Enum
: SinglePauli
. They are not objects to be used for any computations directly, they are simply labels of what Pauli matrices a PauliLabel
hold.
from quri_parts.core.operator import SinglePauli
assert SinglePauli.X == 1
assert SinglePauli.Y == 2
assert SinglePauli.Z == 3
Pauli strings
As mentioned previously, Pauli strings are represented by PauliLabel
. We introduce the interface and how to create one.
Interface
In QURI Parts, a PauliLabel
represents a Pauli string. It is a frozenset
of tuple[qubit_index, SinglePauli]
.
class PauliLabel(frozenset(tuple[int, int])):
"""First int represents the qubit index and
the second represents a `SinglePauli`
"""
...
Creating a PauliLabel
There are various ways of creating a PauliLabel
. Here, we introduce the simplest one, which is using the pauli_label
function. For basic usage, the pauli_label
function accepts 2 types of inputs:
- A
str
that looks like a Pauli string. - Sequence of (qubit index,
SinglePauli
) pairs.
Create with a str
We can create a PauliLabel
by passing in a str
that looks like a human-readable Pauli string
from quri_parts.core.operator import PauliLabel, pauli_label
print("Create without spacing:", pauli_label("X0 Y1 Z2 Z3 X4 Y5"))
print("Create with spacing: ", pauli_label("X 0 Y 1 Z 2 Z 3 X 4 Y 5"))
Create without spacing: X0 Y1 Z2 Z3 X4 Y5
Create with spacing: X0 Y1 Z2 Z3 X4 Y5
Note that the order of Pauli matrices does not matter.
print("Create with X0 Y1 Z2:", pauli_label("X0 Y1 Z2"))
print("Create with X0 Z2 Y1:", pauli_label("X0 Z2 Y1"))
print(pauli_label("X0 Y1 Z2") == pauli_label("X0 Z2 Y1"))
Create with X0 Y1 Z2: X0 Y1 Z2
Create with X0 Z2 Y1: X0 Y1 Z2
True
Create with a sequence of (qubit_index, SinglePauli)
We can also create a PauliLabel
by passing a sequence of (qubit_index, SinglePauli)
into the pauli_label
function.
print(pauli_label([(0, SinglePauli.X), (1, SinglePauli.Z)]))
print(pauli_label(zip((0, 1), (SinglePauli.X, SinglePauli.Z))))
X0 Z1
X0 Z1