키스킷 시각화하기¶
[1]:
from qiskit import *
from qiskit.visualization import plot_histogram
from qiskit.tools.monitor import job_monitor
히스토그램 그리기¶
실제 장치 또는 qasm_simulator
에서 실행되는 양자 회로의 데이터를 가시화하기 위해서 간단한 함수를 만들었다.
plot_histogram(data)
예를 들어 2-큐비트 벨 (Bell) 상태를 만든다.
[2]:
# quantum circuit to make a Bell state
bell = QuantumCircuit(2, 2)
bell.h(0)
bell.cx(0, 1)
meas = QuantumCircuit(2, 2)
meas.measure([0,1], [0,1])
# execute the quantum circuit
backend = BasicAer.get_backend('qasm_simulator') # the device to run on
circ = bell + meas
result = execute(circ, backend, shots=1000).result()
counts = result.get_counts(circ)
print(counts)
{'00': 528, '11': 472}
[3]:
plot_histogram(counts)
[3]:

히스토그램 그래프 옵션¶
The plot_histogram()
has a few options to adjust the output graph. The first option is the legend
kwarg. This is used to provide a label for the executions. It takes a list of strings use to label each execution’s results. This is mostly useful when plotting multiple execution results in the same histogram. The sort
kwarg is used to adjust the order the bars in the histogram are rendered. It can be set to either ascending order with asc
or descending order with desc
. The
number_to_keep
kwarg takes an integer for the number of terms to show, the rest are grouped together in a single bar called rest. You can adjust the color of the bars with the color
kwarg which either takes a string or a list of strings for the colors to use for the bars for each execution. You can adjust whether labels are printed above the bars or not with the bar_labels
kwarg. The last option available is the figsize
kwarg which takes a tuple of the size in inches to make the
output figure.
[4]:
# Execute 2-qubit Bell state again
second_result = execute(circ, backend, shots=1000).result()
second_counts = second_result.get_counts(circ)
# Plot results with legend
legend = ['First execution', 'Second execution']
plot_histogram([counts, second_counts], legend=legend)
[4]:

[5]:
plot_histogram([counts, second_counts], legend=legend, sort='desc', figsize=(15,12),
color=['orange', 'black'], bar_labels=False)
[5]:

