source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, sort_ops=True):
if len(self._ops) == 0 and not sort_ops:
return 'I'
if sort_ops and len(self._ops) > 1:
warnings.warn(
'`PauliTerm.id()` will not work on PauliTerms where the qubits are not sortable and should be avoided in favor of `operations_as_set`.'
, FutureWarning)
return ''.join('{}{}'.format(self._ops[q], q) for q in sorted(self.
_ops.keys()))
else:
return ''.join('{}{}'.format(p, q) for q, p in self._ops.items())
| id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort_ops=True):\n if len(self._ops) == 0 and not sort_ops:\n return 'I'\n if sort_ops and len(self._ops) > 1:\n warnings.warn(\n ... |
def x(self):
new_term = PauliTerm('I', 0, 1.0)
for key in self.__dict__.keys():
val = self.__dict__[key]
if isinstance(val, (dict, list, set)):
new_term.__dict__[key] = copy.copy(val)
else:
new_term.__dict__[key] = val
return new_term
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n new_term = PauliTerm('I', 0, 1.0)\n for key in self.__dict__.keys():\n val = self.__dict__[key]\n if isinstance(val, (dict, list, ... |
def x(cls, terms_list, coefficient=1.0):
if not all([isinstance(op, tuple) for op in terms_list]):
raise TypeError(
'The type of terms_list should be a list of (name, index) tuples suitable for PauliTerm().'
)
pterm = PauliTerm('I', 0)
assert all([(op[0] in PAULI_OPS) for op in terms_list])
indices = [op[1] for op in terms_list]
assert all(_valid_qubit(index) for index in indices)
if len(set(indices)) != len(indices):
raise ValueError(
'Elements of PauliTerm that are allocated using from_list must be on disjoint qubits. Use PauliTerm multiplication to simplify terms instead.'
)
for op, index in terms_list:
if op != 'I':
pterm._ops[index] = op
if not isinstance(coefficient, Number):
raise ValueError('coefficient of PauliTerm must be a Number.')
pterm.coefficient = complex(coefficient)
return pterm
| from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, terms_list, coefficient=1.0):\n if not all([isinstance(op, tuple) for op in terms_list]):\n raise TypeError(\n 'The type of terms_lis... |
def x(cls, str_pauli_term):
coef_str, str_pauli_term = str_pauli_term.split('*')
try:
coef = int(coef_str)
except ValueError:
try:
coef = float(coef_str)
except ValueError:
coef = complex(coef_str)
op = sI() * coef
if str_pauli_term == 'I':
return op
ma = re.fullmatch('(([XYZ])(\\d+))+', str_pauli_term)
if ma is None:
raise ValueError(f'Could not parse pauli string {str_pauli_term}')
for ma in re.finditer('([XYZ])(\\d+)', str_pauli_term):
op *= cls(ma.group(1), int(ma.group(2)))
return op
| from_compact_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, str_pauli_term):\n coef_str, str_pauli_term = str_pauli_term.split('*')\n try:\n coef = int(coef_str)\n except ValueError:\n try:\n... |
def x(self, qubits=None):
if qubits is None:
warnings.warn(
'Please provide a list of qubits when using PauliTerm.pauli_string'
, DeprecationWarning)
qubits = self.get_qubits()
return ''.join(self[q] for q in qubits)
| pauli_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qubits=None):\n if qubits is None:\n warnings.warn(\n 'Please provide a list of qubits when using PauliTerm.pauli_string'\n ... |
def x(self):
return list(set().union(*[term.get_qubits() for term in self.terms]))
| get_qubits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return list(set().union(*[term.get_qubits() for term in self.terms]))\n",
"role": "user"
},
{
"content": "get_qubits",
"role": "ass... |
def x(self):
programs = [term.program for term in self.terms]
coefficients = np.array([term.coefficient for term in self.terms])
return programs, coefficients
| get_programs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n programs = [term.program for term in self.terms]\n coefficients = np.array([term.coefficient for term in self.terms])\n return programs, coef... |
def x(session, url, params: dict=None):
res = session.get(url, params=params)
if res.status_code >= 400:
raise parse_error(res)
return res.json()
| get_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, url, params: dict=None):\n res = session.get(url, params=params)\n if res.status_code >= 400:\n raise parse_error(res)\n return res.js... |
def x(session, url, json):
res = session.post(url, json=json)
if res.status_code >= 400:
raise parse_error(res)
return res
| post_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, url, json):\n res = session.post(url, json=json)\n if res.status_code >= 400:\n raise parse_error(res)\n return res\n",
"role": "u... |
def x(res):
try:
body = res.json()
except JSONDecodeError:
raise UnknownApiError(res.text)
if 'error_type' not in body:
raise UnknownApiError(str(body))
error_type = body['error_type']
status = body['status']
if re.search(
'[0-9]+ qubits were requested, but the QVM is limited to [0-9]+ qubits.'
, status):
return TooManyQubitsError(status)
error_cls = error_mapping.get(error_type, UnknownApiError)
return error_cls(status)
| parse_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(res):\n try:\n body = res.json()\n except JSONDecodeError:\n raise UnknownApiError(res.text)\n if 'error_type' not in body:\n rai... |
def x():
config = PyquilConfig()
session = requests.Session()
retry_adapter = HTTPAdapter(max_retries=Retry(total=3, method_whitelist
=['POST'], status_forcelist=[502, 503, 504, 521, 523],
backoff_factor=0.2, raise_on_status=False))
session.mount('http://', retry_adapter)
session.mount('https://', retry_adapter)
session.headers.update({'Accept': 'application/octet-stream',
'X-User-Id': config.user_id, 'X-Api-Key': config.api_key})
session.headers.update({'Content-Type': 'application/json; charset=utf-8'})
return session
| get_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n config = PyquilConfig()\n session = requests.Session()\n retry_adapter = HTTPAdapter(max_retries=Retry(total=3, method_whitelist\n =['POST... |
def x(noise_parameter):
if not noise_parameter:
return
if not isinstance(noise_parameter, list):
raise TypeError('noise_parameter must be a list')
if any([(not isinstance(value, float)) for value in noise_parameter]):
raise TypeError('noise_parameter values should all be floats')
if len(noise_parameter) != 3:
raise ValueError('noise_parameter lists must be of length 3')
if sum(noise_parameter) > 1 or sum(noise_parameter) < 0:
raise ValueError(
'sum of entries in noise_parameter must be between 0 and 1 (inclusive)'
)
if any([(value < 0) for value in noise_parameter]):
raise ValueError('noise_parameter values should all be non-negative')
| validate_noise_probabilities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(noise_parameter):\n if not noise_parameter:\n return\n if not isinstance(noise_parameter, list):\n raise TypeError('noise_parameter must be... |
def x(qubit_list):
if not isinstance(qubit_list, (list, range)):
raise TypeError('run_items must be a list')
if any(not isinstance(i, integer_types) or i < 0 for i in qubit_list):
raise TypeError('run_items list must contain positive integer values')
return qubit_list
| validate_qubit_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qubit_list):\n if not isinstance(qubit_list, (list, range)):\n raise TypeError('run_items must be a list')\n if any(not isinstance(i, integer_type... |
def x(register_dict: Dict[str, Union[bool, Sequence[int]]]):
if not isinstance(register_dict, dict):
raise TypeError('register_dict must be a dict but got ' + repr(
register_dict))
for k, v in register_dict.items():
if isinstance(v, bool):
assert v
continue
indices = [int(x) for x in v]
if not all(x >= 0 for x in indices):
raise TypeError(
'Negative indices into classical arrays are not allowed.')
register_dict[k] = indices
return register_dict
| prepare_register_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(register_dict: Dict[str, Union[bool, Sequence[int]]]):\n if not isinstance(register_dict, dict):\n raise TypeError('register_dict must be a dict but ... |
def x(quil_program, qubits, trials, random_seed):
if not quil_program:
raise ValueError(
'You have attempted to run an empty program. Please provide gates or measure instructions to your program.'
)
if not isinstance(quil_program, Program):
raise TypeError('quil_program must be a Quil program object')
qubits = validate_qubit_list(qubits)
if not isinstance(trials, integer_types):
raise TypeError('trials must be an integer')
payload = {'type': TYPE_MULTISHOT_MEASURE, 'qubits': list(qubits),
'trials': trials, 'compiled-quil': quil_program.out()}
if random_seed is not None:
payload['rng-seed'] = random_seed
return payload
| run_and_measure_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quil_program, qubits, trials, random_seed):\n if not quil_program:\n raise ValueError(\n 'You have attempted to run an empty program. Plea... |
def x(quil_program, random_seed):
if not isinstance(quil_program, Program):
raise TypeError('quil_program must be a Quil program object')
payload = {'type': TYPE_WAVEFUNCTION, 'compiled-quil': quil_program.out()}
if random_seed is not None:
payload['rng-seed'] = random_seed
return payload
| wavefunction_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quil_program, random_seed):\n if not isinstance(quil_program, Program):\n raise TypeError('quil_program must be a Quil program object')\n payload ... |
def x(prep_prog, operator_programs, random_seed):
if operator_programs is None:
operator_programs = [Program()]
if not isinstance(prep_prog, Program):
raise TypeError('prep_prog variable must be a Quil program object')
payload = {'type': TYPE_EXPECTATION, 'state-preparation': prep_prog.out
(), 'operators': [x.out() for x in operator_programs]}
if random_seed is not None:
payload['rng-seed'] = random_seed
return payload
| expectation_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prep_prog, operator_programs, random_seed):\n if operator_programs is None:\n operator_programs = [Program()]\n if not isinstance(prep_prog, Progr... |
def x(quil_program, classical_addresses, trials, measurement_noise,
gate_noise, random_seed):
if not quil_program:
raise ValueError(
'You have attempted to run an empty program. Please provide gates or measure instructions to your program.'
)
if not isinstance(quil_program, Program):
raise TypeError('quil_program must be a Quil program object')
classical_addresses = prepare_register_list(classical_addresses)
if not isinstance(trials, integer_types):
raise TypeError('trials must be an integer')
payload = {'type': TYPE_MULTISHOT, 'addresses': classical_addresses,
'trials': trials, 'compiled-quil': quil_program.out()}
if measurement_noise is not None:
payload['measurement-noise'] = measurement_noise
if gate_noise is not None:
payload['gate-noise'] = gate_noise
if random_seed is not None:
payload['rng-seed'] = random_seed
return payload
| qvm_run_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quil_program, classical_addresses, trials, measurement_noise,\n gate_noise, random_seed):\n if not quil_program:\n raise ValueError(\n ... |
def x(quil_program, isa, specs):
if not quil_program:
raise ValueError(
'You have attempted to compile an empty program. Please provide an actual program.'
)
if not isinstance(quil_program, Program):
raise TypeError('quil_program must be a Program object.')
if not isinstance(isa, ISA):
raise TypeError('isa must be an ISA object.')
if not isinstance(specs, Specs):
raise TypeError('specs must be a Specs object.')
payload = {'uncompiled-quil': quil_program.out(), 'target-device': {
'isa': isa.to_dict(), 'specs': specs.to_dict()}}
return payload
| quilc_compile_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quil_program, isa, specs):\n if not quil_program:\n raise ValueError(\n 'You have attempted to compile an empty program. Please provide an... |
def x(self, quil_program, qubits, trials, random_seed) ->np.ndarray:
payload = run_and_measure_payload(quil_program, qubits, trials, random_seed
)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return np.asarray(response.json())
| run_and_measure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, qubits, trials, random_seed) ->np.ndarray:\n payload = run_and_measure_payload(quil_program, qubits, trials, random_seed\n )\n ... |
def x(self, quil_program, random_seed) ->Wavefunction:
payload = wavefunction_payload(quil_program, random_seed)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return Wavefunction.from_bit_packed_string(response.content)
| wavefunction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, random_seed) ->Wavefunction:\n payload = wavefunction_payload(quil_program, random_seed)\n response = post_json(self.session, self.sy... |
def x(self, prep_prog, operator_programs, random_seed) ->np.ndarray:
if isinstance(operator_programs, Program):
warnings.warn(
'You have provided a Program rather than a list of Programs. The results from expectation will be line-wise expectation values of the operator_programs.'
, SyntaxWarning)
payload = expectation_payload(prep_prog, operator_programs, random_seed)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return np.asarray(response.json())
| expectation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prep_prog, operator_programs, random_seed) ->np.ndarray:\n if isinstance(operator_programs, Program):\n warnings.warn(\n 'You have p... |
def x(self, quil_program, classical_addresses, trials, measurement_noise,
gate_noise, random_seed) ->np.ndarray:
payload = qvm_run_payload(quil_program, classical_addresses, trials,
measurement_noise, gate_noise, random_seed)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
ram = response.json()
for k in ram.keys():
ram[k] = np.array(ram[k])
return ram
| qvm_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, classical_addresses, trials, measurement_noise,\n gate_noise, random_seed) ->np.ndarray:\n payload = qvm_run_payload(quil_program, cl... |
def x(self) ->dict:
response = post_json(self.session, self.sync_endpoint, {'type': 'version'})
split_version_string = response.text.split()
try:
qvm_version = split_version_string[0]
except ValueError:
raise TypeError(
f'Malformed version string returned by the QVM: {response.text}')
return qvm_version
| qvm_get_version_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->dict:\n response = post_json(self.session, self.sync_endpoint, {'type': 'version'})\n split_version_string = response.text.split()\n try:\n ... |
def x(self, quil_program, isa, specs):
payload = quilc_compile_payload(quil_program, isa, specs)
response = post_json(self.session, self.sync_endpoint + '/', payload)
unpacked_response = response.json()
return unpacked_response
| quilc_compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, isa, specs):\n payload = quilc_compile_payload(quil_program, isa, specs)\n response = post_json(self.session, self.sync_endpoint + '/... |
def x(program: Program) ->Program:
program = program.copy()
to_measure = []
while len(program) > 0:
inst = program.instructions[-1]
if isinstance(inst, Measurement):
program.pop()
to_measure.append((inst.qubit, inst.classical_reg))
else:
break
program += Pragma('PRESERVE_BLOCK')
for qu, addr in to_measure[::-1]:
program += RX(pi, qu)
program += Pragma('END_PRESERVE_BLOCK')
for qu, addr in to_measure[::-1]:
program += Measurement(qubit=qu, classical_reg=addr)
return program
| get_flipped_protoquil_program | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(program: Program) ->Program:\n program = program.copy()\n to_measure = []\n while len(program) > 0:\n inst = program.instructions[-1]\n ... |
def x(connection: ForestConnection=None, qpus: bool=True, qvms: bool=True
) ->List[str]:
if connection is None:
connection = ForestConnection()
qc_names: List[str] = []
if qpus:
qc_names += list(list_lattices(connection=connection).keys())
if qvms:
qc_names += ['9q-square-qvm', '9q-square-noisy-qvm']
return qc_names
| list_quantum_computers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection: ForestConnection=None, qpus: bool=True, qvms: bool=True\n ) ->List[str]:\n if connection is None:\n connection = ForestConnection()\n ... |
def x(name: str, as_qvm: bool, noisy: bool) ->Tuple[str, str, bool]:
parts = name.split('-')
if len(parts) >= 2 and parts[-2] == 'noisy' and parts[-1] in ['qvm',
'pyqvm']:
if as_qvm is not None and not as_qvm:
raise ValueError(
'The provided qc name indicates you are getting a noisy QVM, but you have specified `as_qvm=False`'
)
if noisy is not None and not noisy:
raise ValueError(
'The provided qc name indicates you are getting a noisy QVM, but you have specified `noisy=False`'
)
qvm_type = parts[-1]
noisy = True
prefix = '-'.join(parts[:-2])
return prefix, qvm_type, noisy
if len(parts) >= 1 and parts[-1] in ['qvm', 'pyqvm']:
if as_qvm is not None and not as_qvm:
raise ValueError(
'The provided qc name indicates you are getting a QVM, but you have specified `as_qvm=False`'
)
qvm_type = parts[-1]
if noisy is None:
noisy = False
prefix = '-'.join(parts[:-1])
return prefix, qvm_type, noisy
if as_qvm is not None and as_qvm:
qvm_type = 'qvm'
else:
qvm_type = None
if noisy is None:
noisy = False
return name, qvm_type, noisy
| parse_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, as_qvm: bool, noisy: bool) ->Tuple[str, str, bool]:\n parts = name.split('-')\n if len(parts) >= 2 and parts[-2] == 'noisy' and parts[-1] in [... |
def x(prefix, qvm_type, noisy):
if noisy:
noise_suffix = '-noisy'
else:
noise_suffix = ''
if qvm_type is None:
qvm_suffix = ''
elif qvm_type == 'qvm':
qvm_suffix = '-qvm'
elif qvm_type == 'pyqvm':
qvm_suffix = '-pyqvm'
else:
raise ValueError(f'Unknown qvm_type {qvm_type}')
name = f'{prefix}{noise_suffix}{qvm_suffix}'
return name
| canonicalize_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix, qvm_type, noisy):\n if noisy:\n noise_suffix = '-noisy'\n else:\n noise_suffix = ''\n if qvm_type is None:\n qvm_suffix =... |
def x(name: str, qvm_type: str, device: AbstractDevice, noise_model:
NoiseModel=None, requires_executable: bool=False, connection:
ForestConnection=None) ->QuantumComputer:
if connection is None:
connection = ForestConnection()
return QuantumComputer(name=name, qam=_get_qvm_or_pyqvm(qvm_type=
qvm_type, connection=connection, noise_model=noise_model, device=
device, requires_executable=requires_executable), device=device,
compiler=QVMCompiler(device=device, endpoint=connection.
compiler_endpoint))
| get_qvm_qc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, qvm_type: str, device: AbstractDevice, noise_model:\n NoiseModel=None, requires_executable: bool=False, connection:\n ForestConnection=None) -... |
def x(name: str, topology: nx.Graph, noisy: bool=False, requires_executable:
bool=True, connection: ForestConnection=None, qvm_type: str='qvm'
) ->QuantumComputer:
device = NxDevice(topology=topology)
if noisy:
noise_model = decoherence_noise_with_asymmetric_ro(gates=
gates_in_isa(device.get_isa()))
else:
noise_model = None
return _get_qvm_qc(name=name, qvm_type=qvm_type, connection=connection,
device=device, noise_model=noise_model, requires_executable=
requires_executable)
| get_qvm_with_topology | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, topology: nx.Graph, noisy: bool=False, requires_executable:\n bool=True, connection: ForestConnection=None, qvm_type: str='qvm'\n ) ->QuantumC... |
def x(name: str, noisy: bool, connection: ForestConnection=None, qvm_type:
str='qvm') ->QuantumComputer:
topology = nx.convert_node_labels_to_integers(nx.grid_2d_graph(3, 3))
return _get_qvm_with_topology(name=name, connection=connection,
topology=topology, noisy=noisy, requires_executable=True, qvm_type=
qvm_type)
| get_9q_square_qvm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, noisy: bool, connection: ForestConnection=None, qvm_type:\n str='qvm') ->QuantumComputer:\n topology = nx.convert_node_labels_to_integers(nx.g... |
def x(name: str, noisy: bool, n_qubits: int=34, connection:
ForestConnection=None, qvm_type: str='qvm') ->QuantumComputer:
topology = nx.complete_graph(n_qubits)
return _get_qvm_with_topology(name=name, connection=connection,
topology=topology, noisy=noisy, requires_executable=False, qvm_type
=qvm_type)
| get_unrestricted_qvm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, noisy: bool, n_qubits: int=34, connection:\n ForestConnection=None, qvm_type: str='qvm') ->QuantumComputer:\n topology = nx.complete_graph(n_q... |
def x(name: str, device: Device, noisy: bool, connection: ForestConnection=
None, qvm_type: str='qvm'):
if noisy:
noise_model = device.noise_model
else:
noise_model = None
return _get_qvm_qc(name=name, connection=connection, device=device,
noise_model=noise_model, requires_executable=True, qvm_type=qvm_type)
| get_qvm_based_on_real_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, device: Device, noisy: bool, connection: ForestConnection=\n None, qvm_type: str='qvm'):\n if noisy:\n noise_model = device.noise_model... |
def x(name: str, *, as_qvm: bool=None, noisy: bool=None, connection:
ForestConnection=None) ->QuantumComputer:
prefix, qvm_type, noisy = _parse_name(name, as_qvm, noisy)
del as_qvm
name = _canonicalize_name(prefix, qvm_type, noisy)
ma = re.fullmatch('(\\d+)q', prefix)
if ma is not None:
n_qubits = int(ma.group(1))
if qvm_type is None:
raise ValueError('Please name a valid device or run as a QVM')
return _get_unrestricted_qvm(name=name, connection=connection,
noisy=noisy, n_qubits=n_qubits, qvm_type=qvm_type)
if prefix == '9q-generic' or prefix == '9q-square':
if prefix == '9q-generic':
warnings.warn("Please prefer '9q-square' instead of '9q-generic'",
DeprecationWarning)
if qvm_type is None:
raise ValueError(
"The device '9q-square' is only available as a QVM")
return _get_9q_square_qvm(name=name, connection=connection, noisy=
noisy, qvm_type=qvm_type)
device = get_lattice(prefix)
if qvm_type is not None:
return _get_qvm_based_on_real_device(name=name, device=device,
noisy=noisy, connection=connection, qvm_type=qvm_type)
else:
if noisy is not None and noisy:
warnings.warn(
"You have specified `noisy=True`, but you're getting a QPU. This flag is meant for controlling noise models on QVMs."
)
return QuantumComputer(name=name, qam=QPU(endpoint=pyquil_config.
qpu_url, user=pyquil_config.user_id), device=device, compiler=
QPUCompiler(quilc_endpoint=pyquil_config.quilc_url,
qpu_compiler_endpoint=pyquil_config.qpu_compiler_url, device=
device, name=prefix))
| get_qc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name: str, *, as_qvm: bool=None, noisy: bool=None, connection:\n ForestConnection=None) ->QuantumComputer:\n prefix, qvm_type, noisy = _parse_name(name, ... |
def x() ->Iterator[Tuple[subprocess.Popen, subprocess.Popen]]:
qvm = subprocess.Popen(['qvm', '-S'], stdout=subprocess.PIPE, stderr=
subprocess.PIPE)
quilc = subprocess.Popen(['quilc', '-RP'], stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
try:
yield qvm, quilc
finally:
qvm.terminate()
quilc.terminate()
| local_qvm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->Iterator[Tuple[subprocess.Popen, subprocess.Popen]]:\n qvm = subprocess.Popen(['qvm', '-S'], stdout=subprocess.PIPE, stderr=\n subprocess.PIPE)\n... |
def x(self, oneq_type: str='Xhalves', twoq_type: str='CZ') ->ISA:
return self.device.get_isa(oneq_type=oneq_type, twoq_type=twoq_type)
| get_isa | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, oneq_type: str='Xhalves', twoq_type: str='CZ') ->ISA:\n return self.device.get_isa(oneq_type=oneq_type, twoq_type=twoq_type)\n",
"role": "user"
... |
def x(self, executable: Executable, memory_map: Dict[str, List[Union[int,
float]]]=None) ->np.ndarray:
self.qam.load(executable)
if memory_map:
for region_name, values_list in memory_map.items():
for offset, value in enumerate(values_list):
self.qam.write_memory(region_name=region_name, offset=
offset, value=value)
return self.qam.run().wait().read_memory(region_name='ro')
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, executable: Executable, memory_map: Dict[str, List[Union[int,\n float]]]=None) ->np.ndarray:\n self.qam.load(executable)\n if memory_map:\n ... |
def x(self, program: Program, trials: int) ->np.ndarray:
flipped_program = _get_flipped_protoquil_program(program)
if trials % 2 != 0:
raise ValueError(
'Using symmetrized measurement functionality requires that you take an even number of trials.'
)
half_trials = trials // 2
flipped_program = flipped_program.wrap_in_numshots_loop(shots=half_trials)
flipped_executable = self.compile(flipped_program)
executable = self.compile(program.wrap_in_numshots_loop(half_trials))
samples = self.run(executable)
flipped_samples = self.run(flipped_executable)
double_flipped_samples = np.logical_not(flipped_samples).astype(int)
results = np.concatenate((samples, double_flipped_samples), axis=0)
np.random.shuffle(results)
return results
| run_symmetrized_readout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program: Program, trials: int) ->np.ndarray:\n flipped_program = _get_flipped_protoquil_program(program)\n if trials % 2 != 0:\n raise Value... |
def x(self, program: Program, trials: int) ->Dict[int, np.ndarray]:
program = program.copy()
validate_supported_quil(program)
ro = program.declare('ro', 'BIT', len(self.qubits()))
for i, q in enumerate(self.qubits()):
program.inst(MEASURE(q, ro[i]))
program.wrap_in_numshots_loop(trials)
executable = self.compile(program)
bitstring_array = self.run(executable=executable)
bitstring_dict = {}
for i, q in enumerate(self.qubits()):
bitstring_dict[q] = bitstring_array[:, i]
return bitstring_dict
| run_and_measure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program: Program, trials: int) ->Dict[int, np.ndarray]:\n program = program.copy()\n validate_supported_quil(program)\n ro = program.declare('ro... |
def x(self, program: Program, to_native_gates: bool=True, optimize: bool=True
) ->Union[BinaryExecutableResponse, PyQuilExecutableResponse]:
flags = [to_native_gates, optimize]
assert all(flags) or all(not f for f in flags
), 'Must turn quilc all on or all off'
quilc = all(flags)
if quilc:
nq_program = self.compiler.quil_to_native_quil(program)
else:
nq_program = program
binary = self.compiler.native_quil_to_executable(nq_program)
return binary
| compile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, program: Program, to_native_gates: bool=True, optimize: bool=True\n ) ->Union[BinaryExecutableResponse, PyQuilExecutableResponse]:\n flags = [to_na... |
def x(buffer: dict) ->np.ndarray:
buf = np.frombuffer(buffer['data'], dtype=buffer['dtype'])
return buf.reshape(buffer['shape'])
| decode_buffer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(buffer: dict) ->np.ndarray:\n buf = np.frombuffer(buffer['data'], dtype=buffer['dtype'])\n return buf.reshape(buffer['shape'])\n",
"role": "user"
}... |
def x(ro_sources: List[Optional[Tuple[int, int]]], buffers: Dict[str, np.
ndarray]) ->np.ndarray:
first, *rest = buffers.values()
num_shots = first.shape[0]
bitstrings = np.zeros((num_shots, len(ro_sources)), dtype=np.int64)
for col_idx, src in enumerate(ro_sources):
if src:
qubit, meas_idx = src
buf = buffers[f'q{qubit}']
if buf.ndim == 1:
buf = buf.reshape((num_shots, 1))
bitstrings[:, col_idx] = buf[:, meas_idx]
return bitstrings
| extract_bitstrings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ro_sources: List[Optional[Tuple[int, int]]], buffers: Dict[str, np.\n ndarray]) ->np.ndarray:\n first, *rest = buffers.values()\n num_shots = first.sh... |
def x(self, executable):
super().load(executable)
if hasattr(self._executable, 'recalculation_table'):
recalculation_table = self._executable.recalculation_table
for memory_reference, recalc_rule in recalculation_table.items():
expression = parse(f'RZ({recalc_rule}) 0')[0].params[0]
recalculation_table[memory_reference] = expression
return self
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, executable):\n super().load(executable)\n if hasattr(self._executable, 'recalculation_table'):\n recalculation_table = self._executable.reca... |
def x(self, run_priority: Optional[int]=None):
if isinstance(self._executable, Program):
raise TypeError(
'It looks like you have provided a Program where an Executable is expected. Please use QuantumComputer.compile() to compile your program.'
)
super().run()
request = QPURequest(program=self._executable.program, patch_values=
self._build_patch_values(), id=str(uuid.uuid4()))
job_priority = run_priority if run_priority is not None else self.priority
job_id = self.client.call('execute_qpu_request', request=request, user=
self.user, priority=job_priority)
results = self._get_buffers(job_id)
ro_sources = self._executable.ro_sources
if results:
bitstrings = _extract_bitstrings(ro_sources, results)
elif not ro_sources:
warnings.warn(
"You are running a QPU program with no MEASURE instructions. The result of this program will always be an empty array. Are you sure you didn't mean to measure some of your qubits?"
)
bitstrings = np.zeros((0, 0), dtype=np.int64)
else:
bitstrings = None
self._bitstrings = bitstrings
self._last_results = results
return self
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, run_priority: Optional[int]=None):\n if isinstance(self._executable, Program):\n raise TypeError(\n 'It looks like you have provided... |
def x(self, job_id: str) ->Dict[str, np.ndarray]:
buffers = self.client.call('get_buffers', job_id, wait=True)
return {k: decode_buffer(v) for k, v in buffers.items()}
| get_buffers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id: str) ->Dict[str, np.ndarray]:\n buffers = self.client.call('get_buffers', job_id, wait=True)\n return {k: decode_buffer(v) for k, v in buff... |
def x(self):
if not hasattr(self._executable, 'recalculation_table'):
return
for memory_reference, expression in self._executable.recalculation_table.items(
):
self._variables_shim[memory_reference] = float(self.
_resolve_memory_references(expression))
| update_variables_shim_with_recalculation_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self._executable, 'recalculation_table'):\n return\n for memory_reference, expression in self._executable.recalculation_ta... |
def x(self, expression: Expression) ->Union[float, int]:
if isinstance(expression, BinaryExp):
left = self._resolve_memory_references(expression.op1)
right = self._resolve_memory_references(expression.op2)
return expression.fn(left, right)
elif isinstance(expression, Function):
return expression.fn(self._resolve_memory_references(expression.
expression))
elif isinstance(expression, Parameter):
raise ValueError(
f'Unexpected Parameter in gate expression: {expression}')
elif isinstance(expression, float) or isinstance(expression, int):
return expression
elif isinstance(expression, MemoryReference):
return self._variables_shim.get(ParameterAref(name=expression.name,
index=expression.offset), 0)
else:
raise ValueError(
f'Unexpected expression in gate parameter: {expression}')
| resolve_memory_references | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expression: Expression) ->Union[float, int]:\n if isinstance(expression, BinaryExp):\n left = self._resolve_memory_references(expression.op1)\n... |
def x(a, b):
c = a ^ b
n = 0
while c > 0:
if c & 1 == 1:
return n
c >>= 1
n += 1
return None
| changed_bit_pos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, b):\n c = a ^ b\n n = 0\n while c > 0:\n if c & 1 == 1:\n return n\n c >>= 1\n n += 1\n return None\n",
"rol... |
def x(num_bits):
last = 0
x = 0
n = 1 << num_bits
while n > x:
bit_string = bin(n + x ^ x // 2)[3:]
value = int(bit_string, 2)
yield bit_string, value, changed_bit_pos(last, value)
last = value
x += 1
| gray | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_bits):\n last = 0\n x = 0\n n = 1 << num_bits\n while n > x:\n bit_string = bin(n + x ^ x // 2)[3:]\n value = int(bit_string, 2)\... |
def x(num_ptr_bits, U):
d = 2 ** (1 + num_ptr_bits)
m = np.eye(d)
m[d - 2:, d - 2:] = U
return m
| controlled | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_ptr_bits, U):\n d = 2 ** (1 + num_ptr_bits)\n m = np.eye(d)\n m[d - 2:, d - 2:] = U\n return m\n",
"role": "user"
},
{
"content": "... |
def x(p, data_bits, ptr_bits, bits_set):
for i in range(ptr_bits):
if 0 != bits_set & 1 << i:
p.inst(X(data_bits + i))
| fixup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, data_bits, ptr_bits, bits_set):\n for i in range(ptr_bits):\n if 0 != bits_set & 1 << i:\n p.inst(X(data_bits + i))\n",
"role": "us... |
def x(num_qubits, U):
ptr_bits = int(floor(np.log2(num_qubits)))
data_bits = num_qubits - ptr_bits
ptr_state = 0
assert ptr_bits > 0
program = pq.Program()
program.defgate('CU', controlled(ptr_bits, U))
for _, target_qubit, changed in gray(ptr_bits):
if changed is None:
for ptr_qubit in range(num_qubits - ptr_bits, num_qubits):
program.inst(X(ptr_qubit))
ptr_state ^= 1 << ptr_qubit - data_bits
else:
program.inst(X(data_bits + changed))
ptr_state ^= 1 << changed
if target_qubit < data_bits:
control_qubits = tuple(data_bits + i for i in range(ptr_bits))
program.inst(('CU',) + control_qubits + (target_qubit,))
fixup(program, data_bits, ptr_bits, ptr_state)
return program
| pointer_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_qubits, U):\n ptr_bits = int(floor(np.log2(num_qubits)))\n data_bits = num_qubits - ptr_bits\n ptr_state = 0\n assert ptr_bits > 0\n program... |
def x(p):
k0 = np.array([[1.0, 0.0], [0.0, np.sqrt(1 - p)]])
k1 = np.array([[0.0, np.sqrt(p)], [0.0, 0.0]])
return k0, k1
| relaxation_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.array([[1.0, 0.0], [0.0, np.sqrt(1 - p)]])\n k1 = np.array([[0.0, np.sqrt(p)], [0.0, 0.0]])\n return k0, k1\n",
"role": "user"
},
... |
def x(p):
k0 = np.eye(2) * np.sqrt(1 - p / 2)
k1 = np.sqrt(p / 2) * Z
return k0, k1
| dephasing_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.eye(2) * np.sqrt(1 - p / 2)\n k1 = np.sqrt(p / 2) * Z\n return k0, k1\n",
"role": "user"
},
{
"content": "dephasing_operator... |
def x(p):
k0 = np.sqrt(1.0 - p) * I
k1 = np.sqrt(p / 3.0) * X
k2 = np.sqrt(p / 3.0) * Y
k3 = np.sqrt(p / 3.0) * Z
return k0, k1, k2, k3
| depolarizing_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.sqrt(1.0 - p) * I\n k1 = np.sqrt(p / 3.0) * X\n k2 = np.sqrt(p / 3.0) * Y\n k3 = np.sqrt(p / 3.0) * Z\n return k0, k1, k2, k3\n",
... |
def x(p):
k0 = np.sqrt(1 - p) * I
k1 = np.sqrt(p) * Z
return k0, k1
| phase_flip_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.sqrt(1 - p) * I\n k1 = np.sqrt(p) * Z\n return k0, k1\n",
"role": "user"
},
{
"content": "phase_flip_operators",
"role":... |
def x(p):
k0 = np.sqrt(1 - p) * I
k1 = np.sqrt(p) * X
return k0, k1
| bit_flip_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.sqrt(1 - p) * I\n k1 = np.sqrt(p) * X\n return k0, k1\n",
"role": "user"
},
{
"content": "bit_flip_operators",
"role": "... |
def x(p):
k0 = np.sqrt(1 - p) * I
k1 = np.sqrt(p) * Y
return k0, k1
| bitphase_flip_operators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n k0 = np.sqrt(1 - p) * I\n k1 = np.sqrt(p) * Y\n return k0, k1\n",
"role": "user"
},
{
"content": "bitphase_flip_operators",
"rol... |
def x(self, quil_program, classical_addresses: List[int]=None, trials=1):
if classical_addresses is None:
caddresses = get_classical_addresses_from_program(quil_program)
else:
caddresses = {'ro': classical_addresses}
buffers = self._connection._qvm_run(quil_program, caddresses, trials,
self.measurement_noise, self.gate_noise, self.random_seed)
if len(buffers) == 0:
return []
if 'ro' in buffers:
return buffers['ro'].tolist()
raise ValueError(
'You are using QVMConnection.run with multiple readout registers not named `ro`. Please use the new `QuantumComputer` abstraction.'
)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, classical_addresses: List[int]=None, trials=1):\n if classical_addresses is None:\n caddresses = get_classical_addresses_from_pro... |
def x(self, quil_program, qubits, trials=1):
payload = self._run_and_measure_payload(quil_program, qubits, trials)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return response.json()
| run_and_measure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program, qubits, trials=1):\n payload = self._run_and_measure_payload(quil_program, qubits, trials)\n response = post_json(self.session, self.... |
def x(self, quil_program):
payload = self._wavefunction_payload(quil_program)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return Wavefunction.from_bit_packed_string(response.content)
| wavefunction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quil_program):\n payload = self._wavefunction_payload(quil_program)\n response = post_json(self.session, self.sync_endpoint + '/qvm', payload)\n ... |
def x(self, prep_prog, operator_programs=None):
if isinstance(operator_programs, Program):
warnings.warn(
'You have provided a Program rather than a list of Programs. The results from expectation will be line-wise expectation values of the operator_programs.'
, SyntaxWarning)
payload = self._expectation_payload(prep_prog, operator_programs)
response = post_json(self.session, self.sync_endpoint + '/qvm', payload)
return response.json()
| expectation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prep_prog, operator_programs=None):\n if isinstance(operator_programs, Program):\n warnings.warn(\n 'You have provided a Program rat... |
def x(self, prep_prog, pauli_terms):
is_pauli_sum = False
if isinstance(pauli_terms, PauliSum):
progs, coeffs = pauli_terms.get_programs()
is_pauli_sum = True
else:
coeffs = [pt.coefficient for pt in pauli_terms]
progs = [pt.program for pt in pauli_terms]
bare_results = self.expectation(prep_prog, progs)
results = [(c * r) for c, r in zip(coeffs, bare_results)]
if is_pauli_sum:
return sum(results)
return results
| pauli_expectation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prep_prog, pauli_terms):\n is_pauli_sum = False\n if isinstance(pauli_terms, PauliSum):\n progs, coeffs = pauli_terms.get_programs()\n ... |
def x(self, payload):
if self.measurement_noise is not None:
payload['measurement-noise'] = self.measurement_noise
if self.gate_noise is not None:
payload['gate-noise'] = self.gate_noise
| maybe_add_noise_to_payload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, payload):\n if self.measurement_noise is not None:\n payload['measurement-noise'] = self.measurement_noise\n if self.gate_noise is not None:... |
def x(self, executable):
if self.requires_executable:
if isinstance(executable, PyQuilExecutableResponse):
executable = _extract_program_from_pyquil_executable_response(
executable)
else:
raise TypeError(
'`executable` argument must be a `PyQuilExecutableResponse`. Make sure you have explicitly compiled your program via `qc.compile` or `qc.compiler.native_quil_to_executable(...)` for more fine-grained control. This explicit step is required for running on a QPU.'
)
elif isinstance(executable, PyQuilExecutableResponse):
executable = _extract_program_from_pyquil_executable_response(
executable)
elif isinstance(executable, Program):
pass
else:
raise TypeError(
'`executable` argument must be a `PyQuilExecutableResponse` or a `Program`. You provided {}'
.format(type(executable)))
return super().load(executable)
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, executable):\n if self.requires_executable:\n if isinstance(executable, PyQuilExecutableResponse):\n executable = _extract_program_f... |
def x(self):
super().run()
if not isinstance(self._executable, Program):
raise ValueError('Please `load` an appropriate executable.')
quil_program = self._executable
trials = quil_program.num_shots
classical_addresses = get_classical_addresses_from_program(quil_program)
if self.noise_model is not None:
quil_program = apply_noise_model(quil_program, self.noise_model)
quil_program = self.augment_program_with_memory_values(quil_program)
try:
self._bitstrings = self.connection._qvm_run(quil_program=
quil_program, classical_addresses=classical_addresses, trials=
trials, measurement_noise=self.measurement_noise, gate_noise=
self.gate_noise, random_seed=self.random_seed)['ro']
except KeyError:
warnings.warn(
"You are running a QVM program with no MEASURE instructions. The result of this program will always be an empty array. Are you sure you didn't mean to measure some of your qubits?"
)
self._bitstrings = np.zeros((trials, 0), dtype=np.int64)
return self
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n super().run()\n if not isinstance(self._executable, Program):\n raise ValueError('Please `load` an appropriate executable.')\n quil_pr... |
def x(self):
if not self.is_done():
raise ValueError(
"Cannot get a result for a program that isn't completed.")
if self._raw['status'] == 'CANCELLED':
raise CancellationError(self._raw['result'])
elif self._raw['status'] == 'ERROR':
if self._machine == 'QVM':
raise QVMError(self._raw['result'])
elif self._machine == 'QPU':
raise QPUError(self._raw['result'])
elif self._machine == 'QUILC':
raise QUILCError(self._raw['result'])
else:
raise UnknownApiError(self._raw['result'])
if self._raw['program']['type'] == 'wavefunction':
return Wavefunction.from_bit_packed_string(base64.b64decode(self.
_raw['result']), self._raw['program']['addresses'])
elif self._raw['program']['type'] in ['multishot', 'multishot-measure',
'expectation']:
return np.asarray(self._raw['result'])
else:
return self._raw['result']
| result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_done():\n raise ValueError(\n \"Cannot get a result for a program that isn't completed.\")\n if self._raw['stat... |
def x(self):
if not self.is_done():
raise ValueError(
"Cannot get running time for a program that isn't completed.")
try:
running_time = float(self._raw['running_time'].split()[0])
except (ValueError, KeyError, IndexError):
raise UnknownApiError(str(self._raw))
return running_time
| running_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_done():\n raise ValueError(\n \"Cannot get running time for a program that isn't completed.\")\n try:\n ... |
def x(self, key):
if not self.is_done():
raise ValueError(
"Cannot get metadata for a program that isn't completed.")
return self._raw.get('metadata', {}).get(key, None)
| get_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if not self.is_done():\n raise ValueError(\n \"Cannot get metadata for a program that isn't completed.\")\n return self._... |
def x(self):
prog = self._raw.get('program', {}).get('compiled-quil', None)
if prog is not None:
return parse_program(prog)
elif self._raw['status'] == 'ERROR':
return self.result()
| compiled_quil | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n prog = self._raw.get('program', {}).get('compiled-quil', None)\n if prog is not None:\n return parse_program(prog)\n elif self._raw['s... |
def x(gate: np.ndarray, wf: np.ndarray, wf_target_inds: List[int]
) ->np.ndarray:
k = len(wf_target_inds)
d = len(wf.shape)
work_indices = tuple(range(k))
data_indices = tuple(range(k, k + d))
used_data_indices = tuple(data_indices[q] for q in wf_target_inds)
input_indices = work_indices + used_data_indices
output_indices = list(data_indices)
for w, t in zip(work_indices, wf_target_inds):
output_indices[t] = w
return np.einsum(gate, input_indices, wf, data_indices, output_indices)
| targeted_einsum | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gate: np.ndarray, wf: np.ndarray, wf_target_inds: List[int]\n ) ->np.ndarray:\n k = len(wf_target_inds)\n d = len(wf.shape)\n work_indices = tuple(... |
def x(gate: np.ndarray, wf: np.ndarray, wf_target_inds: Sequence[int]
) ->np.ndarray:
gate_n_qubits = gate.ndim // 2
n_qubits = wf.ndim
gate_inds = np.arange(gate_n_qubits, 2 * gate_n_qubits)
assert len(wf_target_inds) == len(gate_inds), (wf_target_inds, gate_inds)
wf = np.tensordot(gate, wf, (gate_inds, wf_target_inds))
axes_ordering = list(range(gate_n_qubits, n_qubits))
where_td_put_them = np.arange(gate_n_qubits)
sorty = np.argsort(wf_target_inds)
where_td_put_them = where_td_put_them[sorty]
sorted_targets = np.asarray(wf_target_inds)[sorty]
for target_ind, from_ind in zip(sorted_targets, where_td_put_them):
axes_ordering.insert(target_ind, from_ind)
return wf.transpose(axes_ordering)
| targeted_tensordot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gate: np.ndarray, wf: np.ndarray, wf_target_inds: Sequence[int]\n ) ->np.ndarray:\n gate_n_qubits = gate.ndim // 2\n n_qubits = wf.ndim\n gate_inds... |
def x(wf, qubit):
n_qubits = len(wf.shape)
all_inds = list(range(n_qubits))
return np.einsum(np.conj(wf), all_inds, wf, all_inds, [int(qubit)])
| get_measure_probabilities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wf, qubit):\n n_qubits = len(wf.shape)\n all_inds = list(range(n_qubits))\n return np.einsum(np.conj(wf), all_inds, wf, all_inds, [int(qubit)])\n",
... |
def x(gate: Gate):
if len(gate.params) > 0:
matrix = QUANTUM_GATES[gate.name](*gate.params)
else:
matrix = QUANTUM_GATES[gate.name]
qubit_inds = [q.index for q in gate.qubits]
tensor = np.reshape(matrix, (2,) * len(qubit_inds) * 2)
return tensor, qubit_inds
| get_gate_tensor_and_qubits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gate: Gate):\n if len(gate.params) > 0:\n matrix = QUANTUM_GATES[gate.name](*gate.params)\n else:\n matrix = QUANTUM_GATES[gate.name]\n ... |
def x(self, n_samples):
if self.rs is None:
raise ValueError(
'You have tried to perform a stochastic operation without setting the random state of the simulator. Might I suggest using a PyQVM object?'
)
probabilities = np.abs(self.wf.reshape(-1)) ** 2
possible_bitstrings = all_bitstrings(self.n_qubits)
inds = self.rs.choice(2 ** self.n_qubits, n_samples, p=probabilities)
return possible_bitstrings[inds, :]
| sample_bitstrings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n_samples):\n if self.rs is None:\n raise ValueError(\n 'You have tried to perform a stochastic operation without setting the random... |
def x(self, qubit: int) ->int:
if self.rs is None:
raise ValueError(
'You have tried to perform a stochastic operation without setting the random state of the simulator. Might I suggest using a PyQVM object?'
)
measurement_probs = get_measure_probabilities(self.wf, qubit)
measured_bit = int(np.argmax(self.rs.uniform() < np.cumsum(
measurement_probs)))
other_bit = (measured_bit + 1) % 2
other_bit_indices = (slice(None),) * qubit + (other_bit,) + (slice(None),
) * (self.n_qubits - qubit - 1)
self.wf[other_bit_indices] = 0
meas_bit_indices = (slice(None),) * qubit + (measured_bit,) + (slice(None),
) * (self.n_qubits - qubit - 1)
self.wf[meas_bit_indices] /= np.sqrt(measurement_probs[measured_bit])
return measured_bit
| do_measurement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qubit: int) ->int:\n if self.rs is None:\n raise ValueError(\n 'You have tried to perform a stochastic operation without setting the... |
def x(self, gate: Gate):
gate_matrix, qubit_inds = _get_gate_tensor_and_qubits(gate=gate)
self.wf = targeted_tensordot(gate=gate_matrix, wf=self.wf,
wf_target_inds=qubit_inds)
return self
| do_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate: Gate):\n gate_matrix, qubit_inds = _get_gate_tensor_and_qubits(gate=gate)\n self.wf = targeted_tensordot(gate=gate_matrix, wf=self.wf,\n ... |
def x(self, matrix: np.ndarray, qubits: Sequence[int]
) ->'AbstractQuantumSimulator':
tensor = np.reshape(matrix, (2,) * len(qubits) * 2)
self.wf = targeted_tensordot(gate=tensor, wf=self.wf, wf_target_inds=qubits
)
return self
| do_gate_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matrix: np.ndarray, qubits: Sequence[int]\n ) ->'AbstractQuantumSimulator':\n tensor = np.reshape(matrix, (2,) * len(qubits) * 2)\n self.wf = ta... |
def x(self):
self.wf.fill(0)
self.wf[(0,) * self.n_qubits] = complex(1.0, 0)
return self
| reset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.wf.fill(0)\n self.wf[(0,) * self.n_qubits] = complex(1.0, 0)\n return self\n",
"role": "user"
},
{
"content": "reset",
"... |
def x(self, n_samples):
if self.rs is None:
raise ValueError(
'You have tried to perform a stochastic operation without setting the random state of the simulator. Might I suggest using a PyQVM object?'
)
probabilities = np.abs(self.wf) ** 2
possible_bitstrings = all_bitstrings(self.n_qubits)
inds = self.rs.choice(2 ** self.n_qubits, n_samples, p=probabilities)
bitstrings = possible_bitstrings[inds, :]
bitstrings = np.flip(bitstrings, axis=1)
return bitstrings
| sample_bitstrings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n_samples):\n if self.rs is None:\n raise ValueError(\n 'You have tried to perform a stochastic operation without setting the random... |
def x(self, gate: Gate):
unitary = lifted_gate(gate=gate, n_qubits=self.n_qubits)
self.wf = unitary.dot(self.wf)
return self
| do_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate: Gate):\n unitary = lifted_gate(gate=gate, n_qubits=self.n_qubits)\n self.wf = unitary.dot(self.wf)\n return self\n",
"role": "user"
... |
def x(self, matrix: np.ndarray, qubits: Sequence[int]):
unitary = lifted_gate_matrix(matrix, list(qubits), n_qubits=self.n_qubits)
self.wf = unitary.dot(self.wf)
return self
| do_gate_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matrix: np.ndarray, qubits: Sequence[int]):\n unitary = lifted_gate_matrix(matrix, list(qubits), n_qubits=self.n_qubits)\n self.wf = unitary.dot(se... |
def x(self, operator: Union[PauliTerm, PauliSum]):
if not isinstance(operator, PauliSum):
operator = PauliSum([operator])
return sum(_term_expectation(self.wf, term, n_qubits=self.n_qubits) for
term in operator)
| expectation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operator: Union[PauliTerm, PauliSum]):\n if not isinstance(operator, PauliSum):\n operator = PauliSum([operator])\n return sum(_term_expecta... |
def x(self, n_samples):
if self.rs is None:
raise ValueError(
'You have tried to perform a stochastic operation without setting the random state of the simulator. Might I suggest using a PyQVM object?'
)
probabilities = np.real_if_close(np.diagonal(self.density))
possible_bitstrings = all_bitstrings(self.n_qubits)
inds = self.rs.choice(2 ** self.n_qubits, n_samples, p=probabilities)
bitstrings = possible_bitstrings[inds, :]
bitstrings = np.flip(bitstrings, axis=1)
return bitstrings
| sample_bitstrings | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n_samples):\n if self.rs is None:\n raise ValueError(\n 'You have tried to perform a stochastic operation without setting the random... |
def x(self, gate: Gate) ->'AbstractQuantumSimulator':
unitary = lifted_gate(gate=gate, n_qubits=self.n_qubits)
self.density = unitary.dot(self.density).dot(np.conj(unitary).T)
return self
| do_gate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gate: Gate) ->'AbstractQuantumSimulator':\n unitary = lifted_gate(gate=gate, n_qubits=self.n_qubits)\n self.density = unitary.dot(self.density).dot... |
def x(self, matrix: np.ndarray, qubits: Sequence[int]
) ->'AbstractQuantumSimulator':
unitary = lifted_gate_matrix(matrix=matrix, qubit_inds=qubits, n_qubits
=self.n_qubits)
self.density = unitary.dot(self.density).dot(np.conj(unitary).T)
return self
| do_gate_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matrix: np.ndarray, qubits: Sequence[int]\n ) ->'AbstractQuantumSimulator':\n unitary = lifted_gate_matrix(matrix=matrix, qubit_inds=qubits, n_qubi... |
def x(self, qubit: int) ->int:
if self.rs is None:
raise ValueError(
'You have tried to perform a stochastic operation without setting the random state of the simulator. Might I suggest using a PyQVM object?'
)
measure_0 = lifted_gate_matrix(matrix=P0, qubit_inds=[qubit], n_qubits=
self.n_qubits)
prob_zero = np.trace(measure_0 @ self.density)
if self.rs.uniform() < prob_zero:
unitary = measure_0 @ (np.eye(2 ** self.n_qubits) / np.sqrt(prob_zero))
self.density = unitary.dot(self.density).dot(np.conj(unitary.T))
return 0
else:
measure_1 = lifted_gate_matrix(matrix=P1, qubit_inds=[qubit],
n_qubits=self.n_qubits)
unitary = measure_1 @ (np.eye(2 ** self.n_qubits) / np.sqrt(1 -
prob_zero))
self.density = unitary.dot(self.density).dot(np.conj(unitary.T))
return 1
| do_measurement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qubit: int) ->int:\n if self.rs is None:\n raise ValueError(\n 'You have tried to perform a stochastic operation without setting the... |
def x(quil):
input_stream = InputStream(quil)
lexer = QuilLexer(input_stream)
stream = CommonTokenStream(lexer)
parser = QuilParser(stream)
parser.removeErrorListeners()
parser.addErrorListener(CustomErrorListener())
tree = parser.quil()
pyquil_listener = PyQuilListener()
walker = ParseTreeWalker()
walker.walk(pyquil_listener, tree)
return pyquil_listener.result
| run_parser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(quil):\n input_stream = InputStream(quil)\n lexer = QuilLexer(input_stream)\n stream = CommonTokenStream(lexer)\n parser = QuilParser(stream)\n ... |
def x(expression):
if isinstance(expression, QuilParser.ParenthesisExpContext):
return _expression(expression.expression())
elif isinstance(expression, QuilParser.PowerExpContext):
if expression.POWER():
return _binary_exp(expression, operator.pow)
elif isinstance(expression, QuilParser.MulDivExpContext):
if expression.TIMES():
return _binary_exp(expression, operator.mul)
elif expression.DIVIDE():
return _binary_exp(expression, operator.truediv)
elif isinstance(expression, QuilParser.AddSubExpContext):
if expression.PLUS():
return _binary_exp(expression, operator.add)
elif expression.MINUS():
return _binary_exp(expression, operator.sub)
elif isinstance(expression, QuilParser.SignedExpContext):
if expression.sign().PLUS():
return _expression(expression.expression())
elif expression.sign().MINUS():
return -1 * _expression(expression.expression())
elif isinstance(expression, QuilParser.FunctionExpContext):
return _apply_function(expression.function(), _expression(
expression.expression()))
elif isinstance(expression, QuilParser.AddrExpContext):
return _addr(expression.addr())
elif isinstance(expression, QuilParser.NumberExpContext):
return _number(expression.number())
elif isinstance(expression, QuilParser.VariableExpContext):
return _variable(expression.variable())
raise RuntimeError('Unexpected expression type:' + expression.getText())
| expression | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression):\n if isinstance(expression, QuilParser.ParenthesisExpContext):\n return _expression(expression.expression())\n elif isinstance(expres... |
def x(expression, op):
[arg1, arg2] = expression.expression()
return op(_expression(arg1), _expression(arg2))
| binary_exp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(expression, op):\n [arg1, arg2] = expression.expression()\n return op(_expression(arg1), _expression(arg2))\n",
"role": "user"
},
{
"content"... |
def x(self, parser, interval_set):
for tok in interval_set:
literal_name = parser.literalNames[tok]
symbolic_name = parser.symbolicNames[tok]
if literal_name != '<INVALID>':
yield literal_name
else:
yield symbolic_name
| get_expected_tokens | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parser, interval_set):\n for tok in interval_set:\n literal_name = parser.literalNames[tok]\n symbolic_name = parser.symbolicNames[tok]\... |
def x(self, ctx: QuilParser.CircuitGateContext):
gate_name = ctx.name().getText()
params = [param.getText() for param in ctx.param()]
qubits = [qubit.getText() for qubit in ctx.circuitQubit()]
if params:
self.result.append(RawInstr('{}({}) {}'.format(gate_name, ', '.join
(params), ' '.join(qubits))))
else:
self.result.append(RawInstr('{} {}'.format(gate_name, ' '.join(
qubits))))
| exitCircuitGate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ctx: QuilParser.CircuitGateContext):\n gate_name = ctx.name().getText()\n params = [param.getText() for param in ctx.param()]\n qubits = [qubit.... |
def x(classical_reg1, classical_reg2):
left = unpack_classical_reg(classical_reg1)
if isinstance(classical_reg2, int) or isinstance(classical_reg2, float):
right = classical_reg2
else:
right = unpack_classical_reg(classical_reg2)
return left, right
| unpack_reg_val_pair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(classical_reg1, classical_reg2):\n left = unpack_classical_reg(classical_reg1)\n if isinstance(classical_reg2, int) or isinstance(classical_reg2, float):... |
def x(classical_reg1, classical_reg2, classical_reg3):
if isinstance(classical_reg1, int):
raise TypeError('Target operand of comparison must be a memory address'
)
classical_reg1 = unpack_classical_reg(classical_reg1)
if isinstance(classical_reg2, int):
raise TypeError('Left operand of comparison must be a memory address')
classical_reg2 = unpack_classical_reg(classical_reg2)
if not isinstance(classical_reg3, int):
classical_reg3 = unpack_classical_reg(classical_reg3)
return classical_reg1, classical_reg2, classical_reg3
| prepare_ternary_operands | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(classical_reg1, classical_reg2, classical_reg3):\n if isinstance(classical_reg1, int):\n raise TypeError('Target operand of comparison must be a memo... |
def x(angle, qubit):
return Gate(name='RX', params=[angle], qubits=[unpack_qubit(qubit)])
| RX | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(angle, qubit):\n return Gate(name='RX', params=[angle], qubits=[unpack_qubit(qubit)])\n",
"role": "user"
},
{
"content": "RX",
"role": "assi... |
def x(angle, qubit):
return Gate(name='RY', params=[angle], qubits=[unpack_qubit(qubit)])
| RY | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(angle, qubit):\n return Gate(name='RY', params=[angle], qubits=[unpack_qubit(qubit)])\n",
"role": "user"
},
{
"content": "RY",
"role": "assi... |
def x(angle, qubit):
return Gate(name='RZ', params=[angle], qubits=[unpack_qubit(qubit)])
| RZ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(angle, qubit):\n return Gate(name='RZ', params=[angle], qubits=[unpack_qubit(qubit)])\n",
"role": "user"
},
{
"content": "RZ",
"role": "assi... |
def x(angle, qubit):
return Gate(name='PHASE', params=[angle], qubits=[unpack_qubit(qubit)])
| PHASE | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(angle, qubit):\n return Gate(name='PHASE', params=[angle], qubits=[unpack_qubit(qubit)])\n",
"role": "user"
},
{
"content": "PHASE",
"role":... |
def x(control, target):
return Gate(name='CNOT', params=[], qubits=[unpack_qubit(q) for q in (
control, target)])
| CNOT | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(control, target):\n return Gate(name='CNOT', params=[], qubits=[unpack_qubit(q) for q in (\n control, target)])\n",
"role": "user"
},
{
"... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.