dwave-system¶
dwave-system is a basic API for easily incorporating the D-Wave system as a sampler in the
D-Wave Ocean software stack,
directly or through Leap’s cloud-based hybrid solvers.
It includes DWaveSampler
, a dimod sampler that accepts and passes system parameters
such as system identification and authentication down the stack, and LeapHybridSampler
,
for Leap’s hybrid solvers. It also includes several useful composites—layers of
pre- and post-processing—that can be used with DWaveSampler
to handle minor-embedding,
optimize chain strength, etc.
Documentation¶
Date: | Sep 17, 2020 |
---|
Note
This documentation is for the latest version of dwave-system. Documentation for the version currently installed by dwave-ocean-sdk is here: dwave-system.
Introduction¶
dwave-system enables easy incorporation of the D-Wave system as a sampler
in either a hybrid quantum-classical solution, using
LeapHybridSampler()
or
dwave-hybrid samplers such as
KerberosSampler
, or directly using
DWaveSampler()
.
Note
For applications that require detailed control on communication with the remote compute resource (a D-Wave QPU or Leap’s hybrid solvers), see dwave-cloud-client.
D-Wave System Documentation describes D-Wave quantum computers and Leap hybrid solvers, including features, parameters, and properties. It also provides guidance on programming the D-Wave system, including how to formulate problems and configure parameters.
Example¶
This example solves a small example of a known graph problem, minimum
vertex cover. It uses the NetworkX
graphic package to create the problem, Ocean’s dwave_networkx
to formulate the graph problem as a BQM, and dwave-system’s
DWaveSampler()
to use a D-Wave system as the sampler.
dwave-system’s EmbeddingComposite()
handles mapping
between the problem graph to the D-Wave system’s numerically indexed qubits,
a mapping known as minor-embedding.
>>> import networkx as nx
>>> import dwave_networkx as dnx
>>> from dwave.system import DWaveSampler, EmbeddingComposite
...
>>> s5 = nx.star_graph(4) # a star graph where node 0 is hub to four other nodes
>>> sampler = EmbeddingComposite(DWaveSampler())
>>> print(dnx.min_vertex_cover(s5, sampler))
[0]
Reference Documentation¶
Samplers¶
A sampler accepts a binary quadratic model (BQM) and returns variable assignments. Samplers generally try to find minimizing values but can also sample from distributions defined by the BQM.
DWaveSampler¶
-
class
DWaveSampler
(failover=False, retry_interval=-1, order_by=None, **config)[source]¶ A class for using the D-Wave system as a sampler.
Uses parameters set in a configuration file, as environment variables, or explicitly as input arguments for selecting and communicating with a D-Wave system. For more information, see D-Wave Cloud Client.
Inherits from
dimod.Sampler
anddimod.Structured
.Parameters: - failover (bool, optional, default=False) – Switch to a new QPU in the rare event that the currently connected
system goes offline. Note that different QPUs may have different
hardware graphs and a failover will result in a regenerated
nodelist
,edgelist
,properties
andparameters
. - retry_interval (number, optional, default=-1) – The amount of time (in seconds) to wait to poll for a solver in the case that no solver is found. If retry_interval is negative then it will instead propogate the SolverNotFoundError to the user.
- order_by (callable/str/None) – Solver sorting key function or
StructuredSolver
attribute/item dot-separated path. Seeget_solvers()
for a more detailed description of the parameter. - config_file (str, optional) – Path to a configuration file that identifies a D-Wave system and provides connection information.
- profile (str, optional) – Profile to select from the configuration file.
- endpoint (str, optional) – D-Wave API endpoint URL.
- token (str, optional) – Authentication token for the D-Wave API to authenticate the client session.
- solver (dict/str, optional) – Solver (a D-Wave system on which to run submitted problems) to select given
as a set of required features. Supported features and values are described in
get_solvers()
. For backward compatibility, a solver name, formatted as a string, is accepted. - proxy (str, optional) – Proxy URL to be used for accessing the D-Wave API.
- **config – Keyword arguments passed directly to
from_config()
.
Examples
This example submits a two-variable Ising problem mapped directly to two adjacent qubits on a D-Wave system.
qubit_a
is the first qubit in the QPU’s indexed list of qubits andqubit_b
is one of the qubits coupled to it. Other required parameters for communication with the system, such as its URL and an autentication token, are implicitly set in a configuration file or as environment variables, as described in Configuring Access to D-Wave Solvers. Given sufficient reads (here 100), the quantum computer should return the best solution, \({1, -1}\) onqubit_a
andqubit_b
, respectively, as its first sample (samples are ordered from lowest energy).>>> from dwave.system import DWaveSampler ... >>> sampler = DWaveSampler(solver={'qpu': True}) ... >>> qubit_a = sampler.nodelist[0] >>> qubit_b = next(iter(sampler.adjacency[qubit_a])) >>> sampleset = sampler.sample_ising({qubit_a: -1, qubit_b: 1}, ... {}, ... num_reads=100) >>> sampleset.first.sample[qubit_a] == 1 and sampleset.first.sample[qubit_b] == -1 True
See Ocean Glossary for explanations of technical terms in descriptions of Ocean tools.
- failover (bool, optional, default=False) – Switch to a new QPU in the rare event that the currently connected
system goes offline. Note that different QPUs may have different
hardware graphs and a failover will result in a regenerated
Properties¶
For parameters and properties of D-Wave systems, see D-Wave System Documentation.
DWaveSampler.properties |
D-Wave solver properties as returned by a SAPI query. |
DWaveSampler.parameters |
D-Wave solver parameters in the form of a dict, where keys are keyword parameters accepted by a SAPI query and values are lists of properties in properties for each key. |
DWaveSampler.nodelist |
List of active qubits for the D-Wave solver. |
DWaveSampler.edgelist |
List of active couplers for the D-Wave solver. |
DWaveSampler.adjacency |
Adjacency structure formatted as a dict, where keys are the nodes of the structured sampler and values are sets of all adjacent nodes for each key node. |
DWaveSampler.structure |
Structure of the structured sampler formatted as a namedtuple , Structure(nodelist, edgelist, adjacency), where the 3-tuple values are the nodelist , edgelist and adjacency attributes. |
Methods¶
DWaveSampler.sample (bqm[, warnings]) |
Sample from the specified Ising model. |
DWaveSampler.sample_ising (h, *args, **kwargs) |
Sample from an Ising model using the implemented sample method. |
DWaveSampler.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
DWaveSampler.validate_anneal_schedule (…) |
Raise an exception if the specified schedule is invalid for the sampler. |
DWaveSampler.to_networkx_graph () |
Converts DWaveSampler’s structure to a Chimera or Pegasus NetworkX graph. |
DWaveCliqueSampler¶
-
class
DWaveCliqueSampler
(**config)[source]¶ A sampler for solving clique problems on the D-Wave system.
This sampler wraps
find_clique_embedding()
to generate embeddings with even chain length. These embeddings work well for dense binary quadratic models. For sparse models, usingEmbeddingComposite
withDWaveSampler
is preferred.Parameters: **config – Keyword arguments, as accepted by DWaveSampler
Examples
This example creates a BQM based on a 6-node clique (complete graph), with random \(\pm 1\) values assigned to nodes, and submits it to a D-Wave system. Parameters for communication with the system, such as its URL and an autentication token, are implicitly set in a configuration file or as environment variables, as described in Configuring Access to D-Wave Solvers.
>>> from dwave.system import DWaveCliqueSampler >>> import dimod ... >>> bqm = dimod.generators.ran_r(1, 6) ... >>> sampler = DWaveCliqueSampler(solver={'qpu': True}) >>> sampler.largest_clique_size > 5 True >>> sampleset = sampler.sample(bqm, num_reads=100)
Properties¶
DWaveCliqueSampler.largest_clique_size |
The maximum number of variables that can be embedded. |
DWaveCliqueSampler.properties |
A dict containing any additional information about the sampler. |
DWaveCliqueSampler.parameters |
A dict where keys are the keyword parameters accepted by the sampler methods and values are lists of the properties relevent to each parameter. |
Methods¶
DWaveCliqueSampler.largest_clique () |
The clique embedding with the maximum number of source variables. |
DWaveCliqueSampler.sample (bqm[, chain_strength]) |
Sample from the specified binary quadratic model. |
DWaveCliqueSampler.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
DWaveCliqueSampler.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
LeapHybridSampler¶
-
class
LeapHybridSampler
(solver=None, connection_close=True, **config)[source]¶ A class for using Leap’s cloud-based hybrid solvers.
Uses parameters set in a configuration file, as environment variables, or explicitly as input arguments for selecting and communicating with a hybrid solver. For more information, see D-Wave Cloud Client.
Inherits from
dimod.Sampler
.Parameters: - solver (dict/str, optional) – Solver (a hybrid solver on which to run submitted problems) to select
named as a string or given as a set of required features. Supported
features and values are described in
get_solvers()
. - connection_close (bool, optional) – Force HTTP(S) connection close after each request.
- config_file (str, optional) – Path to a configuration file that identifies a hybrid solver and provides connection information.
- profile (str, optional) – Profile to select from the configuration file.
- endpoint (str, optional) – D-Wave API endpoint URL.
- token (str, optional) – Authentication token for the D-Wave API to authenticate the client session.
- proxy (str, optional) – Proxy URL to be used for accessing the D-Wave API.
- **config – Keyword arguments passed directly to
from_config()
.
Examples
This example builds a random sparse graph and uses a hybrid solver to find a maximum independent set.
>>> import dimod >>> import networkx as nx >>> import dwave_networkx as dnx >>> import numpy as np >>> from dwave.system import LeapHybridSampler ... >>> # Create a maximum-independent set problem from a random graph >>> problem_node_count = 300 >>> G = nx.random_geometric_graph(problem_node_count, radius=0.0005*problem_node_count) >>> qubo = dnx.algorithms.independent_set.maximum_weighted_independent_set_qubo(G) >>> bqm = dimod.BQM.from_qubo(qubo) ... >>> # Find a good solution >>> sampler = LeapHybridSampler() # doctest: +SKIP >>> sampleset = sampler.sample(bqm) # doctest: +SKIP
- solver (dict/str, optional) – Solver (a hybrid solver on which to run submitted problems) to select
named as a string or given as a set of required features. Supported
features and values are described in
Properties¶
LeapHybridSampler.properties |
Solver properties as returned by a SAPI query. |
LeapHybridSampler.parameters |
Solver parameters in the form of a dict, where keys are keyword parameters accepted by a SAPI query and values are lists of properties in properties for each key. |
Methods¶
LeapHybridSampler.sample (bqm[, time_limit]) |
Sample from the specified binary quadratic model. |
LeapHybridSampler.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
LeapHybridSampler.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
Composites¶
dimod composites that provide layers of pre- and post-processing (e.g., minor-embedding) when using the D-Wave system.
Contents
CutOffs¶
Prunes the binary quadratic model (BQM) submitted to the child sampler by retaining only interactions with values commensurate with the sampler’s precision.
CutOffComposite¶
-
class
CutOffComposite
(child_sampler, cutoff, cutoff_vartype=<Vartype.SPIN: frozenset({1, -1})>, comparison=<built-in function lt>)[source]¶ Composite to remove interactions below a specified cutoff value.
Prunes the binary quadratic model (BQM) submitted to the child sampler by retaining only interactions with values commensurate with the sampler’s precision as specified by the
cutoff
argument. Also removes variables isolated post- or pre-removal of these interactions from the BQM passed on to the child sampler, setting these variables to values that minimize the original BQM’s energy for the returned samples.Parameters: - sampler (
dimod.Sampler
) – A dimod sampler. - cutoff (number) – Lower bound for absolute value of interactions. Interactions
with absolute values lower than
cutoff
are removed. Isolated variables are also not passed on to the child sampler. - cutoff_vartype (
Vartype
/str/set, default=’SPIN’) –Variable space to execute the removal in. Accepted input values:
Vartype.SPIN
,'SPIN'
,{-1, 1}
Vartype.BINARY
,'BINARY'
,{0, 1}
- comparison (function, optional) – A comparison operator for comparing interaction values to the cutoff
value. Defaults to
operator.lt()
.
Examples
This example removes one interaction,
'ac': -0.7
, before embedding on a D-Wave system. Note that the lowest-energy sample for the embedded problem is{'a': 1, 'b': -1, 'c': -1}
but with a large enough number of samples (herenum_reads=1000
), the lowest-energy solution to the complete BQM is likely found and its energy recalculated by the composite.>>> import dimod >>> sampler = DWaveSampler(solver={'qpu': True}) >>> bqm = dimod.BinaryQuadraticModel({'a': -1, 'b': 1, 'c': 1}, ... {'ab': -0.8, 'ac': -0.7, 'bc': -1}, ... 0, ... dimod.SPIN) >>> CutOffComposite(AutoEmbeddingComposite(sampler), 0.75).sample(bqm, ... num_reads=1000).first.energy -3.5
- sampler (
CutOffComposite.child |
The child sampler. |
CutOffComposite.children |
List of child samplers that that are used by this composite. |
CutOffComposite.properties |
A dict containing any additional information about the sampler. |
CutOffComposite.parameters |
A dict where keys are the keyword parameters accepted by the sampler methods and values are lists of the properties relevent to each parameter. |
CutOffComposite.sample (bqm, **parameters) |
Cut off interactions and sample from the provided binary quadratic model. |
CutOffComposite.sample_ising (h, J, **parameters) |
Sample from an Ising model using the implemented sample method. |
CutOffComposite.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
PolyCutOffComposite¶
Prunes the polynomial submitted to the child sampler by retaining only interactions with values commensurate with the sampler’s precision.
-
class
PolyCutOffComposite
(child_sampler, cutoff, cutoff_vartype=<Vartype.SPIN: frozenset({1, -1})>, comparison=<built-in function lt>)[source]¶ Composite to remove polynomial interactions below a specified cutoff value.
Prunes the binary polynomial submitted to the child sampler by retaining only interactions with values commensurate with the sampler’s precision as specified by the
cutoff
argument. Also removes variables isolated post- or pre-removal of these interactions from the polynomial passed on to the child sampler, setting these variables to values that minimize the original polynomial’s energy for the returned samples.Parameters: - sampler (
dimod.PolySampler
) – A dimod binary polynomial sampler. - cutoff (number) – Lower bound for absolute value of interactions. Interactions
with absolute values lower than
cutoff
are removed. Isolated variables are also not passed on to the child sampler. - cutoff_vartype (
Vartype
/str/set, default=’SPIN’) –Variable space to do the cutoff in. Accepted input values:
Vartype.SPIN
,'SPIN'
,{-1, 1}
Vartype.BINARY
,'BINARY'
,{0, 1}
- comparison (function, optional) – A comparison operator for comparing the interaction value to the cutoff
value. Defaults to
operator.lt()
.
Examples
This example removes one interaction,
'ac': 0.2
, before submitting the polynomial to child samplerExactSolver
.>>> import dimod >>> sampler = dimod.HigherOrderComposite(dimod.ExactSolver()) >>> poly = dimod.BinaryPolynomial({'a': 3, 'abc':-4, 'ac': 0.2}, dimod.SPIN) >>> PolyCutOffComposite(sampler, 1).sample_poly(poly).first.sample['a'] -1
- sampler (
PolyCutOffComposite.child |
The child sampler. |
PolyCutOffComposite.children |
List of child samplers that that are used by this composite. |
PolyCutOffComposite.properties |
A dict containing any additional information about the sampler. |
PolyCutOffComposite.parameters |
A dict where keys are the keyword parameters accepted by the sampler methods and values are lists of the properties relevent to each parameter. |
PolyCutOffComposite.sample_poly (poly, **kwargs) |
Cutoff and sample from the provided binary polynomial. |
PolyCutOffComposite.sample_hising (h, J, **kwargs) |
Sample from a higher-order Ising model. |
PolyCutOffComposite.sample_hubo (H, **kwargs) |
Sample from a higher-order unconstrained binary optimization problem. |
Embedding¶
Minor-embed a problem BQM into a D-Wave system.
Embedding composites for various types of problems and application. For example:
EmbeddingComposite
for a problem with arbitrary structure that likely requires hueristic embedding.AutoEmbeddingComposite
can save unnecessary embedding for problems that might have a structure similar to the child sampler.LazyFixedEmbeddingComposite
can benefit applications that resubmit a BQM with changes in some values.
AutoEmbeddingComposite¶
-
class
AutoEmbeddingComposite
(child_sampler, **kwargs)[source]¶ Maps problems to a structured sampler, embedding if needed.
This composite first tries to submit the binary quadratic model directly to the child sampler and only embeds if a
dimod.exceptions.BinaryQuadraticModelStructureError
is raised.Parameters: - child_sampler (
dimod.Sampler
) – Structured dimod sampler, such as aDWaveSampler()
. - find_embedding (function, optional) – A function find_embedding(S, T, **kwargs) where S and T
are edgelists. The function can accept additional keyword arguments.
Defaults to
minorminer.find_embedding()
. - kwargs – See the
EmbeddingComposite
class for additional keyword arguments.
- child_sampler (
AutoEmbeddingComposite.child |
The child sampler. |
AutoEmbeddingComposite.parameters |
|
AutoEmbeddingComposite.properties |
AutoEmbeddingComposite.sample (bqm, **parameters) |
Sample from the provided binary quadratic model. |
AutoEmbeddingComposite.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
AutoEmbeddingComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
EmbeddingComposite¶
-
class
EmbeddingComposite
(child_sampler, find_embedding=<function find_embedding>, embedding_parameters=None, scale_aware=False, child_structure_search=<function child_structure_dfs>)[source]¶ Maps problems to a structured sampler.
Automatically minor-embeds a problem into a structured sampler such as a D-Wave system. A new minor-embedding is calculated each time one of its sampling methods is called.
Parameters: - child_sampler (
dimod.Sampler
) – A dimod sampler, such as aDWaveSampler
, that accepts only binary quadratic models of a particular structure. - find_embedding (function, optional) – A function find_embedding(S, T, **kwargs) where S and T
are edgelists. The function can accept additional keyword arguments.
Defaults to
minorminer.find_embedding()
. - embedding_parameters (dict, optional) – If provided, parameters are passed to the embedding method as keyword arguments.
- scale_aware (bool, optional, default=False) – Pass chain interactions to child samplers that accept an ignored_interactions parameter.
- child_structure_search (function, optional) – A function child_structure_search(sampler) that accepts a sampler
and returns the
dimod.Structured.structure
. Defaults todimod.child_structure_dfs()
.
Examples
>>> from dwave.system import DWaveSampler, EmbeddingComposite ... >>> sampler = EmbeddingComposite(DWaveSampler()) >>> h = {'a': -1., 'b': 2} >>> J = {('a', 'b'): 1.5} >>> sampleset = sampler.sample_ising(h, J, num_reads=100) >>> sampleset.first.energy -4.5
- child_sampler (
EmbeddingComposite.child |
The child sampler. |
EmbeddingComposite.parameters |
Parameters in the form of a dict. |
EmbeddingComposite.properties |
Properties in the form of a dict. |
EmbeddingComposite.return_embedding_default |
Defines the default behaviour for sample() ’s return_embedding kwarg. |
EmbeddingComposite.warnings_default |
Defines the default behabior for sample() ’s warnings kwarg. |
EmbeddingComposite.sample (bqm[, …]) |
Sample from the provided binary quadratic model. |
EmbeddingComposite.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
EmbeddingComposite.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
FixedEmbeddingComposite¶
-
class
FixedEmbeddingComposite
(child_sampler, embedding=None, source_adjacency=None, **kwargs)[source]¶ Maps problems to a structured sampler with the specified minor-embedding.
Parameters: - child_sampler (dimod.Sampler) – Structured dimod sampler such as a D-Wave system.
- embedding (dict[hashable, iterable], optional) – Mapping from a source graph to the specified sampler’s graph (the target graph).
- source_adjacency (dict[hashable, iterable]) – Deprecated. Dictionary to describe source graph as {node: {node neighbours}}.
- kwargs – See the
EmbeddingComposite
class for additional keyword arguments. Note thatfind_embedding
andembedding_parameters
keyword arguments are ignored.
Examples
To embed a triangular problem (a problem with a three-node complete graph, or clique) in the Chimera topology, you need to chain two qubits. This example maps triangular problems to a composed sampler (based on the unstructured
ExactSolver
) with a Chimera unit-cell structure.>>> import dimod >>> import dwave_networkx as dnx >>> from dwave.system import FixedEmbeddingComposite ... >>> c1 = dnx.chimera_graph(1) >>> embedding = {'a': [0, 4], 'b': [1], 'c': [5]} >>> structured_sampler = dimod.StructureComposite(dimod.ExactSolver(), ... c1.nodes, c1.edges) >>> sampler = FixedEmbeddingComposite(structured_sampler, embedding) >>> sampler.edgelist [('a', 'b'), ('a', 'c'), ('b', 'c')]
FixedEmbeddingComposite.properties |
|
FixedEmbeddingComposite.parameters |
|
FixedEmbeddingComposite.children |
|
FixedEmbeddingComposite.child |
The child sampler. |
FixedEmbeddingComposite.nodelist |
Nodes available to the composed sampler. |
FixedEmbeddingComposite.edgelist |
Edges available to the composed sampler. |
FixedEmbeddingComposite.adjacency |
Adjacency structure for the composed sampler. |
FixedEmbeddingComposite.structure |
Structure of the structured sampler formatted as a namedtuple , Structure(nodelist, edgelist, adjacency), where the 3-tuple values are the nodelist , edgelist and adjacency attributes. |
FixedEmbeddingComposite.sample (bqm, **parameters) |
Sample the binary quadratic model. |
FixedEmbeddingComposite.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
FixedEmbeddingComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
LazyFixedEmbeddingComposite¶
-
class
LazyFixedEmbeddingComposite
(child_sampler, find_embedding=<function find_embedding>, embedding_parameters=None, scale_aware=False, child_structure_search=<function child_structure_dfs>)[source]¶ Maps problems to the structure of its first given problem.
This composite reuses the minor-embedding found for its first given problem without recalculating a new minor-embedding for subsequent calls of its sampling methods.
Parameters: - child_sampler (dimod.Sampler) – Structured dimod sampler.
- find_embedding (function, default=:func:minorminer.find_embedding) – A function find_embedding(S, T, **kwargs) where S and T are edgelists. The function can accept additional keyword arguments. The function is used to find the embedding for the first problem solved.
- embedding_parameters (dict, optional) – If provided, parameters are passed to the embedding method as keyword arguments.
Examples
>>> from dwave.system import LazyFixedEmbeddingComposite, DWaveSampler ... >>> sampler = LazyFixedEmbeddingComposite(DWaveSampler()) >>> sampler.nodelist is None # no structure prior to first sampling True >>> __ = sampler.sample_ising({}, {('a', 'b'): -1}) >>> sampler.nodelist # has structure based on given problem ['a', 'b']
LazyFixedEmbeddingComposite.parameters |
|
LazyFixedEmbeddingComposite.properties |
|
LazyFixedEmbeddingComposite.nodelist |
Nodes available to the composed sampler. |
LazyFixedEmbeddingComposite.edgelist |
Edges available to the composed sampler. |
LazyFixedEmbeddingComposite.adjacency |
Adjacency structure for the composed sampler. |
LazyFixedEmbeddingComposite.structure |
Structure of the structured sampler formatted as a namedtuple , Structure(nodelist, edgelist, adjacency), where the 3-tuple values are the nodelist , edgelist and adjacency attributes. |
LazyFixedEmbeddingComposite.sample (bqm, …) |
Sample the binary quadratic model. |
LazyFixedEmbeddingComposite.sample_ising (h, …) |
Sample from an Ising model using the implemented sample method. |
LazyFixedEmbeddingComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
TilingComposite¶
-
class
TilingComposite
(sampler, sub_m, sub_n, t=4)[source]¶ Composite to tile a small problem across a Chimera-structured sampler.
Enables parallel sampling for small problems (problems that are minor-embeddable in a small part of a D-Wave solver’s Chimera graph).
Notation CN refers to a Chimera graph consisting of an NxN grid of unit cells, where each unit cell is a bipartite graph with shores of size t. The D-Wave 2000Q QPU supports a C16 Chimera graph: its 2048 qubits are logically mapped into a 16x16 matrix of unit cell of 8 qubits (t=4).
A problem that can be minor-embedded in a single unit cell, for example, can therefore be tiled across the unit cells of a D-Wave 2000Q as 16x16 duplicates. This enables sampling 256 solutions in a single call.
Parameters: - sampler (
dimod.Sampler
) – Structured dimod sampler such as aDWaveSampler()
. - sub_m (int) – Number of rows of Chimera unit cells for minor-embedding the problem once.
- sub_n (int) – Number of columns of Chimera unit cells for minor-embedding the problem once.
- t (int, optional, default=4) – Size of the shore within each Chimera unit cell.
Examples
This example submits a two-variable QUBO problem representing a logical NOT gate to a D-Wave system. The QUBO—two nodes with biases of -1 that are coupled with strength 2—needs only any two coupled qubits and so is easily minor-embedded in a single unit cell. Composite
TilingComposite
tiles it multiple times for parallel solution: the two nodes should typically have opposite values.>>> from dwave.system import DWaveSampler, EmbeddingComposite >>> from dwave.system import TilingComposite ... >>> qpu_2000q = DWaveSampler(solver={'topology__type': 'chimera'}) >>> sampler = EmbeddingComposite(TilingComposite(qpu_2000q, 1, 1, 4)) >>> Q = {(1, 1): -1, (1, 2): 2, (2, 1): 0, (2, 2): -1} >>> sampleset = sampler.sample_qubo(Q) >>> len(sampleset)> 1 True
See Ocean Glossary for explanations of technical terms in descriptions of Ocean tools.
- sampler (
TilingComposite.properties |
Properties in the form of a dict. |
TilingComposite.parameters |
Parameters in the form of a dict. |
TilingComposite.children |
The single wrapped structured sampler. |
TilingComposite.child |
The child sampler. |
TilingComposite.nodelist |
List of active qubits for the structured solver. |
TilingComposite.edgelist |
List of active couplers for the D-Wave solver. |
TilingComposite.adjacency |
Adjacency structure formatted as a dict, where keys are the nodes of the structured sampler and values are sets of all adjacent nodes for each key node. |
TilingComposite.structure |
Structure of the structured sampler formatted as a namedtuple , Structure(nodelist, edgelist, adjacency), where the 3-tuple values are the nodelist , edgelist and adjacency attributes. |
TilingComposite.sample (bqm, **kwargs) |
Sample from the specified binary quadratic model. |
TilingComposite.sample_ising (h, J, **parameters) |
Sample from an Ising model using the implemented sample method. |
TilingComposite.sample_qubo (Q, **parameters) |
Sample from a QUBO using the implemented sample method. |
VirtualGraphComposite¶
-
class
VirtualGraphComposite
(sampler, embedding, chain_strength=None, flux_biases=None, flux_bias_num_reads=1000, flux_bias_max_age=3600)[source]¶ Composite to use the D-Wave virtual graph feature for minor-embedding.
Calibrates qubits in chains to compensate for the effects of biases and enables easy creation, optimization, use, and reuse of an embedding for a given working graph.
Inherits from
dimod.ComposedSampler
anddimod.Structured
.Parameters: - sampler (
DWaveSampler
) – A dimoddimod.Sampler
. Typically aDWaveSampler
or derived composite sampler; other samplers may not work or make sense with this composite layer. - embedding (dict[hashable, iterable]) – Mapping from a source graph to the specified sampler’s graph (the target graph).
- chain_strength (float, optional, default=None) – Desired chain coupling strength. This is the magnitude of couplings between qubits in a chain. If None, uses the maximum available as returned by a SAPI query to the D-Wave solver.
- flux_biases (list/False/None, optional, default=None) – Per-qubit flux bias offsets in the form of a list of lists, where each sublist is of length 2 and specifies a variable and the flux bias offset associated with that variable. Qubits in a chain with strong negative J values experience a J-induced bias; this parameter compensates by recalibrating to remove that bias. If False, no flux bias is applied or calculated. If None, flux biases are pulled from the database or calculated empirically.
- flux_bias_num_reads (int, optional, default=1000) – Number of samples to collect per flux bias value to calculate calibration information.
- flux_bias_max_age (int, optional, default=3600) – Maximum age (in seconds) allowed for a previously calculated flux bias offset to be considered valid.
Attention
D-Wave’s virtual graphs feature can require many seconds of D-Wave system time to calibrate qubits to compensate for the effects of biases. If your account has limited D-Wave system access, consider using
FixedEmbeddingComposite
instead.Examples
This example uses
VirtualGraphComposite
to instantiate a composed sampler that submits a QUBO problem to a D-Wave solver. The problem represents a logical AND gate using penalty function \(P = xy - 2(x+y)z +3z\), where variables x and y are the gate’s inputs and z the output. This simple three-variable problem is manually minor-embedded to a single Chimera unit cell: variables x and y are represented by qubits 1 and 5, respectively, and z by a two-qubit chain consisting of qubits 0 and 4. The chain strength is set to the maximum allowed found from querying the solver’s extended J range. In this example, the ten returned samples all represent valid states of the AND gate.>>> from dwave.system import DWaveSampler, VirtualGraphComposite >>> embedding = {'x': {1}, 'y': {5}, 'z': {0, 4}} >>> qpu_2000q = DWaveSampler(solver={'topology__type': 'chimera'}) >>> qpu_2000q.properties['extended_j_range'] [-2.0, 1.0] >>> sampler = VirtualGraphComposite(qpu_2000q, embedding, chain_strength=2) # doctest: +SKIP >>> Q = {('x', 'y'): 1, ('x', 'z'): -2, ('y', 'z'): -2, ('z', 'z'): 3} >>> sampleset = sampler.sample_qubo(Q, num_reads=10) # doctest: +SKIP >>> print(sampleset) # doctest: +SKIP x y z energy num_oc. chain_. 0 1 0 0 0.0 2 0.0 1 0 1 0 0.0 3 0.0 2 1 1 1 0.0 3 0.0 3 0 0 0 0.0 2 0.0 ['BINARY', 4 rows, 10 samples, 3 variables]
See Ocean Glossary for explanations of technical terms in descriptions of Ocean tools.
- sampler (
VirtualGraphComposite.properties |
|
VirtualGraphComposite.parameters |
|
VirtualGraphComposite.children |
|
VirtualGraphComposite.child |
The child sampler. |
VirtualGraphComposite.nodelist |
Nodes available to the composed sampler. |
VirtualGraphComposite.edgelist |
Edges available to the composed sampler. |
VirtualGraphComposite.adjacency |
Adjacency structure for the composed sampler. |
VirtualGraphComposite.structure |
Structure of the structured sampler formatted as a namedtuple , Structure(nodelist, edgelist, adjacency), where the 3-tuple values are the nodelist , edgelist and adjacency attributes. |
VirtualGraphComposite.sample (bqm[, …]) |
Sample from the given Ising model. |
VirtualGraphComposite.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
VirtualGraphComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
Reverse Anneal¶
Composites that do batch operations for reverse annealing based on sets of initial states or anneal schedules.
ReverseBatchStatesComposite¶
-
class
ReverseBatchStatesComposite
(child_sampler)[source]¶ Composite that reverse anneals from multiple initial samples. Each submission is independent from one another.
Parameters: sampler ( dimod.Sampler
) – A dimod sampler.Examples
This example runs 100 reverse anneals each from two initial states on a problem constructed by setting random \(\pm 1\) values on a clique (complete graph) of 15 nodes, minor-embedded on a D-Wave system using the
DWaveCliqueSampler
sampler.>>> import dimod >>> from dwave.system import DWaveCliqueSampler, ReverseBatchStatesComposite ... >>> sampler = DWaveCliqueSampler(solver={'qpu': True}) >>> sampler_reverse = ReverseBatchStatesComposite(sampler) >>> schedule = [[0.0, 1.0], [10.0, 0.5], [20, 1.0]] ... >>> bqm = dimod.generators.ran_r(1, 15) >>> init_samples = [{i: -1 for i in range(15)}, {i: 1 for i in range(15)}] >>> sampleset = sampler_reverse.sample(bqm, ... anneal_schedule=schedule, ... initial_states=init_samples, ... num_reads=100, ... reinitialize_state=True)
ReverseBatchStatesComposite.child |
The child sampler. |
ReverseBatchStatesComposite.children |
List of child samplers that that are used by this composite. |
ReverseBatchStatesComposite.properties |
A dict containing any additional information about the sampler. |
ReverseBatchStatesComposite.parameters |
A dict where keys are the keyword parameters accepted by the sampler methods and values are lists of the properties relevent to each parameter. |
ReverseBatchStatesComposite.sample (bqm, …) |
Sample the binary quadratic model using reverse annealing from multiple initial states. |
ReverseBatchStatesComposite.sample_ising (h, …) |
Sample from an Ising model using the implemented sample method. |
ReverseBatchStatesComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
ReverseAdvanceComposite¶
-
class
ReverseAdvanceComposite
(child_sampler)[source]¶ Composite that reverse anneals an initial sample through a sequence of anneal schedules.
If you do not specify an initial sample, a random sample is used for the first submission. By default, each subsequent submission selects the most-found lowest-energy sample as its initial state. If you set reinitialize_state to False, which makes each submission behave like a random walk, the subsequent submission selects the last returned sample as its initial state.
Parameters: sampler ( dimod.Sampler
) – A dimod sampler.Examples
This example runs 100 reverse anneals each for three schedules on a problem constructed by setting random \(\pm 1\) values on a clique (complete graph) of 15 nodes, minor-embedded on a D-Wave system using the
DWaveCliqueSampler
sampler.>>> import dimod >>> from dwave.system import DWaveCliqueSampler, ReverseAdvanceComposite ... >>> sampler = DWaveCliqueSampler(solver={'qpu': True}) >>> sampler_reverse = ReverseAdvanceComposite(sampler) >>> schedule = schedule = [[[0.0, 1.0], [t, 0.5], [20, 1.0]] for t in (5, 10, 15)] ... >>> bqm = dimod.generators.ran_r(1, 15) >>> init_samples = {i: -1 for i in range(15)} >>> sampleset = sampler_reverse.sample(bqm, ... anneal_schedules=schedule, ... initial_state=init_samples, ... num_reads=100, ... reinitialize_state=True)
ReverseAdvanceComposite.child |
The child sampler. |
ReverseAdvanceComposite.children |
List of child samplers that that are used by this composite. |
ReverseAdvanceComposite.properties |
A dict containing any additional information about the sampler. |
ReverseAdvanceComposite.parameters |
A dict where keys are the keyword parameters accepted by the sampler methods and values are lists of the properties relevent to each parameter. |
ReverseAdvanceComposite.sample (bqm[, …]) |
Sample the binary quadratic model using reverse annealing along a given set of anneal schedules. |
ReverseAdvanceComposite.sample_ising (h, J, …) |
Sample from an Ising model using the implemented sample method. |
ReverseAdvanceComposite.sample_qubo (Q, …) |
Sample from a QUBO using the implemented sample method. |
Embedding¶
Provides functions that map binary quadratic models and samples between a source graph and a target graph.
For an introduction to minor-embedding, see Minor-Embedding.
Generators¶
Tools for finding embeddings.
Generic¶
minorminer is a heuristic tool for minor embedding: given a minor and target graph, it tries to find a mapping that embeds the minor into the target.
minorminer.find_embedding (S, T, **params) |
Heuristically attempt to find a minor-embedding of a graph representing an Ising/QUBO into a target graph. |
Chimera¶
Minor-embedding in Chimera-structured target graphs.
chimera.find_clique_embedding (k, m[, n, t, …]) |
Find an embedding for a clique in a Chimera graph. |
chimera.find_biclique_embedding (a, b, m[, …]) |
Find an embedding for a biclique in a Chimera graph. |
chimera.find_grid_embedding (dim, m[, n, t]) |
Find an embedding for a grid in a Chimera graph. |
Pegasus¶
Minor-embedding in Pegasus-structured target graphs.
pegasus.find_clique_embedding (k[, m, …]) |
Find an embedding for a clique in a Pegasus graph. |
Utilities¶
embed_bqm (source_bqm[, embedding, …]) |
Embed a binary quadratic model onto a target graph. |
embed_ising (source_h, source_J, embedding, …) |
Embed an Ising problem onto a target graph. |
embed_qubo (source_Q, embedding, target_adjacency) |
Embed a QUBO onto a target graph. |
unembed_sampleset (target_sampleset, …[, …]) |
Unembed a sample set. |
Diagnostics¶
chain_break_frequency (samples_like, embedding) |
Determine the frequency of chain breaks in the given samples. |
diagnose_embedding (emb, source, target) |
Diagnose a minor embedding. |
is_valid_embedding (emb, source, target) |
A simple (bool) diagnostic for minor embeddings. |
verify_embedding (emb, source, target[, …]) |
A simple (exception-raising) diagnostic for minor embeddings. |
Chain-Break Resolution¶
Unembedding samples with broken chains.
Generators¶
chain_breaks.discard (samples, chains) |
Discard broken chains. |
chain_breaks.majority_vote (samples, chains) |
Unembed samples using the most common value for broken chains. |
chain_breaks.weighted_random (samples, chains) |
Unembed samples using weighed random choice for broken chains. |
Callable Objects¶
chain_breaks.MinimizeEnergy (bqm, embedding) |
Unembed samples by minimizing local energy for broken chains. |
Exceptions¶
exceptions.EmbeddingError |
Base class for all embedding exceptions. |
exceptions.MissingChainError (snode) |
Raised if a node in the source graph has no associated chain. |
exceptions.ChainOverlapError (tnode, snode0, …) |
Raised if two source nodes have an overlapping chain. |
exceptions.DisconnectedChainError (snode) |
Raised if a chain is not connected in the target graph. |
exceptions.InvalidNodeError (snode, tnode) |
Raised if a chain contains a node not in the target graph. |
exceptions.MissingEdgeError (snode0, snode1) |
Raised when two source nodes sharing an edge to not have a corresponding edge between their chains. |
Classes¶
-
class
EmbeddedStructure
(target_edges, embedding)[source]¶ Processes an embedding and a target graph to collect target edges into those within individual chains, and those that connect chains. This is used elsewhere to embed binary quadratic models into the target graph.
Parameters: - target_edges (iterable[edge]) – An iterable of edges in the target graph. Each edge should be an iterable of 2 hashable objects.
- embedding (dict) – Mapping from source graph to target graph as a dict of form {s: {t, …}, …}, where s is a source-model variable and t is a target-model variable.
This class is a dict, and acts as an immutable duplicate of embedding.
Utilities¶
Utility functions.
common_working_graph (graph0, graph1) |
Creates a graph using the common nodes and edges of two given graphs. |
Warnings¶
Installation¶
Installation from PyPI:
pip install dwave-system
Installation from PyPI with drivers:
Note
Prior to v0.3.0, running pip install dwave-system
installed a driver dependency called dwave-drivers
(previously also called dwave-system-tuning
). This dependency has a restricted license and has been made optional
as of v0.3.0, but is highly recommended. To view the license details:
from dwave.drivers import __license__
print(__license__)
To install with optional dependencies:
pip install dwave-system[drivers] --extra-index-url https://pypi.dwavesys.com/simple
Installation from source:
pip install -r requirements.txt
python setup.py install
Note that installing from source installs dwave-drivers
. To uninstall the proprietary components:
pip uninstall dwave-drivers
License¶
Apache License Version 2.0, January 2004 http://www.apache.org/licenses/
TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
Definitions.
“License” shall mean the terms and conditions for use, reproduction, and distribution as defined by Sections 1 through 9 of this document.
“Licensor” shall mean the copyright owner or entity authorized by the copyright owner that is granting the License.
“Legal Entity” shall mean the union of the acting entity and all other entities that control, are controlled by, or are under common control with that entity. For the purposes of this definition, “control” means (i) the power, direct or indirect, to cause the direction or management of such entity, whether by contract or otherwise, or (ii) ownership of fifty percent (50%) or more of the outstanding shares, or (iii) beneficial ownership of such entity.
“You” (or “Your”) shall mean an individual or Legal Entity exercising permissions granted by this License.
“Source” form shall mean the preferred form for making modifications, including but not limited to software source code, documentation source, and configuration files.
“Object” form shall mean any form resulting from mechanical transformation or translation of a Source form, including but not limited to compiled object code, generated documentation, and conversions to other media types.
“Work” shall mean the work of authorship, whether in Source or Object form, made available under the License, as indicated by a copyright notice that is included in or attached to the work (an example is provided in the Appendix below).
“Derivative Works” shall mean any work, whether in Source or Object form, that is based on (or derived from) the Work and for which the editorial revisions, annotations, elaborations, or other modifications represent, as a whole, an original work of authorship. For the purposes of this License, Derivative Works shall not include works that remain separable from, or merely link (or bind by name) to the interfaces of, the Work and Derivative Works thereof.
“Contribution” shall mean any work of authorship, including the original version of the Work and any modifications or additions to that Work or Derivative Works thereof, that is intentionally submitted to Licensor for inclusion in the Work by the copyright owner or by an individual or Legal Entity authorized to submit on behalf of the copyright owner. For the purposes of this definition, “submitted” means any form of electronic, verbal, or written communication sent to the Licensor or its representatives, including but not limited to communication on electronic mailing lists, source code control systems, and issue tracking systems that are managed by, or on behalf of, the Licensor for the purpose of discussing and improving the Work, but excluding communication that is conspicuously marked or otherwise designated in writing by the copyright owner as “Not a Contribution.”
“Contributor” shall mean Licensor and any individual or Legal Entity on behalf of whom a Contribution has been received by Licensor and subsequently incorporated within the Work.
Grant of Copyright License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable copyright license to reproduce, prepare Derivative Works of, publicly display, publicly perform, sublicense, and distribute the Work and such Derivative Works in Source or Object form.
Grant of Patent License. Subject to the terms and conditions of this License, each Contributor hereby grants to You a perpetual, worldwide, non-exclusive, no-charge, royalty-free, irrevocable (except as stated in this section) patent license to make, have made, use, offer to sell, sell, import, and otherwise transfer the Work, where such license applies only to those patent claims licensable by such Contributor that are necessarily infringed by their Contribution(s) alone or by combination of their Contribution(s) with the Work to which such Contribution(s) was submitted. If You institute patent litigation against any entity (including a cross-claim or counterclaim in a lawsuit) alleging that the Work or a Contribution incorporated within the Work constitutes direct or contributory patent infringement, then any patent licenses granted to You under this License for that Work shall terminate as of the date such litigation is filed.
Redistribution. You may reproduce and distribute copies of the Work or Derivative Works thereof in any medium, with or without modifications, and in Source or Object form, provided that You meet the following conditions:
- You must give any other recipients of the Work or Derivative Works a copy of this License; and
- You must cause any modified files to carry prominent notices stating that You changed the files; and
- You must retain, in the Source form of any Derivative Works that You distribute, all copyright, patent, trademark, and attribution notices from the Source form of the Work, excluding those notices that do not pertain to any part of the Derivative Works; and
- If the Work includes a “NOTICE” text file as part of its distribution, then any Derivative Works that You distribute must include a readable copy of the attribution notices contained within such NOTICE file, excluding those notices that do not pertain to any part of the Derivative Works, in at least one of the following places: within a NOTICE text file distributed as part of the Derivative Works; within the Source form or documentation, if provided along with the Derivative Works; or, within a display generated by the Derivative Works, if and wherever such third-party notices normally appear. The contents of the NOTICE file are for informational purposes only and do not modify the License. You may add Your own attribution notices within Derivative Works that You distribute, alongside or as an addendum to the NOTICE text from the Work, provided that such additional attribution notices cannot be construed as modifying the License.
You may add Your own copyright statement to Your modifications and may provide additional or different license terms and conditions for use, reproduction, or distribution of Your modifications, or for any such Derivative Works as a whole, provided Your use, reproduction, and distribution of the Work otherwise complies with the conditions stated in this License.
Submission of Contributions. Unless You explicitly state otherwise, any Contribution intentionally submitted for inclusion in the Work by You to the Licensor shall be under the terms and conditions of this License, without any additional terms or conditions. Notwithstanding the above, nothing herein shall supersede or modify the terms of any separate license agreement you may have executed with Licensor regarding such Contributions.
Trademarks. This License does not grant permission to use the trade names, trademarks, service marks, or product names of the Licensor, except as required for reasonable and customary use in describing the origin of the Work and reproducing the content of the NOTICE file.
Disclaimer of Warranty. Unless required by applicable law or agreed to in writing, Licensor provides the Work (and each Contributor provides its Contributions) on an “AS IS” BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied, including, without limitation, any warranties or conditions of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A PARTICULAR PURPOSE. You are solely responsible for determining the appropriateness of using or redistributing the Work and assume any risks associated with Your exercise of permissions under this License.
Limitation of Liability. In no event and under no legal theory, whether in tort (including negligence), contract, or otherwise, unless required by applicable law (such as deliberate and grossly negligent acts) or agreed to in writing, shall any Contributor be liable to You for damages, including any direct, indirect, special, incidental, or consequential damages of any character arising as a result of this License or out of the use or inability to use the Work (including but not limited to damages for loss of goodwill, work stoppage, computer failure or malfunction, or any and all other commercial damages or losses), even if such Contributor has been advised of the possibility of such damages.
Accepting Warranty or Additional Liability. While redistributing the Work or Derivative Works thereof, You may choose to offer, and charge a fee for, acceptance of support, warranty, indemnity, or other liability obligations and/or rights consistent with this License. However, in accepting such obligations, You may act only on Your own behalf and on Your sole responsibility, not on behalf of any other Contributor, and only if You agree to indemnify, defend, and hold each Contributor harmless for any liability incurred by, or claims asserted against, such Contributor by reason of your accepting any such warranty or additional liability.
END OF TERMS AND CONDITIONS
APPENDIX: How to apply the Apache License to your work.
To apply the Apache License to your work, attach the following boilerplate notice, with the fields enclosed by brackets “[]” replaced with your own identifying information. (Don’t include the brackets!) The text should be enclosed in the appropriate comment syntax for the file format. We also recommend that a file or class name and description of purpose be included on the same “printed page” as the copyright notice for easier identification within third-party archives.Copyright [yyyy] [name of copyright owner]
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
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.