plot_histogram() 에서 출력된 시각화 사용하기¶
plot_histogram() 함수를 사용할 때 표현된 가시화에 대해서 matplotlib.Figure
을 반환한다. 주피터 노트북은 이 반환 형식을 이해하고, 노트북에서 볼 수 있도록 출력을 하지만, 주피터 외부에서 실행할 때는 자동적으로 출력되지는 않는다. (설정된 matplotlib 후위 처리 장치가 쌍방향적이라 가정하면) 새로운 창에 이미지를 나타내기 위해서는 plot_histogram()
에서 반환되는 객체에 .show()
을 호출할 수 있다. 다른 방법으로는 .savefig('out.png')
을 호출하여 그림을 out.png
으로 저장할 수 있다. savefig()
메소드는 출력 위치를 입력으로 받고, 사용자가 원하는 위치와 파일 이름을 조정할 수 있다.
상태 그리기¶
많은 경우에 양자 컴퓨터의 상태를 확인하길 원할 것이다. 디버깅을 위한 확인이 될 수 있다. 에를들어 시뮬레이션을 하거나 단층 촬영(state tomography) 의 상태를 가지고 있고, 그 양자 상태를 시각화하는 것이라고 가정해보자. 이 경우에는 많은 양의 연산이 필요하다, 따라서 작은 양자 시스템의 상태만을 보기를 권한다. 양자 상태를 다른 형태로 시각화하는 여러 함수가 존재한다.
plot_state_city(quantum_state)
plot_state_qsphere(quantum_state)
plot_state_paulivec(quantum_state)
plot_state_hinton(quantum_state)
plot_bloch_multivector(quantum_state)
양자 상태는 상태 행렬 \(\rho\) (에르미트 행렬) 이나 상태벡터 \(|\psi\rangle\) (복소 벡터) 중에 하나이다. 상태 행렬은 다음으로 상태벡터와 관련이 된다.
그리고 일반적인 혼합 상태(mixed states) 도 (상태벡터의 양의 합으로) 나타낼 수 있다.
함수에 의해 시각화할 수 있는 것은 다음과 같다.
'plot_state_city'
: 상태 행렬의 실수와 허수 (imag) 부분이 도시의 건물과 같은 형태로 그려지는 양자 상태를 나타내는 표준적인 시각화.'plot_state_qsphere'
: 상태 벡터의 진폭과 위상이 구체에 그려지는 양자 상태로 키스킷에 특화된 시각화다. 진폭은 화살표의 굵기이며, 위상은 색으로 나타난다. 혼합된 상태에 대해서는 각 컴포넌트에 대해서 다른'qsphere'
를 보여줄 것이다.'plot_state_paulivec'
: \(\rho=\sum_{q=0}^{d^2-1}p_jP_j/d\) 기저를 파울리 (Pauli) 연산자로 사용하는 상태 행렬을 나타낸다.'plot_state_hinton'
:'city'
형태로 나타내는 것은 동일하지만, 요소의 크기는 행렬 요소의 값을 나타낸다.'plot_bloch_multivector'
: 양자 상태를 하나의 큐비트 공간에 투영하고, 블로흐 구체에 시각화 한다.
[6]:
from qiskit.visualization import plot_state_city, plot_bloch_multivector
from qiskit.visualization import plot_state_paulivec, plot_state_hinton
from qiskit.visualization import plot_state_qsphere
[7]:
# execute the quantum circuit
backend = BasicAer.get_backend('statevector_simulator') # the device to run on
result = execute(bell, backend).result()
psi = result.get_statevector(bell)
[8]:
plot_state_city(psi)
[8]:

[9]:
plot_state_hinton(psi)
[9]:

[10]:
plot_state_qsphere(psi)
[10]:

[11]:
plot_state_paulivec(psi)
[11]:

[12]:
plot_bloch_multivector(psi)
[12]:

여기서는 모든 벡터가 0이기 때문에 하나의 큐비트 공간에서 양자 상태에 대해서 정보가 없는 것을 확인한다.
상태 그리기 함수를 이용할때 옵션¶
양자 상태를 시각화하는 여러 함수는 그래프가 그려지는 방법을 조율하는 여러 옵션을 제공한다. 사용할 수있는 옵션은 사용중인 함수에 따라 다르다.
plot_state_city() 옵션
title (str): 그림 제목을 나타내는 문자열
figsize (tuple): 인치로 나타낸 그림 크기 (넓이, 높이).
color (list): 구성 요소의 실수와 허수 부분에 대한 색을 나타내는 길이=2의 목록.
[13]:
plot_state_city(psi, title="My City", color=['black', 'orange'])
[13]:

plot_state_hinton() 옵션
title (str): 그림 제목을 나타내는 문자열
figsize (tuple): 인치로 나타낸 그림 크기 (넓이, 높이).
[14]:
plot_state_hinton(psi, title="My Hinton")
[14]:

plot_state_paulivec() 옵션
title (str): 그림 제목을 나타내는 문자열
figsize (tuple): 인치로 나타낸 그림 크기 (넓이, 높이).
color (list 또는 str): 기대 값의 막대의 색.
[15]:
plot_state_paulivec(psi, title="My Paulivec", color=['purple', 'orange', 'green'])
[15]:

plot_state_qsphere() 옵션
figsize (tuple): 인치로 나타낸 그림 크기 (넓이, 높이).
plot_bloch_multivector() 옵션
title (str): 그림 제목을 나타내는 문자열
figsize (tuple): 인치로 나타낸 그림 크기 (넓이, 높이).
[16]:
plot_bloch_multivector(psi, title="My Bloch Spheres")
[16]:

양자 상태를 그리는 함수의 출력 사용하기¶
우리가 양자 상태를 그리는 함수를 사용할 때, 그려진 시각화의 결과로 matplotlib.Figure
를 반환한다. 주피터 노트북은 반환 형식을 이해하고, 노트북에 자동으로 그린다(렌더링). 하지만 주피터 외부에서 구동할 때는 이 기능이 자동으로 실행되지는 않는다. 그러나 matplotlib.Figure
클래스는 시각화를 출력하고 저장하는 메서드/함수들을 가지고 있다. 새로운 창에 이미지를 나타내기 위해서 .show()
을 이용하여 호출할 수 있다 (설정된 matplotlib 처리 장치가 쌍방향적일때 가능). 다른 방법으로는 .savefig('out.png')
을 호출하여 그림을 out.png
으로 현재 작업중인 디렉토리에 저장할 수 있다. savefig()
메소드는 출력 위치를 입력으로 받고, 사용자가 원하는 위치와 파일 이름을 조정할 수 있다.
블로흐(Bloch) 벡터 그리기¶
양자 시스템을 그리는 표준적인 방법은 블로흐 (Bloch) 벡터를 사용하는 것이다. 이는 하나의 큐비트에 대해서만 동작하고, 블로흐 벡터를 입력으로 받는다.
블로흐 벡터는 \([x = \mathrm{Tr}[X \rho], y = \mathrm{Tr}[Y \rho], z = \mathrm{Tr}[Z \rho]]\) 로 정의되고, 여기서 \(X\), \(Y\), \(Z\) 는 하나의 큐비트에 대한 파울리 (Pauli) 연산자이고, \(\rho\) 는 상태 행렬이다.
[19]:
from qiskit.visualization import plot_bloch_vector
[20]:
plot_bloch_vector([0,1,0])
[20]:

plot_bloch_vector() 의 옵션들¶
title (str): 그림 제목을 나타내는 문자열
figsize (tuple): 인치로 나타낸 그림 크기 (너비, 높이).
[21]:
plot_bloch_vector([0,1,0], title='My Bloch Sphere')
[21]:

plot_bloch_vector() 에서의 output 조정하기¶
plot_bloch_vector
함수를 사용할 때, 그려진 시각화의 결과로 matplotlib.Figure
를 반환한다. 주피터 노트북은 반환 형식을 이해하고, 노트북에 자동으로 그린다. 하지만 주피터 외부에서 구동할 때는 이 기능이 자동으로 실행되지는 않는다. 그러나 matplotlib.Figure
클래스에는 시각화를 출력하고 저장하는 메서드 함수들이 있다. 새로운 창에 이미지를 나타내기 위해서 .show()
을 이용하여 호출할 수 있다 (설정된 matplotlib 처리 장치가 쌍방향적일때 가능). 다른 방법으로는 .savefig('out.png')
을 호출하여 그림을 out.png
으로 현재 작업중인 디렉토리에 저장할 수 있다. savefig()
메소드는 출력 위치를 입력으로 받고, 사용자가 원하는 위치와 파일 이름을 조정할 수 있다.
[22]:
import qiskit.tools.jupyter
%qiskit_version_table
%qiskit_copyright
Version Information
Qiskit Software | Version |
---|---|
Qiskit | None |
Terra | 0.14.0 |
Aer | 0.6.0 |
Ignis | None |
Aqua | None |
IBM Q Provider | 0.6.1 |
System information | |
Python | 3.7.7 (default, Mar 26 2020, 10:32:53) [Clang 4.0.1 (tags/RELEASE_401/final)] |
OS | Darwin |
CPUs | 4 |
Memory (Gb) | 16.0 |
Mon Apr 27 21:46:41 2020 EDT |
This code is a part of Qiskit
© Copyright IBM 2017, 2020.
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.
[ ]: